From f9973bfb59ac9d09ad9a4f068d08d03908b435d5 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Wed, 22 Oct 2025 20:19:35 +0200 Subject: [PATCH 01/34] removing not necessary function --- eegdash/api.py | 16 ---------------- 1 file changed, 16 deletions(-) diff --git a/eegdash/api.py b/eegdash/api.py index d867d267..b0da2c17 100644 --- a/eegdash/api.py +++ b/eegdash/api.py @@ -545,26 +545,10 @@ def collection(self): """ return self.__collection - def close(self) -> None: - """Close the MongoDB connection. - - .. deprecated:: 0.1 - Connections are now managed globally by :class:`MongoConnectionManager`. - This method is a no-op and will be removed in a future version. - Use :meth:`EEGDash.close_all_connections` to close all clients. - """ - # Individual instances no longer close the shared client - pass - @classmethod def close_all_connections(cls) -> None: """Close all MongoDB client connections managed by the singleton manager.""" MongoConnectionManager.close_all() - def __del__(self) -> None: - """Destructor; no explicit action needed due to global connection manager.""" - # No longer needed since we're using singleton pattern - pass - __all__ = ["EEGDash"] From f3dc5592a4f1808a46f7234e43c2f1ab9dc78a6b Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 24 Oct 2025 19:04:43 +0200 Subject: [PATCH 02/34] updating --- .../workflows/fetch-openneuro-datasets.yml | 65 +++ eegdash/api.py | 256 +++++------ pyproject.toml | 2 +- scripts/data_ingest.py | 404 ------------------ .../ingestions/fetch_openneuro_datasets.py | 139 ++++++ 5 files changed, 320 insertions(+), 546 deletions(-) create mode 100644 .github/workflows/fetch-openneuro-datasets.yml delete mode 100644 scripts/data_ingest.py create mode 100644 scripts/ingestions/fetch_openneuro_datasets.py diff --git a/.github/workflows/fetch-openneuro-datasets.yml b/.github/workflows/fetch-openneuro-datasets.yml new file mode 100644 index 00000000..09558b8d --- /dev/null +++ b/.github/workflows/fetch-openneuro-datasets.yml @@ -0,0 +1,65 @@ +name: Fetch OpenNeuro Datasets + +on: + schedule: + # Run weekly on Monday at 00:00 UTC + - cron: '0 0 * * 1' + workflow_dispatch: # Allow manual triggering + +jobs: + fetch-datasets: + runs-on: ubuntu-latest + permissions: + contents: write + + steps: + - name: Checkout repository + uses: actions/checkout@v4 + with: + token: ${{ secrets.GITHUB_TOKEN }} + + - name: Set up Python + uses: actions/setup-python@v4 + with: + python-version: '3.11' + cache: 'pip' + + - name: Install dependencies + run: | + python -m pip install --upgrade pip + pip install gql[requests] + + - name: Fetch OpenNeuro datasets + env: + OPENNEURO_TOKEN: ${{ secrets.OPENNEURO_TOKEN }} + run: | + python scripts/ingestions/fetch_openneuro_datasets.py \ + --page-size 100 \ + --output consolidated/openneuro_datasets.json + + - name: Verify output + run: | + if [ -f consolidated/openneuro_datasets.json ]; then + echo "✓ Dataset file created successfully" + python -c "import json; data = json.load(open('consolidated/openneuro_datasets.json')); print(f'Total entries: {len(data)}'); modalities = set(d['modality'] for d in data); print(f'Modalities: {sorted(modalities)}')" + else + echo "✗ Dataset file not created" + exit 1 + fi + + - name: Commit changes if datasets updated + uses: EndBug/add-and-commit@v9 + with: + default_author: github_actions + message: 'chore: update OpenNeuro dataset listings' + add: 'consolidated/openneuro_datasets.json' + pull: '--rebase --autostash' + push: true + if: always() + + - name: Upload artifacts for downstream jobs + uses: actions/upload-artifact@v4 + with: + name: openneuro-datasets + path: consolidated/openneuro_datasets.json + retention-days: 7 diff --git a/eegdash/api.py b/eegdash/api.py index b0da2c17..194a0a5e 100644 --- a/eegdash/api.py +++ b/eegdash/api.py @@ -10,13 +10,15 @@ EEG data from S3 for matched records. """ +import json import os from pathlib import Path from typing import Any, Mapping import mne +import numpy as np +import pandas as pd from mne.utils import _soft_import -from pymongo import InsertOne, UpdateOne from .bids_eeg_metadata import ( build_query_from_kwargs, @@ -353,9 +355,18 @@ def _raise_if_conflicting_constraints( ) def add_bids_dataset( - self, dataset: str, data_dir: str, overwrite: bool = True - ) -> None: - """Scan a local BIDS dataset and upsert records into MongoDB. + self, + dataset: str, + data_dir: str, + overwrite: bool = True, + output_path: str | Path | None = None, + ) -> dict[str, Any]: + """Collect metadata for a local BIDS dataset as JSON-ready records. + + Instead of inserting records directly into MongoDB, this method scans + ``data_dir`` and returns a JSON-serializable manifest describing every + EEG recording that was discovered. The manifest can be written to disk + or forwarded to the EEGDash ingestion API for persistence. Parameters ---------- @@ -364,127 +375,91 @@ def add_bids_dataset( data_dir : str Path to the local BIDS dataset directory. overwrite : bool, default True - If ``True``, update existing records when encountered; otherwise, - skip records that already exist. + If ``False``, skip records that already exist in the database based + on ``data_name`` lookups. + output_path : str | Path | None, optional + If provided, the manifest is written to the given JSON file. - Raises - ------ - ValueError - If called on a public client ``(is_public=True)``. + Returns + ------- + dict + A manifest with keys ``dataset``, ``source``, ``records`` and, when + applicable, ``skipped`` or ``errors``. """ - if self.is_public: - raise ValueError("This operation is not allowed for public users") - - if not overwrite and self.exist({"dataset": dataset}): - logger.info("Dataset %s already exists in the database", dataset) - return + source_dir = Path(data_dir).expanduser() try: bids_dataset = EEGBIDSDataset( - data_dir=data_dir, + data_dir=str(source_dir), dataset=dataset, ) - except Exception as e: - logger.error("Error creating bids dataset %s: %s", dataset, str(e)) - raise e - requests = [] - for bids_file in bids_dataset.get_files(): - try: - data_id = f"{dataset}_{Path(bids_file).name}" - - if self.exist({"data_name": data_id}): - if overwrite: - eeg_attrs = load_eeg_attrs_from_bids_file( - bids_dataset, bids_file - ) - requests.append(self._update_request(eeg_attrs)) - else: - eeg_attrs = load_eeg_attrs_from_bids_file(bids_dataset, bids_file) - requests.append(self._add_request(eeg_attrs)) - except Exception as e: - logger.error("Error adding record %s", bids_file) - logger.error(str(e)) - - logger.info("Number of requests: %s", len(requests)) - - if requests: - result = self.__collection.bulk_write(requests, ordered=False) - logger.info("Inserted: %s ", result.inserted_count) - logger.info("Modified: %s ", result.modified_count) - logger.info("Deleted: %s", result.deleted_count) - logger.info("Upserted: %s", result.upserted_count) - logger.info("Errors: %s ", result.bulk_api_result.get("writeErrors", [])) - - def _add_request(self, record: dict) -> InsertOne: - """Create a MongoDB insertion request for a record. - - Parameters - ---------- - record : dict - The record to insert. - - Returns - ------- - InsertOne - A PyMongo ``InsertOne`` object. - - """ - return InsertOne(record) - - def add(self, record: dict) -> None: - """Add a single record to the MongoDB collection. - - Parameters - ---------- - record : dict - The record to add. - - """ - try: - self.__collection.insert_one(record) - except ValueError as e: - logger.error("Validation error for record: %s ", record["data_name"]) - logger.error(e) except Exception as exc: - logger.error( - "Error adding record: %s ", record.get("data_name", "") - ) - logger.debug("Add operation failed", exc_info=exc) + logger.error("Error creating BIDS dataset %s: %s", dataset, exc) + raise exc - def _update_request(self, record: dict) -> UpdateOne: - """Create a MongoDB update request for a record. + records: list[dict[str, Any]] = [] + skipped: list[str] = [] + errors: list[dict[str, str]] = [] - Parameters - ---------- - record : dict - The record to update. - - Returns - ------- - UpdateOne - A PyMongo ``UpdateOne`` object. - - """ - return UpdateOne({"data_name": record["data_name"]}, {"$set": record}) + for bids_file in bids_dataset.get_files(): + data_id = f"{dataset}_{Path(bids_file).name}" + if not overwrite: + try: + if self.exist({"data_name": data_id}): + skipped.append(data_id) + continue + except Exception as exc: + logger.warning( + "Could not verify existing record %s due to: %s", + data_id, + exc, + ) - def update(self, record: dict) -> None: - """Update a single record in the MongoDB collection. + try: + eeg_attrs = load_eeg_attrs_from_bids_file(bids_dataset, bids_file) + records.append(eeg_attrs) + except Exception as exc: # log and continue collecting + logger.error("Error extracting metadata for %s", bids_file) + logger.error(str(exc)) + errors.append({"file": str(bids_file), "error": str(exc)}) + + manifest: dict[str, Any] = { + "dataset": dataset, + "source": str(source_dir.resolve()), + "record_count": len(records), + "records": records, + } + if skipped: + manifest["skipped"] = skipped + if errors: + manifest["errors"] = errors + + if output_path is not None: + output_path = Path(output_path) + output_path.parent.mkdir(parents=True, exist_ok=True) + with output_path.open("w", encoding="utf-8") as fh: + json.dump( + manifest, + fh, + indent=2, + sort_keys=True, + default=_json_default, + ) + logger.info( + "Wrote EEGDash ingestion manifest for %s to %s", + dataset, + output_path, + ) - Parameters - ---------- - record : dict - Record content to set at the matching ``data_name``. + logger.info( + "Prepared %s records for dataset %s (skipped=%s, errors=%s)", + len(records), + dataset, + len(skipped), + len(errors), + ) - """ - try: - self.__collection.update_one( - {"data_name": record["data_name"]}, {"$set": record} - ) - except Exception as exc: # log and continue - logger.error( - "Error updating record: %s", record.get("data_name", "") - ) - logger.debug("Update operation failed", exc_info=exc) + return manifest def exists(self, query: dict[str, Any]) -> bool: """Check if at least one record matches the query. @@ -504,35 +479,6 @@ def exists(self, query: dict[str, Any]) -> bool: """ return self.exist(query) - def remove_field(self, record: dict, field: str) -> None: - """Remove a field from a specific record in the MongoDB collection. - - Parameters - ---------- - record : dict - Record-identifying object with a ``data_name`` key. - field : str - The name of the field to remove. - - """ - self.__collection.update_one( - {"data_name": record["data_name"]}, {"$unset": {field: 1}} - ) - - def remove_field_from_db(self, field: str) -> None: - """Remove a field from all records in the database. - - .. warning:: - This is a destructive operation and cannot be undone. - - Parameters - ---------- - field : str - The name of the field to remove from all documents. - - """ - self.__collection.update_many({}, {"$unset": {field: 1}}) - @property def collection(self): """The underlying PyMongo ``Collection`` object. @@ -551,4 +497,32 @@ def close_all_connections(cls) -> None: MongoConnectionManager.close_all() +def _json_default(value: Any) -> Any: + """Fallback serializer for complex objects when exporting ingestion JSON.""" + try: + if isinstance(value, (np.generic,)): + return value.item() + if isinstance(value, np.ndarray): + return value.tolist() + except Exception: + pass + + try: + if value is pd.NA: + return None + if isinstance(value, (pd.Timestamp, pd.Timedelta)): + return value.isoformat() + if isinstance(value, pd.Series): + return value.to_dict() + except Exception: + pass + + if isinstance(value, Path): + return value.as_posix() + if isinstance(value, set): + return sorted(value) + + raise TypeError(f"Object of type {type(value).__name__} is not JSON serializable") + + __all__ = ["EEGDash"] diff --git a/pyproject.toml b/pyproject.toml index 63b445ce..7858494d 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -87,7 +87,7 @@ docs = [ digestion = [ "pybids", - "python-dotenv", + "gql", ] all = [ diff --git a/scripts/data_ingest.py b/scripts/data_ingest.py deleted file mode 100644 index 97eb6a3c..00000000 --- a/scripts/data_ingest.py +++ /dev/null @@ -1,404 +0,0 @@ -import argparse -import json -from pathlib import Path - -from eegdash import EEGDash - - -def main(): - # Create the parser - parser = argparse.ArgumentParser( - description="A simple command line argument parser" - ) - - # Add arguments - parser.add_argument( - "--data", - type=str, - default="/mnt/nemar/openneuro/ds004186", - help="Path to data directory (Default: /mnt/nemar/openneuro/ds004186)", - ) - parser.add_argument( - "--dataset", - type=str, - default="ds004186", - help="Dataset name (Default: ds004186)", - ) - - # Parse the arguments - args = parser.parse_args() - print("Arguments:", args) - - obj = EEGDash( - is_public=False, - ) - hbn_datasets = [ - "ds005507", - "ds005506", - "ds005510", - "ds005512", - "ds005505", - "ds005508", - "ds005509", - "ds005514", - "ds005511", - "ds005515", - "ds005516", - ] - - config_path = Path(__file__).parent / "datasets.json" - with open(config_path, "r") as f: - datasets_config = json.load(f) - failed_ds = set(datasets_config["failed_datasets"]) - - datasets = [ - "ds004841", - "ds004770", - "ds004561", - "ds005261", - "ds000247", - "ds005131", - "ds003753", - "ds003420", - "ds005028", - "ds005557", - "ds005170", - "ds004840", - "ds004855", - "ds004718", - "ds002725", - "ds005565", - "ds004408", - "ds004796", - "ds002550", - "ds004511", - "ds002893", - "ds003682", - "ds004817", - "ds000248", - "ds003190", - "ds004819", - "ds005089", - "ds003822", - "ds003670", - "ds005048", - "ds004917", - "ds004574", - "ds004852", - "ds004357", - "ds003082", - "ds005574", - "ds005397", - "ds004519", - "ds004602", - "ds004784", - "ds005491", - "ds003846", - "ds002799", - "ds004024", - "ds005815", - "ds003694", - "ds005429", - "ds004771", - "ds003518", - "ds004977", - "ds003702", - "ds004577", - "ds005207", - "ds005866", - "ds004127", - "ds003574", - "ds004703", - "ds005779", - "ds004398", - "ds003523", - "ds005558", - "ds004212", - "ds004347", - "ds005185", - "ds005489", - "ds005398", - "ds004588", - "ds001787", - "ds003505", - "ds005670", - "ds003568", - "ds003703", - "ds005811", - "ds004370", - "ds005340", - "ds003987", - "ds004865", - "ds005363", - "ds005121", - "ds004078", - "ds003392", - "ds004317", - "ds004851", - "ds004033", - "ds004011", - "ds003876", - "ds004166", - "ds005691", - "ds005087", - "ds004330", - "ds004256", - "ds004315", - "ds005279", - "ds005420", - "ds003474", - "ds002034", - "ds003509", - "ds004186", - "ds003825", - "ds005868", - "ds003516", - "ds004587", - "ds005415", - "ds004942", - "ds004348", - "ds003633", - "ds004598", - "ds005383", - "ds003195", - "ds004473", - "ds005403", - "ds002908", - "ds004621", - "ds005863", - "ds003848", - "ds004625", - "ds005594", - "ds002336", - "ds004043", - "ds003517", - "ds005083", - "ds004368", - "ds004584", - "ds004012", - "ds003374", - "ds005624", - "ds005810", - "ds003506", - "ds005106", - "ds004284", - "ds005620", - "ds004738", - "ds004849", - "ds005234", - "ds003570", - "ds003490", - "ds002720", - "ds005307", - "ds002094", - "ds002833", - "ds002218", - "ds000117", - "ds004117", - "ds005021", - "ds004194", - "ds005356", - "ds004264", - "ds004446", - "ds004980", - "ds002722", - "ds004457", - "ds004505", - "ds004853", - "ds002885", - "ds004580", - "ds003944", - "ds005545", - "ds004279", - "ds005876", - "ds004532", - "ds004346", - "ds003816", - "ds005385", - "ds004572", - "ds005095", - "ds004696", - "ds004460", - "ds004902", - "ds005189", - "ds005274", - "ds004075", - "ds004447", - "ds004295", - "ds003519", - "ds004107", - "ds004952", - "ds003458", - "ds002724", - "ds003004", - "ds005571", - "ds003104", - "ds004200", - "ds002791", - "ds004015", - "ds005592", - "ds004262", - "ds004850", - "ds005273", - "ds002712", - "ds004520", - "ds004444", - "ds004582", - "ds002723", - "ds004017", - "ds004595", - "ds004626", - "ds003751", - "ds004475", - "ds000246", - "ds004515", - "ds003421", - "ds002158", - "ds004951", - "ds005522", - "ds004883", - "ds004483", - "ds005065", - "ds004624", - "ds004802", - "ds004993", - "ds004278", - "ds004816", - "ds003739", - "ds005873", - "ds004389", - "ds003194", - "ds004356", - "ds004367", - "ds004369", - "ds004381", - "ds004196", - "ds005692", - "ds002338", - "ds004022", - "ds004579", - "ds004859", - "ds005416", - "ds004603", - "ds004752", - "ds003768", - "ds003947", - "ds004229", - "ds005530", - "ds004844", - "ds005555", - "ds004998", - "ds004843", - "ds004477", - "ds001785", - "ds005688", - "ds003766", - "ds004276", - "ds005540", - "ds004152", - "ds004944", - "ds001971", - "ds003352", - "ds003626", - "ds002814", - "ds003645", - "ds005007", - "ds004551", - "ds005586", - "ds001784", - "ds004809", - "ds003922", - "ds004388", - "ds003810", - "ds004306", - "ds004642", - "ds003478", - "ds004100", - "ds003969", - "ds004000", - "ds005411", - "ds004842", - "ds005305", - "ds005494", - "ds004995", - "ds005114", - "ds004854", - "ds003638", - "ds004521", - "ds002761", - "ds001849", - "ds003844", - "ds003039", - "ds004706", - "ds004252", - "ds004448", - "ds005795", - "ds003602", - "ds005169", - "ds003380", - "ds004018", - "ds004080", - "ds004324", - "ds003887", - "ds004789", - "ds004860", - "ds004837", - "ds005241", - "ds003688", - "ds005107", - "ds002721", - "ds003655", - "ds004395", - "ds004147", - "ds003483", - "ds003555", - "ds005486", - "ds005520", - "ds005262", - "ds002778", - "ds004661", - "ds003885", - "ds004657", - "ds005523", - "ds003498", - "ds003522", - "ds005406", - "ds003710", - "ds003343", - "ds003708", - "ds002001", - "ds005345", - "ds004067", - "ds003078", - "ds003801", - "ds005059", - "ds003029", - "ds001810", - "ds005296", - "ds004660", - ] - datasets = hbn_datasets - for i, ds in enumerate(datasets): - if ds in failed_ds: - continue - try: - if i % 50 == 0: - print("Saving failed datasets") - with open(config_path, "w") as f: - json.dump({"failed_datasets": list(failed_ds)}, f) - print(f"Processing {ds}") - obj.add_bids_dataset( - dataset=ds, data_dir=f"/mnt/nemar/openneuro/{ds}", overwrite=True - ) - except Exception as e: - print(e) - failed_ds.add(ds) - pass - - print(f"Failed datasets: {list(failed_ds)}") - with open(config_path, "w") as f: - json.dump({"failed_datasets": list(failed_ds)}, f) - - -if __name__ == "__main__": - main() diff --git a/scripts/ingestions/fetch_openneuro_datasets.py b/scripts/ingestions/fetch_openneuro_datasets.py new file mode 100644 index 00000000..cbc03083 --- /dev/null +++ b/scripts/ingestions/fetch_openneuro_datasets.py @@ -0,0 +1,139 @@ +"""Fetch OpenNeuro dataset IDs for one or more modalities using gql.""" + +import argparse +import json +import os +from collections.abc import Iterable +from pathlib import Path + +from gql import Client, gql +from gql.transport.requests import RequestsHTTPTransport + +GRAPHQL_URL = "https://openneuro.org/crn/graphql" + +DATASETS_QUERY = gql( + """ + query ($first: Int!, $after: String) { + datasets(first: $first, after: $after) { + pageInfo { hasNextPage endCursor } + edges { + node { + id + modalities + modified + } + } + } + } + """ +) + + +def _iter_dataset_info( + session: Client, + *, + page_size: int, +) -> Iterable[dict]: + """Iterate over all datasets with id, modalities, and modified date.""" + cursor: str | None = None + while True: + variables = { + "first": page_size, + "after": cursor, + } + result = session.execute(DATASETS_QUERY, variable_values=variables) + page = result["datasets"] + if not page: + return + for edge in page["edges"]: + node = edge["node"] + dataset_id = node["id"] + modalities = node.get("modalities", []) + modified = node.get("modified") + + # Yield one entry per modality + for modality in modalities: + yield { + "dataset_id": dataset_id, + "modality": modality, + "last_update": modified, + } + + if not page["pageInfo"]["hasNextPage"]: + break + cursor = page["pageInfo"]["endCursor"] + + +def _build_client(token: str | None, timeout: float, retries: int) -> Client: + headers = {"Authorization": f"Bearer {token}"} if token else {} + transport = RequestsHTTPTransport( + url=GRAPHQL_URL, + timeout=timeout, + retries=retries, + verify=True, + headers=headers, + ) + return Client(transport=transport, fetch_schema_from_transport=False) + + +def parse_args() -> argparse.Namespace: + parser = argparse.ArgumentParser( + description="Fetch all OpenNeuro datasets with metadata (id, modality, last update date)." + ) + parser.add_argument( + "--page-size", + type=int, + default=100, + help="GraphQL page size.", + ) + parser.add_argument( + "--timeout", + type=float, + default=30.0, + help="GraphQL request timeout in seconds.", + ) + parser.add_argument( + "--retries", + type=int, + default=5, + help="Number of automatic retries for 5xx/429 responses.", + ) + parser.add_argument( + "--output", + type=Path, + default=Path("consolidated/openneuro_datasets.json"), + help="Path to save results as JSON (default: consolidated/openneuro_datasets.json).", + ) + return parser.parse_args() + + +def _write_results(results: list[dict], output: Path) -> None: + output = output.expanduser() + output.parent.mkdir(parents=True, exist_ok=True) + with output.open("w", encoding="utf-8") as fh: + json.dump(results, fh, indent=2) + + +def main() -> None: + args = parse_args() + + token = os.getenv("OPENNEURO_TOKEN") + + client = _build_client(token, args.timeout, args.retries) + + with client as session: + datasets = list(_iter_dataset_info(session, page_size=args.page_size)) + print(f"Fetched {len(datasets)} dataset entries") + for entry in datasets[:5]: # Show first 5 as preview + print( + f" {entry['dataset_id']} ({entry['modality']}) - Updated: {entry['last_update']}" + ) + if len(datasets) > 5: + print(f" ... and {len(datasets) - 5} more") + + _write_results(datasets, args.output) + print(f"\nSaved {len(datasets)} datasets to {args.output}") + + +if __name__ == "__main__": + main() From 58cf3771bcbea3a515b4f66ae4c2fae61f7d7f09 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 24 Oct 2025 19:31:27 +0200 Subject: [PATCH 03/34] updating the fetch dataset --- .../ingestions/fetch_openneuro_datasets.py | 178 +++++++++--------- 1 file changed, 84 insertions(+), 94 deletions(-) diff --git a/scripts/ingestions/fetch_openneuro_datasets.py b/scripts/ingestions/fetch_openneuro_datasets.py index cbc03083..4deed8e2 100644 --- a/scripts/ingestions/fetch_openneuro_datasets.py +++ b/scripts/ingestions/fetch_openneuro_datasets.py @@ -1,9 +1,8 @@ -"""Fetch OpenNeuro dataset IDs for one or more modalities using gql.""" +"""Fetch OpenNeuro dataset IDs with metadata using gql.""" import argparse import json -import os -from collections.abc import Iterable +from collections.abc import Iterator from pathlib import Path from gql import Client, gql @@ -13,14 +12,16 @@ DATASETS_QUERY = gql( """ - query ($first: Int!, $after: String) { - datasets(first: $first, after: $after) { + query ($modality: String!, $first: Int!, $after: String) { + datasets(modality: $modality, first: $first, after: $after) { pageInfo { hasNextPage endCursor } edges { node { id - modalities - modified + created + latestSnapshot { + created + } } } } @@ -29,110 +30,99 @@ ) -def _iter_dataset_info( - session: Client, - *, - page_size: int, -) -> Iterable[dict]: - """Iterate over all datasets with id, modalities, and modified date.""" - cursor: str | None = None - while True: - variables = { - "first": page_size, - "after": cursor, - } - result = session.execute(DATASETS_QUERY, variable_values=variables) - page = result["datasets"] - if not page: - return - for edge in page["edges"]: - node = edge["node"] - dataset_id = node["id"] - modalities = node.get("modalities", []) - modified = node.get("modified") - - # Yield one entry per modality - for modality in modalities: - yield { - "dataset_id": dataset_id, - "modality": modality, - "last_update": modified, - } - - if not page["pageInfo"]["hasNextPage"]: - break - cursor = page["pageInfo"]["endCursor"] - - -def _build_client(token: str | None, timeout: float, retries: int) -> Client: - headers = {"Authorization": f"Bearer {token}"} if token else {} +def fetch_datasets( + page_size: int = 100, + timeout: float = 30.0, + retries: int = 5, +) -> Iterator[dict]: + """Fetch all OpenNeuro datasets with id and modality.""" transport = RequestsHTTPTransport( url=GRAPHQL_URL, timeout=timeout, retries=retries, verify=True, - headers=headers, ) - return Client(transport=transport, fetch_schema_from_transport=False) + client = Client(transport=transport, fetch_schema_from_transport=False) + + modalities = ["eeg", "ieeg", "meg"] + + for modality in modalities: + cursor: str | None = None + while True: + try: + result = client.execute( + DATASETS_QUERY, + variable_values={ + "modality": modality, + "first": page_size, + "after": cursor, + }, + ) + except Exception as e: + # If we hit an error on a specific dataset, skip to next page + print( + f" Warning: Error fetching {modality} datasets at cursor {cursor}: {e}" + ) + if page_size > 10: + page_size = max(10, page_size // 2) # Reduce page size + continue + break + + page = result["datasets"] + if not page: + break + + for edge in page["edges"]: + node = edge.get("node") + if not node: + continue + + # Get creation and last update dates + created = node.get("created") + latest_snapshot = node.get("latestSnapshot") + modified = latest_snapshot.get("created") if latest_snapshot else None + yield { + "dataset_id": node.get("id"), + "modality": modality, + "created": created, + "modified": modified, + } + + if not page["pageInfo"]["hasNextPage"]: + break + cursor = page["pageInfo"]["endCursor"] -def parse_args() -> argparse.Namespace: + +def main() -> None: parser = argparse.ArgumentParser( - description="Fetch all OpenNeuro datasets with metadata (id, modality, last update date)." - ) - parser.add_argument( - "--page-size", - type=int, - default=100, - help="GraphQL page size.", - ) - parser.add_argument( - "--timeout", - type=float, - default=30.0, - help="GraphQL request timeout in seconds.", - ) - parser.add_argument( - "--retries", - type=int, - default=5, - help="Number of automatic retries for 5xx/429 responses.", + description="Fetch all OpenNeuro datasets with metadata." ) parser.add_argument( "--output", type=Path, default=Path("consolidated/openneuro_datasets.json"), - help="Path to save results as JSON (default: consolidated/openneuro_datasets.json).", + help="Output JSON file (default: consolidated/openneuro_datasets.json).", + ) + parser.add_argument("--page-size", type=int, default=100) + parser.add_argument("--timeout", type=float, default=30.0) + parser.add_argument("--retries", type=int, default=5) + args = parser.parse_args() + + # Fetch and save + datasets = list( + fetch_datasets( + page_size=args.page_size, + timeout=args.timeout, + retries=args.retries, + ) ) - return parser.parse_args() - - -def _write_results(results: list[dict], output: Path) -> None: - output = output.expanduser() - output.parent.mkdir(parents=True, exist_ok=True) - with output.open("w", encoding="utf-8") as fh: - json.dump(results, fh, indent=2) - - -def main() -> None: - args = parse_args() - - token = os.getenv("OPENNEURO_TOKEN") - - client = _build_client(token, args.timeout, args.retries) - with client as session: - datasets = list(_iter_dataset_info(session, page_size=args.page_size)) - print(f"Fetched {len(datasets)} dataset entries") - for entry in datasets[:5]: # Show first 5 as preview - print( - f" {entry['dataset_id']} ({entry['modality']}) - Updated: {entry['last_update']}" - ) - if len(datasets) > 5: - print(f" ... and {len(datasets) - 5} more") + args.output.parent.mkdir(parents=True, exist_ok=True) + with args.output.open("w", encoding="utf-8") as fh: + json.dump(datasets, fh, indent=2) - _write_results(datasets, args.output) - print(f"\nSaved {len(datasets)} datasets to {args.output}") + print(f"Saved {len(datasets)} dataset entries to {args.output}") if __name__ == "__main__": From 5d757d41628fd46e9112e8329e09d99114f95f83 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 24 Oct 2025 20:53:02 +0200 Subject: [PATCH 04/34] cloning --- .../workflows/clone-openneuro-datasets.yml | 98 +++++++++++ scripts/datasets.json | 1 - .../ingestions/clone_openneuro_datasets.py | 165 ++++++++++++++++++ 3 files changed, 263 insertions(+), 1 deletion(-) create mode 100644 .github/workflows/clone-openneuro-datasets.yml delete mode 100644 scripts/datasets.json create mode 100644 scripts/ingestions/clone_openneuro_datasets.py diff --git a/.github/workflows/clone-openneuro-datasets.yml b/.github/workflows/clone-openneuro-datasets.yml new file mode 100644 index 00000000..a3a97800 --- /dev/null +++ b/.github/workflows/clone-openneuro-datasets.yml @@ -0,0 +1,98 @@ +name: Clone OpenNeuro Datasets + +on: + schedule: + # Run weekly on Monday at 02:00 UTC (after fetch completes) + - cron: '0 2 * * 1' + workflow_dispatch: # Allow manual triggering + # TODO: Add other triggers here as needed + +jobs: + clone-datasets: + runs-on: ubuntu-latest + timeout-minutes: 720 # 12 hours max for all clones + + steps: + - name: Checkout repository + uses: actions/checkout@v4 + with: + fetch-depth: 0 + + - name: Set up Python + uses: actions/setup-python@v4 + with: + python-version: '3.11' + + - name: Verify Python script and dataset listings + run: | + if [ ! -f scripts/ingestions/clone_openneuro_datasets.py ]; then + echo "Error: clone_openneuro_datasets.py not found" + exit 1 + fi + if [ ! -f consolidated/openneuro_datasets.json ]; then + echo "Error: consolidated/openneuro_datasets.json not found" + exit 1 + fi + DATASET_COUNT=$(jq 'length' consolidated/openneuro_datasets.json) + echo "Found $DATASET_COUNT dataset entries" + + - name: Create test_diggestion directory + run: mkdir -p test_diggestion + + - name: Clone OpenNeuro datasets + run: | + python scripts/ingestions/clone_openneuro_datasets.py \ + --output-dir test_diggestion \ + --timeout 300 \ + --datasets-file consolidated/openneuro_datasets.json + continue-on-error: true # Don't fail workflow if some clones fail + + - name: Generate clone report + if: always() + run: | + if [ -f test_diggestion/clone_results.json ]; then + echo "## Clone Results" >> $GITHUB_STEP_SUMMARY + echo "" >> $GITHUB_STEP_SUMMARY + jq -r '"- Success: \(.success | length)\n- Failed: \(.failed | length)\n- Timeout: \(.timeout | length)\n- Skipped: \(.skip | length)\n- Errors: \(.error | length)"' test_diggestion/clone_results.json >> $GITHUB_STEP_SUMMARY + fi + + - name: Upload clone results + if: always() + uses: actions/upload-artifact@v4 + with: + name: clone-results + path: | + test_diggestion/clone_results.json + test_diggestion/retry.json + retention-days: 30 + + - name: Create issue if clones failed + if: failure() + uses: actions/github-script@v7 + with: + script: | + const fs = require('fs'); + if (fs.existsSync('test_diggestion/clone_results.json')) { + const results = JSON.parse(fs.readFileSync('test_diggestion/clone_results.json')); + const failedCount = (results.failed || []).length + (results.timeout || []).length; + if (failedCount > 0) { + github.rest.issues.create({ + owner: context.repo.owner, + repo: context.repo.repo, + title: `⚠️ Dataset Cloning: ${failedCount} datasets failed`, + body: `Failed/timeout clones detected.\n\nSee artifacts for details: ${context.runId}`, + labels: ['ci', 'datasets'] + }); + } + } + + - name: Commit cloned datasets (optional) + if: success() + run: | + cd test_diggestion + git config --local user.email "action@github.com" + git config --local user.name "GitHub Action" + git add . + git commit -m "chore: update cloned OpenNeuro datasets" || echo "Nothing to commit" + git push + continue-on-error: true diff --git a/scripts/datasets.json b/scripts/datasets.json deleted file mode 100644 index fa5483e6..00000000 --- a/scripts/datasets.json +++ /dev/null @@ -1 +0,0 @@ -{"failed_datasets": ["ds004770", "ds002885", "ds004865", "ds003374", "ds005398", "ds003568", "ds004278", "ds004551", "ds003392", "ds005592", "ds000117", "ds004706", "ds004017", "ds003082", "ds000248", "ds004457", "ds003708", "ds005873", "ds004212", "ds004229", "ds004012", "ds004078", "ds002550", "ds005545", "ds004148", "ds005522", "ds005523", "ds001784", "ds005507", "ds004944", "ds003922", "ds004107", "ds004993", "ds003029", "ds004483", "ds005624", "ds004789", "ds004127", "ds002791", "ds005279", "ds003420", "ds004395", "ds004276", "ds003844", "ds004080", "ds005083", "ds004194", "ds004398", "ds003848", "ds005107", "ds003078", "ds004166", "ds004642", "ds004346", "ds003682", "ds002799", "ds000247", "ds005059", "ds005415", "ds003104", "ds005670", "ds005007", "ds005558", "ds003483", "ds005087", "ds004837", "ds003352", "ds004147", "ds005691", "ds002712", "ds004100", "ds005494", "ds005574", "ds005411", "ds005234", "ds004998", "ds003498", "ds005169", "ds004819", "ds004859", "ds004738", "ds005810", "ds005489", "ds005356", "ds005241", "ds004186", "ds004977", "ds002908", "ds003876", "ds003703", "ds005491", "ds002761", "ds003688", "ds004703", "ds004473", "ds004696", "ds005065", "ds003694", "ds000246", "ds003380", "ds002001", "ds004809", "ds004370", "ds003633", "ds004011", "ds004330", "ds004624", "ds005261", "ds005557"]} \ No newline at end of file diff --git a/scripts/ingestions/clone_openneuro_datasets.py b/scripts/ingestions/clone_openneuro_datasets.py new file mode 100644 index 00000000..88cbd8ab --- /dev/null +++ b/scripts/ingestions/clone_openneuro_datasets.py @@ -0,0 +1,165 @@ +"""Clone OpenNeuro datasets with timeout and error handling.""" + +import argparse +import json +import subprocess +import sys +import time +from pathlib import Path + + +def clone_dataset(dataset_id: str, output_dir: Path, timeout: int) -> dict: + """Clone a single dataset with timeout.""" + url = f"https://github.com/OpenNeuroDatasets/{dataset_id}" + clone_dir = output_dir / dataset_id + + # Skip if already cloned + if clone_dir.exists(): + return {"status": "skip", "dataset_id": dataset_id, "reason": "already exists"} + + try: + # Run git clone with timeout + result = subprocess.run( + ["git", "clone", url, str(clone_dir)], + timeout=timeout, + capture_output=True, + text=True, + ) + + if result.returncode == 0: + return {"status": "success", "dataset_id": dataset_id} + else: + # Clean up partial clone on failure + if clone_dir.exists(): + import shutil + + shutil.rmtree(clone_dir, ignore_errors=True) + return { + "status": "failed", + "dataset_id": dataset_id, + "error": result.stderr[:200], + } + + except subprocess.TimeoutExpired: + # Clean up partial clone on timeout + if clone_dir.exists(): + import shutil + + shutil.rmtree(clone_dir, ignore_errors=True) + return { + "status": "timeout", + "dataset_id": dataset_id, + "timeout_seconds": timeout, + } + + except Exception as e: + return {"status": "error", "dataset_id": dataset_id, "error": str(e)[:200]} + + +def main() -> None: + parser = argparse.ArgumentParser( + description="Clone all OpenNeuro datasets from consolidated listing." + ) + parser.add_argument( + "--output-dir", + type=Path, + default=Path("test_diggestion"), + help="Output directory for cloned repos (default: test_diggestion).", + ) + parser.add_argument( + "--timeout", + type=int, + default=300, + help="Timeout per clone in seconds (default: 300).", + ) + parser.add_argument( + "--datasets-file", + type=Path, + default=Path("consolidated/openneuro_datasets.json"), + help="JSON file with dataset listings.", + ) + parser.add_argument( + "--max-parallel", + type=int, + default=1, + help="Max parallel clones (currently single-threaded).", + ) + args = parser.parse_args() + + # Validate input file + if not args.datasets_file.exists(): + print(f"Error: {args.datasets_file} not found", file=sys.stderr) + sys.exit(1) + + # Load datasets + with args.datasets_file.open("r") as fh: + datasets = json.load(fh) + + # Get unique dataset IDs + dataset_ids = sorted(set(d["dataset_id"] for d in datasets)) + total = len(dataset_ids) + + print(f"Starting dataset cloning at {time.strftime('%Y-%m-%d %H:%M:%S')}") + print(f"Output directory: {args.output_dir}") + print(f"Timeout per clone: {args.timeout}s") + print(f"Total unique datasets: {total}") + print() + + # Create output directory + args.output_dir.mkdir(parents=True, exist_ok=True) + + # Clone datasets + results = { + "success": [], + "failed": [], + "timeout": [], + "skip": [], + "error": [], + } + + for idx, dataset_id in enumerate(dataset_ids, start=1): + print(f"[{idx}/{total}] Cloning {dataset_id}...", end=" ", flush=True) + + result = clone_dataset(dataset_id, args.output_dir, args.timeout) + status = result.pop("status") + results[status].append(result) + + if status == "success": + print("✓") + elif status == "skip": + print("⊘ (already exists)") + elif status == "timeout": + print(f"⏱ (timeout after {args.timeout}s)") + elif status == "failed": + print(f"✗ (error: {result.get('error', 'unknown')})") + else: + print(f"? (error: {result.get('error', 'unknown')})") + + # Summary + print() + print("=" * 50) + print(f"Cloning completed at {time.strftime('%Y-%m-%d %H:%M:%S')}") + print(f"Success: {len(results['success'])}") + print(f"Failed: {len(results['failed'])}") + print(f"Timeout: {len(results['timeout'])}") + print(f"Skipped: {len(results['skip'])}") + print(f"Errors: {len(results['error'])}") + print("=" * 50) + + # Save results + results_file = args.output_dir / "clone_results.json" + with results_file.open("w") as fh: + json.dump(results, fh, indent=2) + print(f"Results saved to: {results_file}") + + # Save failed/timeout for retry + if results["failed"] or results["timeout"]: + retry_file = args.output_dir / "retry.json" + retry_ids = [d["dataset_id"] for d in results["failed"] + results["timeout"]] + with retry_file.open("w") as fh: + json.dump(retry_ids, fh, indent=2) + print(f"Retry list saved to: {retry_file}") + + +if __name__ == "__main__": + main() From 37ebae0c8de6220f758a312c3d5c133aae8131a6 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Sat, 25 Oct 2025 22:19:04 +0200 Subject: [PATCH 05/34] updating --- eegdash/dataset/bids_dataset.py | 109 +++++++++++++++++++++++++++++--- 1 file changed, 100 insertions(+), 9 deletions(-) diff --git a/eegdash/dataset/bids_dataset.py b/eegdash/dataset/bids_dataset.py index 1788765e..92aec03d 100644 --- a/eegdash/dataset/bids_dataset.py +++ b/eegdash/dataset/bids_dataset.py @@ -31,6 +31,10 @@ class EEGBIDSDataset: The path to the local BIDS dataset directory. dataset : str A name for the dataset (e.g., "ds002718"). + allow_symlinks : bool, default False + If True, accept broken symlinks (e.g., git-annex) for metadata extraction. + If False, require actual readable files for data loading. + Set to True when doing metadata digestion without loading raw data. """ @@ -53,6 +57,7 @@ def __init__( self, data_dir=None, # location of bids dataset dataset="", # dataset name + allow_symlinks=False, # allow broken symlinks for digestion ): if data_dir is None or not os.path.exists(data_dir): raise ValueError("data_dir must be specified and must exist") @@ -60,6 +65,7 @@ def __init__( self.bidsdir = Path(data_dir) self.dataset = dataset self.data_dir = data_dir + self.allow_symlinks = allow_symlinks # Accept exact dataset folder or a variant with informative suffixes # (e.g., dsXXXXX-bdf, dsXXXXX-bdf-mini) to avoid collisions. @@ -93,19 +99,22 @@ def _init_bids_paths(self) -> None: """Initialize BIDS file paths using mne_bids for fast discovery. Uses mne_bids.find_matching_paths() for efficient pattern-based file - discovery instead of heavy pybids BIDSLayout indexing. + discovery. Falls back to manual glob search if needed. + + When allow_symlinks=True, includes broken symlinks (e.g., git-annex) + for metadata extraction without requiring actual data files. """ # Initialize cache for BIDSPath objects self._bids_path_cache = {} - # Find all EEG recordings using pattern matching (fast!) + # Find all EEG recordings self.files = [] for ext in self.RAW_EXTENSIONS.keys(): - # find_matching_paths returns BIDSPath objects - paths = find_matching_paths(self.bidsdir, datatypes="eeg", extensions=ext) - if paths: - # Convert BIDSPath objects to filename strings - self.files = [str(p.fpath) for p in paths] + found_files = _find_eeg_files( + self.bidsdir, ext, allow_symlinks=self.allow_symlinks + ) + if found_files: + self.files = found_files break def _get_bids_path_from_file(self, data_filepath: str): @@ -174,10 +183,23 @@ def _get_json_with_inheritance( # Walk up from file directory to root, collecting JSON files while current_dir >= root_dir: + # Try exact match first (e.g., "eeg.json" at root level) json_path = current_dir / json_filename if json_path.exists(): with open(json_path) as f: json_dict.update(json.load(f)) + else: + # Look for BIDS-specific JSON files (e.g., "sub-001_task-rest_eeg.json") + # Match files ending with the json_filename pattern + for json_file in current_dir.glob(f"*_{json_filename}"): + # Check if this JSON corresponds to the data file + data_basename = Path(data_filepath).stem + json_basename = json_file.stem + # They should share the same BIDS entities prefix + if data_basename.split("_eeg")[0] == json_basename.split("_eeg")[0]: + with open(json_file) as f: + json_dict.update(json.load(f)) + break # Stop at BIDS root (contains dataset_description.json) if (current_dir / "dataset_description.json").exists(): @@ -243,8 +265,14 @@ def get_bids_metadata_files( """ if isinstance(filepath, str): filepath = Path(filepath) - if not filepath.exists(): - raise ValueError(f"filepath {filepath} does not exist") + + # Validate file based on current mode + if not _is_valid_eeg_file(filepath, allow_symlinks=self.allow_symlinks): + raise ValueError( + f"filepath {filepath} does not exist. " + f"If doing metadata extraction from git-annex, set allow_symlinks=True" + ) + path, filename = os.path.split(filepath) basename = filename[: filename.rfind("_")] meta_files = self._get_bids_file_inheritance( @@ -440,4 +468,67 @@ def eeg_json(self, data_filepath: str) -> dict[str, Any]: return self._get_json_with_inheritance(data_filepath, "eeg.json") +def _is_valid_eeg_file(filepath: Path, allow_symlinks: bool = False) -> bool: + """Check if a file path is valid for EEG processing. + + Parameters + ---------- + filepath : Path + The file path to check. + allow_symlinks : bool, default False + If True, accept broken symlinks (e.g., git-annex pointers). + If False, only accept files that actually exist and can be read. + + Returns + ------- + bool + True if the file is valid for the current mode. + + """ + if filepath.exists(): + return True + if allow_symlinks and filepath.is_symlink(): + return True + return False + + +def _find_eeg_files( + bidsdir: Path, extension: str, allow_symlinks: bool = False +) -> list[str]: + """Find EEG files in a BIDS directory. + + Parameters + ---------- + bidsdir : Path + The BIDS dataset root directory. + extension : str + File extension to search for (e.g., '.set', '.bdf'). + allow_symlinks : bool, default False + If True, include broken symlinks in results (for metadata extraction). + If False, only return files that can be read (for data loading). + + Returns + ------- + list of str + List of file paths found. + + """ + # First try mne_bids (fast, but skips broken symlinks) + if not allow_symlinks: + paths = find_matching_paths(bidsdir, datatypes="eeg", extensions=extension) + if paths: + return [str(p.fpath) for p in paths] + + # Fallback: manual glob search (finds symlinks too) + pattern = f"**/eeg/*{extension}" + found = list(bidsdir.glob(pattern)) + + # Filter based on validation mode + valid_files = [ + str(f) for f in found if _is_valid_eeg_file(f, allow_symlinks=allow_symlinks) + ] + + return valid_files + + __all__ = ["EEGBIDSDataset"] From 6a7251063a173ef838acb59e4388414f311a98ea Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Sat, 25 Oct 2025 22:25:55 +0200 Subject: [PATCH 06/34] iterating --- ...asets.py => 1_fetch_openneuro_datasets.py} | 0 ...asets.py => 2_clone_openneuro_datasets.py} | 0 .../ingestions/3_filter_existant_dataset.py | 2 + scripts/ingestions/4_digest_single_dataset.py | 326 ++++++++++++ scripts/ingestions/README.md | 481 ++++++++++++++++++ 5 files changed, 809 insertions(+) rename scripts/ingestions/{fetch_openneuro_datasets.py => 1_fetch_openneuro_datasets.py} (100%) rename scripts/ingestions/{clone_openneuro_datasets.py => 2_clone_openneuro_datasets.py} (100%) create mode 100644 scripts/ingestions/3_filter_existant_dataset.py create mode 100644 scripts/ingestions/4_digest_single_dataset.py create mode 100644 scripts/ingestions/README.md diff --git a/scripts/ingestions/fetch_openneuro_datasets.py b/scripts/ingestions/1_fetch_openneuro_datasets.py similarity index 100% rename from scripts/ingestions/fetch_openneuro_datasets.py rename to scripts/ingestions/1_fetch_openneuro_datasets.py diff --git a/scripts/ingestions/clone_openneuro_datasets.py b/scripts/ingestions/2_clone_openneuro_datasets.py similarity index 100% rename from scripts/ingestions/clone_openneuro_datasets.py rename to scripts/ingestions/2_clone_openneuro_datasets.py diff --git a/scripts/ingestions/3_filter_existant_dataset.py b/scripts/ingestions/3_filter_existant_dataset.py new file mode 100644 index 00000000..aa413cbf --- /dev/null +++ b/scripts/ingestions/3_filter_existant_dataset.py @@ -0,0 +1,2 @@ +# TO-DO later, implement a check to see if the dataset already exists in the database +# OR if the latest snapshot is already ingested. diff --git a/scripts/ingestions/4_digest_single_dataset.py b/scripts/ingestions/4_digest_single_dataset.py new file mode 100644 index 00000000..b904ef1e --- /dev/null +++ b/scripts/ingestions/4_digest_single_dataset.py @@ -0,0 +1,326 @@ +r"""Digest a single OpenNeuro dataset and generate JSON for MongoDB ingestion. + +This script processes a single BIDS dataset to extract metadata and create +a two-tier JSON structure optimized for the new EEGDash API Gateway architecture: + +- Core metadata: Essential fields needed to load the dataset (always loaded) +- Enriched metadata: Additional information loaded on-demand for performance + +The generated JSON files are ready for ingestion into MongoDB via the API Gateway +at https://data.eegdash.org using the admin endpoints. + +Architecture: + MongoDB (via API Gateway) <- JSON files <- This script <- BIDS dataset + +Output files: + - {dataset_id}_core.json: Core metadata for efficient querying + - {dataset_id}_enriched.json: Extended metadata loaded on-demand + - {dataset_id}_full_manifest.json: Complete metadata for reference + - {dataset_id}_summary.json: Processing summary and statistics +Usage: + python digest_single_dataset.py ds002718 --dataset-dir test_diggestion/ds002718 +Upload to MongoDB: + curl -X POST https://data.eegdash.org/admin/eegdashstaging/records/bulk \\ + -H "Authorization: Bearer AdminWrite2025SecureToken" \\ + -H "Content-Type: application/json" \\ + -d @digestion_output/ds002718/ds002718_core.json +""" + +import argparse +import json +import sys +from pathlib import Path +from typing import Any + + +def split_core_and_enriched_metadata(record: dict[str, Any]) -> tuple[dict, dict]: + """Split a record into core and enriched metadata. + + Core metadata includes fields strictly necessary to: + - Identify the recording + - Locate the data file + - Load the dataset + + Enriched metadata includes: + - Participant information + - EEG technical details + - BIDS dependencies + - Additional JSON metadata + + Parameters + ---------- + record : dict + The full metadata record from EEGDash + + Returns + ------- + core : dict + Core metadata fields (always loaded) + enriched : dict + Enriched metadata fields (loaded on-demand) + + """ + # Core fields: minimal set to identify and load the recording + core_fields = { + "data_name", # Unique identifier + "dataset", # Dataset ID (e.g., ds002718) + "bidspath", # Path within BIDS structure + "subject", # Subject identifier + "task", # Task name + "session", # Session identifier (optional) + "run", # Run number (optional) + "modality", # Data modality (eeg, meg, etc.) + "sampling_frequency", # Sampling rate (needed for basic validation) + "nchans", # Number of channels + "ntimes", # Number of time points + } + + core = {k: record.get(k) for k in core_fields if k in record} + + # Everything else goes into enriched metadata + enriched = {k: v for k, v in record.items() if k not in core_fields} + + return core, enriched + + +def digest_dataset( + dataset_id: str, + dataset_dir: Path, + output_dir: Path, +) -> dict[str, Any]: + """Process a single dataset and generate JSON metadata. + + Parameters + ---------- + dataset_id : str + Dataset identifier (e.g., "ds002718") + dataset_dir : Path + Path to the local BIDS dataset directory + output_dir : Path + Directory where JSON output will be saved + + Returns + ------- + dict + Summary of the digestion process + + """ + if not dataset_dir.exists(): + raise FileNotFoundError(f"Dataset directory not found: {dataset_dir}") + + print(f"Processing dataset: {dataset_id}") + print(f" Source: {dataset_dir}") + print(f" Output: {output_dir}") + print() + + # Extract metadata directly from BIDS dataset (no DB connection needed) + from eegdash.bids_eeg_metadata import load_eeg_attrs_from_bids_file + from eegdash.dataset.bids_dataset import EEGBIDSDataset + + try: + # Use allow_symlinks=True for metadata extraction without loading raw data + # This allows processing git-annex repositories where files are symlinks + bids_dataset = EEGBIDSDataset( + data_dir=str(dataset_dir), + dataset=dataset_id, + allow_symlinks=True, # Enable metadata extraction from symlinked files + ) + print(f"✓ Loaded BIDS dataset: {len(bids_dataset.get_files())} files found") + print(" Mode: Metadata extraction (symlinks allowed)") + except Exception as exc: + print(f"✗ Error creating BIDS dataset: {exc}") + return { + "status": "error", + "dataset_id": dataset_id, + "error": str(exc), + } + + # Extract metadata for each file + records = [] + errors = [] + + print("\nExtracting metadata from files...") + for idx, bids_file in enumerate(bids_dataset.get_files(), 1): + file_name = Path(bids_file).name + print( + f" [{idx:3d}/{len(bids_dataset.get_files()):3d}] {file_name[:50]:<50}", + end=" ", + ) + + try: + eeg_attrs = load_eeg_attrs_from_bids_file(bids_dataset, bids_file) + records.append(eeg_attrs) + print("✓") + except Exception as exc: + print(f"✗ {str(exc)[:50]}") + errors.append({"file": str(bids_file), "error": str(exc)}) + + manifest = { + "dataset": dataset_id, + "source": str(dataset_dir.resolve()), + "record_count": len(records), + "records": records, + } + if errors: + manifest["errors"] = errors + + print(f"\n✓ Extracted metadata for {manifest['record_count']} recordings") + if manifest.get("errors"): + print(f" ⚠ {len(manifest['errors'])} errors encountered") + + # Split into core and enriched metadata + core_records = [] + enriched_records = [] + + for record in manifest["records"]: + core, enriched = split_core_and_enriched_metadata(record) + + # Store data_name in enriched for linking + if "data_name" in core: + enriched["data_name"] = core["data_name"] + + core_records.append(core) + enriched_records.append(enriched) + + # Save outputs + output_dir.mkdir(parents=True, exist_ok=True) + + # 1. Full manifest (for reference/debugging) + full_manifest_path = output_dir / f"{dataset_id}_full_manifest.json" + with full_manifest_path.open("w", encoding="utf-8") as f: + json.dump(manifest, f, indent=2, default=_json_serializer) + print(f"\n✓ Saved full manifest: {full_manifest_path}") + + # 2. Core metadata (for efficient loading) + core_manifest = { + "dataset": dataset_id, + "record_count": len(core_records), + "records": core_records, + } + core_path = output_dir / f"{dataset_id}_core.json" + with core_path.open("w", encoding="utf-8") as f: + json.dump(core_manifest, f, indent=2, default=_json_serializer) + print(f"✓ Saved core metadata: {core_path}") + + # 3. Enriched metadata (for on-demand loading) + enriched_manifest = { + "dataset": dataset_id, + "record_count": len(enriched_records), + "records": enriched_records, + } + enriched_path = output_dir / f"{dataset_id}_enriched.json" + with enriched_path.open("w", encoding="utf-8") as f: + json.dump(enriched_manifest, f, indent=2, default=_json_serializer) + print(f"✓ Saved enriched metadata: {enriched_path}") + + # Create summary + summary = { + "status": "success", + "dataset_id": dataset_id, + "record_count": manifest["record_count"], + "error_count": len(manifest.get("errors", [])), + "outputs": { + "full_manifest": str(full_manifest_path), + "core_metadata": str(core_path), + "enriched_metadata": str(enriched_path), + }, + "upload_instructions": { + "description": "Upload to MongoDB via API Gateway", + "endpoint": "https://data.eegdash.org/admin/{database}/records/bulk", + "auth_header": "Authorization: Bearer AdminWrite2025SecureToken", + "example_curl": f"curl -X POST https://data.eegdash.org/admin/eegdashstaging/records/bulk -H 'Authorization: Bearer AdminWrite2025SecureToken' -H 'Content-Type: application/json' -d @{core_path}", + }, + } + + # Save summary + summary_path = output_dir / f"{dataset_id}_summary.json" + with summary_path.open("w", encoding="utf-8") as f: + json.dump(summary, f, indent=2) + print(f"✓ Saved summary: {summary_path}") + + return summary + + +def _json_serializer(obj): + """Handle non-serializable objects for JSON export.""" + from pathlib import Path + + import numpy as np + import pandas as pd + + if isinstance(obj, (np.integer, np.floating)): + return obj.item() + elif isinstance(obj, np.ndarray): + return obj.tolist() + elif isinstance(obj, Path): + return str(obj) + elif isinstance(obj, set): + return sorted(list(obj)) + elif pd.isna(obj): + return None + elif isinstance(obj, (pd.Timestamp, pd.Timedelta)): + return obj.isoformat() + + raise TypeError(f"Object of type {type(obj).__name__} is not JSON serializable") + + +def main(): + parser = argparse.ArgumentParser( + description="Digest a single OpenNeuro dataset to extract metadata." + ) + parser.add_argument( + "dataset_id", + type=str, + help="Dataset identifier (e.g., ds002718)", + ) + parser.add_argument( + "--dataset-dir", + type=Path, + required=True, + help="Path to the local BIDS dataset directory", + ) + parser.add_argument( + "--output-dir", + type=Path, + default=Path("digestion_output"), + help="Directory for output JSON files (default: digestion_output)", + ) + + args = parser.parse_args() + + try: + summary = digest_dataset( + dataset_id=args.dataset_id, + dataset_dir=args.dataset_dir, + output_dir=args.output_dir, + ) + + print("\n" + "=" * 60) + print("Digestion completed successfully!") + print("=" * 60) + print(f"Dataset: {summary['dataset_id']}") + print(f"Records processed: {summary['record_count']}") + if summary["error_count"] > 0: + print(f"Errors: {summary['error_count']}") + print("\nOutputs:") + for name, path in summary["outputs"].items(): + print(f" {name}: {path}") + print("\n" + "=" * 60) + print("Next Steps: Upload to MongoDB") + print("=" * 60) + print("\nTo upload the core metadata to MongoDB:") + print(f"\n{summary['upload_instructions']['example_curl']}") + print("\nReplace 'eegdashstaging' with 'eegdash' for production database.") + + return 0 + + except Exception as e: + print(f"\n✗ Digestion failed: {e}", file=sys.stderr) + import traceback + + traceback.print_exc() + return 1 + + +if __name__ == "__main__": + sys.exit(main()) diff --git a/scripts/ingestions/README.md b/scripts/ingestions/README.md new file mode 100644 index 00000000..10fadc4c --- /dev/null +++ b/scripts/ingestions/README.md @@ -0,0 +1,481 @@ +# OpenNeuro Dataset Digestion Pipeline + +This directory contains scripts for the EEGDash dataset ingestion pipeline, designed to extract metadata from OpenNeuro BIDS datasets and prepare it for MongoDB ingestion via the API Gateway. + +## Architecture Overview + +``` +┌─────────────────┐ +│ OpenNeuro │ +│ GitHub Repos │ +│ (git-annex) │ +└────────┬────────┘ + │ 1. Clone (symlinks only) + ▼ +┌─────────────────┐ +│ Local BIDS │ +│ Datasets │ +│ (test_diggestion)│ +│ *.set → annex/* │ ← Symlinks to annexed data +│ *.json, *.tsv │ ← Actual sidecar metadata +└────────┬────────┘ + │ 2. Digest (metadata only) + ▼ +┌─────────────────┐ +│ JSON Files │ +│ - Core │ +│ - Enriched │ +│ - Full │ +└────────┬────────┘ + │ 3. Upload + ▼ +┌─────────────────┐ +│ API Gateway │ +│ data.eegdash.org│ +└────────┬────────┘ + │ 4. Store + ▼ +┌─────────────────┐ +│ MongoDB │ +│ - eegdashstaging│ +│ - eegdash │ +└─────────────────┘ +``` + +### Two Operating Modes + +The `EEGBIDSDataset` class supports two modes via the `allow_symlinks` parameter: + +**Digestion Mode** (`allow_symlinks=True`): +- Purpose: Extract metadata without loading raw EEG data +- Use case: Initial dataset ingestion, metadata collection +- Accepts: Broken symlinks (git-annex), actual files +- Extracts from: JSON sidecars, TSV files, BIDS structure +- Requirements: Only metadata files need to exist + +**Loading Mode** (`allow_symlinks=False`, default): +- Purpose: Load actual EEG data for analysis +- Use case: Training models, running analyses, data processing +- Accepts: Only actual readable files +- Requires: Complete data files, not just symlinks +- Used by: `EEGDashDataset`, analysis scripts + +This separation allows efficient metadata collection from thousands of datasets without downloading terabytes of EEG data. + +## Scripts + +### 1. Clone Datasets: `clone_openneuro_datasets.py` + +Clones OpenNeuro datasets from GitHub to local storage. + +**Important Note on Git-Annex:** +Most OpenNeuro datasets use git-annex for large file management. After cloning, EEG data files are symlinks pointing to annexed objects that aren't downloaded by default. This is intentional - the digestion pipeline extracts metadata from BIDS sidecar files (JSON, TSV) without needing the actual EEG data. + +**Usage:** +```bash +python clone_openneuro_datasets.py \ + --output-dir test_diggestion \ + --datasets-file consolidated/openneuro_datasets.json \ + --timeout 300 +``` + +**Features:** +- Timeout protection (default: 5 minutes per dataset) +- Automatic retry on failure +- Progress tracking +- Results logging + +**Output:** +- Cloned datasets in `test_diggestion/` +- `clone_results.json` - detailed cloning results +- `retry.json` - list of failed datasets for retry + +--- + +### 2. Digest Dataset: `digest_single_dataset.py` + +Extracts metadata from a single BIDS dataset and generates JSON files optimized for MongoDB ingestion. + +**Usage:** +```bash +python digest_single_dataset.py ds002718 \ + --dataset-dir test_diggestion/ds002718 \ + --output-dir digestion_output/ds002718 +``` + +**Arguments:** +- `dataset_id` (required): Dataset identifier (e.g., `ds002718`) +- `--dataset-dir` (required): Path to local BIDS dataset +- `--output-dir` (optional): Output directory (default: `digestion_output`) + +**How It Handles Git-Annex:** +The script uses `allow_symlinks=True` when initializing the BIDS dataset, which enables metadata extraction from symlinked files without requiring the actual data. This is achieved through: +- Reading BIDS sidecar JSON files (e.g., `sub-001_task-rest_eeg.json`) +- Extracting technical parameters: `SamplingFrequency`, `EEGChannelCount`, `RecordingDuration` +- Reading participant information from `participants.tsv` +- Parsing BIDS file structure for subject, task, session, run information + +**Output Files:** + +1. **`{dataset_id}_core.json`** - Core metadata for MongoDB + - Essential fields only (data_name, dataset, bidspath, etc.) + - Optimized for fast querying + - Ready for bulk upload to MongoDB + +2. **`{dataset_id}_enriched.json`** - Extended metadata + - Participant information + - EEG technical details + - BIDS dependencies + - Additional JSON metadata from sidecar files + +3. **`{dataset_id}_full_manifest.json`** - Complete metadata + - All extracted information combined + - For reference and debugging + +4. **`{dataset_id}_summary.json`** - Processing summary + - Record counts + - Error statistics + - Upload instructions + +--- + +## Metadata Structure + +### Core Metadata Fields (Always Loaded) + +These fields are stored in MongoDB for efficient querying: + +```json +{ + "data_name": "ds002718_sub-012_task-RestingState_eeg.set", + "dataset": "ds002718", + "bidspath": "ds002718/sub-012/eeg/sub-012_task-RestingState_eeg.set", + "subject": "012", + "task": "RestingState", + "session": null, + "run": null, + "modality": "eeg", + "sampling_frequency": 500.0, + "nchans": 64, + "ntimes": 150000 +} +``` + +### Enriched Metadata Fields (Loaded On-Demand) + +Additional information loaded only when needed: + +```json +{ + "data_name": "ds002718_sub-012_task-RestingState_eeg.set", + "participant_tsv": { + "age": 25, + "sex": "M", + "handedness": "R" + }, + "eeg_json": { + "PowerLineFrequency": 60, + "EEGReference": "Average", + "EEGGround": "AFz", + "InstitutionName": "University Example" + }, + "bidsdependencies": [ + "sub-012/eeg/sub-012_task-RestingState_channels.tsv", + "sub-012/eeg/sub-012_task-RestingState_events.tsv" + ] +} +``` + +--- + +## MongoDB Ingestion via API Gateway + +### Upload Core Metadata + +After digestion, upload the core metadata to MongoDB using the API Gateway: + +**For Staging Database:** +```bash +curl -X POST https://data.eegdash.org/admin/eegdashstaging/records/bulk \ + -H "Authorization: Bearer AdminWrite2025SecureToken" \ + -H "Content-Type: application/json" \ + -d @digestion_output/ds002718/ds002718_core.json +``` + +**For Production Database:** +```bash +curl -X POST https://data.eegdash.org/admin/eegdash/records/bulk \ + -H "Authorization: Bearer AdminWrite2025SecureToken" \ + -H "Content-Type: application/json" \ + -d @digestion_output/ds002718/ds002718_core.json +``` + +**Expected Response:** +```json +{ + "success": true, + "database": "eegdashstaging", + "insertedCount": 42, + "message": "42 records inserted successfully" +} +``` + +--- + +## Complete Workflow Example + +### Step 1: Clone Datasets + +```bash +# Clone all datasets from OpenNeuro +python scripts/ingestions/clone_openneuro_datasets.py \ + --output-dir test_diggestion \ + --timeout 300 + +# Check results +cat test_diggestion/clone_results.json +``` + +### Step 2: Digest Individual Datasets + +```bash +# Digest a single dataset +python scripts/ingestions/digest_single_dataset.py ds002718 \ + --dataset-dir test_diggestion/ds002718 \ + --output-dir digestion_output/ds002718 + +# Output will be in digestion_output/ds002718/ +ls digestion_output/ds002718/ +# ds002718_core.json +# ds002718_enriched.json +# ds002718_full_manifest.json +# ds002718_summary.json +``` + +### Step 3: Review Output + +```bash +# Check processing summary +cat digestion_output/ds002718/ds002718_summary.json + +# Inspect core metadata (first 5 records) +cat digestion_output/ds002718/ds002718_core.json | jq '.records[:5]' +``` + +### Step 4: Upload to MongoDB + +```bash +# Upload to staging database +curl -X POST https://data.eegdash.org/admin/eegdashstaging/records/bulk \ + -H "Authorization: Bearer AdminWrite2025SecureToken" \ + -H "Content-Type: application/json" \ + -d @digestion_output/ds002718/ds002718_core.json + +# Verify upload +curl -H "Authorization: Bearer Competition2025AccessToken" \ + "https://data.eegdash.org/api/eegdashstaging/count?filter=%7B%22dataset%22%3A%22ds002718%22%7D" +``` + +--- + +## Batch Processing Multiple Datasets + +To process multiple datasets, create a shell script: + +```bash +#!/bin/bash +# batch_digest.sh + +DATASETS_DIR="test_diggestion" +OUTPUT_DIR="digestion_output" + +for dataset_dir in $DATASETS_DIR/ds*/; do + dataset_id=$(basename "$dataset_dir") + echo "Processing $dataset_id..." + + python scripts/ingestions/digest_single_dataset.py "$dataset_id" \ + --dataset-dir "$dataset_dir" \ + --output-dir "$OUTPUT_DIR/$dataset_id" + + if [ $? -eq 0 ]; then + echo "✓ $dataset_id digested successfully" + else + echo "✗ $dataset_id digestion failed" + fi +done +``` + +Run with: +```bash +chmod +x batch_digest.sh +./batch_digest.sh +``` + +--- + +## Error Handling + +### Common Errors + +**1. Dataset directory not found** +``` +Error: Dataset directory not found: test_diggestion/ds002718 +``` +Solution: Ensure the dataset has been cloned first. + +**2. Invalid BIDS structure** +``` +Error creating BIDS dataset: No EEG recordings found +``` +Solution: Verify the dataset contains valid EEG data in BIDS format. + +**3. Metadata extraction failure** +``` +✗ Error extracting metadata for sub-001_eeg.set: channels.tsv not found +``` +Solution: Check that all required BIDS sidecar files are present. + +### Error Logs + +Each digestion creates a summary with errors: + +```json +{ + "status": "success", + "dataset_id": "ds002718", + "record_count": 40, + "error_count": 2, + "outputs": {...}, + "errors": [ + { + "file": "sub-999/eeg/sub-999_task-rest_eeg.set", + "error": "channels.tsv not found" + } + ] +} +``` + +--- + +## Performance Optimization + +### Parallel Processing + +Process multiple datasets in parallel: + +```bash +#!/bin/bash +# parallel_digest.sh + +DATASETS_DIR="test_diggestion" +OUTPUT_DIR="digestion_output" +MAX_JOBS=4 + +find "$DATASETS_DIR" -maxdepth 1 -type d -name "ds*" | \ + parallel -j $MAX_JOBS ' + dataset_id=$(basename {}) + python scripts/ingestions/digest_single_dataset.py "$dataset_id" \ + --dataset-dir {} \ + --output-dir "'$OUTPUT_DIR'/$dataset_id" + ' +``` + +Requires: `sudo apt install parallel` (or `brew install parallel` on macOS) + +--- + +## Data Model Reference + +### MongoDB Collection Schema + +```javascript +{ + // Core metadata (indexed) + "_id": ObjectId("..."), + "data_name": String, // Unique identifier (indexed) + "dataset": String, // Dataset ID (indexed) + "bidspath": String, // S3 path to file + "subject": String, // Subject ID + "task": String, // Task name + "session": String | null, // Session ID + "run": String | null, // Run number + "modality": String, // Data modality + "sampling_frequency": Number, + "nchans": Number, + "ntimes": Number, + + // Enriched metadata (optional) + "participant_tsv": Object, // Participant info + "eeg_json": Object, // EEG technical metadata + "bidsdependencies": Array // Related BIDS files +} +``` + +### Indexes + +Core fields are indexed for fast querying: +- `data_name` (unique) +- `dataset` +- `subject` +- `task` + +--- + +## API Reference + +See `EEGDash-mongoDB-files/API_DOCUMENTATION.md` for complete API documentation. + +**Key Endpoints:** + +- **Upload Records (Bulk):** `POST /admin/{database}/records/bulk` +- **Query Records:** `GET /api/{database}/records` +- **Count Records:** `GET /api/{database}/count` +- **Get Metadata:** `GET /api/{database}/metadata/{dataset}` + +--- + +## Troubleshooting + +### Check Dataset Status + +```bash +# List all datasets in staging +curl -H "Authorization: Bearer Competition2025AccessToken" \ + https://data.eegdash.org/api/eegdashstaging/datasets + +# Count records for a dataset +curl -H "Authorization: Bearer Competition2025AccessToken" \ + "https://data.eegdash.org/api/eegdashstaging/count?filter=%7B%22dataset%22%3A%22ds002718%22%7D" +``` + +### Verify File Structure + +```bash +# Check BIDS validity +python -c " +from eegdash.dataset.bids_dataset import EEGBIDSDataset +ds = EEGBIDSDataset('test_diggestion/ds002718', 'ds002718') +print(f'Files found: {len(ds.get_files())}') +for f in ds.get_files()[:3]: + print(f' - {f}') +" +``` + +--- + +## Contributing + +When adding new features to the digestion pipeline: + +1. Ensure backward compatibility with existing JSON structure +2. Update both core and enriched metadata schemas +3. Test with multiple datasets of varying sizes +4. Document any new fields in this README + +--- + +## Related Documentation + +- **Architecture:** `EEGDash-mongoDB-files/ARCH_DOCUMENTATION.md` +- **API Documentation:** `EEGDash-mongoDB-files/API_DOCUMENTATION.md` +- **Main README:** `README.md` From 705df51c4577949ba32bb3cdef056fdbe1234405 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 7 Nov 2025 20:38:18 +0100 Subject: [PATCH 07/34] first step, fetching automatically --- ...l => 1-fetch-openneuro-datasets-nemar.yml} | 0 .../ingestions/1_fetch_github_organization.py | 208 ++++++++++++++++++ 2 files changed, 208 insertions(+) rename .github/workflows/{fetch-openneuro-datasets.yml => 1-fetch-openneuro-datasets-nemar.yml} (100%) create mode 100644 scripts/ingestions/1_fetch_github_organization.py diff --git a/.github/workflows/fetch-openneuro-datasets.yml b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml similarity index 100% rename from .github/workflows/fetch-openneuro-datasets.yml rename to .github/workflows/1-fetch-openneuro-datasets-nemar.yml diff --git a/scripts/ingestions/1_fetch_github_organization.py b/scripts/ingestions/1_fetch_github_organization.py new file mode 100644 index 00000000..cab7bdb3 --- /dev/null +++ b/scripts/ingestions/1_fetch_github_organization.py @@ -0,0 +1,208 @@ +"""Fetch GitHub organization repositories with metadata using GitHub API.""" + +import argparse +import json +from collections.abc import Iterator +from pathlib import Path +from typing import Optional + +import requests + +GITHUB_API_URL = "https://api.github.com" + + +def fetch_repositories( + organization: str = "nemardatasets", + page_size: int = 100, + timeout: float = 30.0, + retries: int = 5, + github_token: Optional[str] = None, +) -> Iterator[dict]: + """Fetch all repositories from a GitHub organization. + + Args: + organization: GitHub organization name + page_size: Number of repositories per page (max 100) + timeout: Request timeout in seconds + retries: Number of retry attempts + github_token: Optional GitHub personal access token for higher rate limits + + Yields: + Repository metadata dictionaries + + """ + headers = { + "Accept": "application/vnd.github.v3+json", + } + + # Add authentication if token provided (increases rate limit from 60 to 5000/hour) + if github_token: + headers["Authorization"] = f"token {github_token}" + + page = 1 + + while True: + url = f"{GITHUB_API_URL}/orgs/{organization}/repos" + params = { + "per_page": min(page_size, 100), # GitHub API max is 100 + "page": page, + "type": "all", # public, private, forks, sources, member, internal + "sort": "created", # created, updated, pushed, full_name + "direction": "asc", # asc or desc + } + + attempt = 0 + while attempt < retries: + try: + response = requests.get( + url, + headers=headers, + params=params, + timeout=timeout, + ) + + # Check rate limit + if ( + response.status_code == 403 + and "rate limit" in response.text.lower() + ): + print(" Warning: GitHub API rate limit exceeded") + print( + f" Rate limit reset: {response.headers.get('X-RateLimit-Reset', 'unknown')}" + ) + break + + response.raise_for_status() + repos = response.json() + + # If empty list, we've fetched all repositories + if not repos: + return + + for repo in repos: + yield { + "dataset_id": repo.get("name"), + "full_name": repo.get("full_name"), + "description": repo.get("description"), + "url": repo.get("html_url"), + "created": repo.get("created_at"), + "modified": repo.get("updated_at"), + "pushed": repo.get("pushed_at"), + "size_kb": repo.get("size"), + "default_branch": repo.get("default_branch"), + "topics": repo.get("topics", []), + "language": repo.get("language"), + "has_wiki": repo.get("has_wiki"), + "has_issues": repo.get("has_issues"), + "archived": repo.get("archived"), + "visibility": repo.get("visibility"), + "clone_url": repo.get("clone_url"), + "ssh_url": repo.get("ssh_url"), + } + + # Check if there are more pages + link_header = response.headers.get("Link", "") + if 'rel="next"' not in link_header: + return + + page += 1 + break + + except requests.exceptions.RequestException as e: + attempt += 1 + print( + f" Warning: Error fetching page {page} (attempt {attempt}/{retries}): {e}" + ) + if attempt >= retries: + print(f" Skipping to next page after {retries} failed attempts") + page += 1 + break + + +def main() -> None: + parser = argparse.ArgumentParser( + description="Fetch all repositories from a GitHub organization with metadata." + ) + parser.add_argument( + "--organization", + type=str, + default="nemardatasets", + help="GitHub organization name (default: nemardatasets)", + ) + parser.add_argument( + "--output", + type=Path, + default=Path("consolidated/github_organization_repos.json"), + help="Output JSON file (default: consolidated/github_organization_repos.json).", + ) + parser.add_argument( + "--page-size", + type=int, + default=100, + help="Repositories per page (max 100, default: 100)", + ) + parser.add_argument( + "--timeout", + type=float, + default=30.0, + help="Request timeout in seconds (default: 30.0)", + ) + parser.add_argument( + "--retries", + type=int, + default=5, + help="Number of retry attempts (default: 5)", + ) + parser.add_argument( + "--github-token", + type=str, + default=None, + help="GitHub personal access token (optional, increases rate limit)", + ) + args = parser.parse_args() + + # Fetch and save + print(f"Fetching repositories from GitHub organization: {args.organization}") + repositories = list( + fetch_repositories( + organization=args.organization, + page_size=args.page_size, + timeout=args.timeout, + retries=args.retries, + github_token=args.github_token, + ) + ) + + args.output.parent.mkdir(parents=True, exist_ok=True) + with args.output.open("w", encoding="utf-8") as fh: + json.dump(repositories, fh, indent=2) + + print(f"Saved {len(repositories)} repository entries to {args.output}") + + # Print summary + if repositories: + print("\nSummary:") + print(f" Organization: {args.organization}") + print(f" Total repositories: {len(repositories)}") + + # Count by language + languages = {} + for repo in repositories: + lang = repo.get("language") or "None" + languages[lang] = languages.get(lang, 0) + 1 + + print( + f" Languages: {dict(sorted(languages.items(), key=lambda x: x[1], reverse=True))}" + ) + + # Count archived + archived = sum(1 for repo in repositories if repo.get("archived")) + print(f" Archived: {archived}") + + # Count with topics + with_topics = sum(1 for repo in repositories if repo.get("topics")) + print(f" With topics: {with_topics}") + + +if __name__ == "__main__": + main() From feef9924ffca17e9d515e3acc36ad20b8b1615a7 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 7 Nov 2025 20:43:37 +0100 Subject: [PATCH 08/34] fetch openneuro --- .../1-fetch-openneuro-datasets-nemar.yml | 44 ++++++++++++++----- 1 file changed, 32 insertions(+), 12 deletions(-) diff --git a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml index 09558b8d..ce59fc3e 100644 --- a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml +++ b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml @@ -1,4 +1,4 @@ -name: Fetch OpenNeuro Datasets +name: Fetch OpenNeuro & NEMAR Datasets on: schedule: @@ -27,23 +27,39 @@ jobs: - name: Install dependencies run: | python -m pip install --upgrade pip - pip install gql[requests] + pip install gql[requests] requests - name: Fetch OpenNeuro datasets - env: - OPENNEURO_TOKEN: ${{ secrets.OPENNEURO_TOKEN }} run: | - python scripts/ingestions/fetch_openneuro_datasets.py \ + python scripts/ingestions/1_fetch_openneuro_datasets.py \ --page-size 100 \ --output consolidated/openneuro_datasets.json - - name: Verify output + - name: Fetch NEMAR GitHub repositories + env: + GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} + run: | + python scripts/ingestions/1_fetch_github_organization.py \ + --organization nemardatasets \ + --output consolidated/nemardatasets_repos.json + + - name: Verify OpenNeuro output run: | if [ -f consolidated/openneuro_datasets.json ]; then - echo "✓ Dataset file created successfully" + echo "✓ OpenNeuro dataset file created successfully" python -c "import json; data = json.load(open('consolidated/openneuro_datasets.json')); print(f'Total entries: {len(data)}'); modalities = set(d['modality'] for d in data); print(f'Modalities: {sorted(modalities)}')" else - echo "✗ Dataset file not created" + echo "✗ OpenNeuro dataset file not created" + exit 1 + fi + + - name: Verify NEMAR output + run: | + if [ -f consolidated/nemardatasets_repos.json ]; then + echo "✓ NEMAR repositories file created successfully" + python -c "import json; data = json.load(open('consolidated/nemardatasets_repos.json')); print(f'Total repositories: {len(data)}'); topics = set(); [topics.update(d.get('topics', [])) for d in data]; print(f'Topics: {sorted(topics) if topics else \"None\"}')" + else + echo "✗ NEMAR repositories file not created" exit 1 fi @@ -51,8 +67,10 @@ jobs: uses: EndBug/add-and-commit@v9 with: default_author: github_actions - message: 'chore: update OpenNeuro dataset listings' - add: 'consolidated/openneuro_datasets.json' + message: 'chore: update OpenNeuro & NEMAR dataset listings' + add: | + consolidated/openneuro_datasets.json + consolidated/nemardatasets_repos.json pull: '--rebase --autostash' push: true if: always() @@ -60,6 +78,8 @@ jobs: - name: Upload artifacts for downstream jobs uses: actions/upload-artifact@v4 with: - name: openneuro-datasets - path: consolidated/openneuro_datasets.json + name: dataset-listings + path: | + consolidated/openneuro_datasets.json + consolidated/nemardatasets_repos.json retention-days: 7 From 5728ac72499bf6ebf6760492913a67614aff6860 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 7 Nov 2025 20:47:12 +0100 Subject: [PATCH 09/34] including the 1-fetch-openneuro --- .github/workflows/1-fetch-openneuro-datasets-nemar.yml | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml index ce59fc3e..38fdd02e 100644 --- a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml +++ b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml @@ -1,9 +1,12 @@ name: Fetch OpenNeuro & NEMAR Datasets on: - schedule: - # Run weekly on Monday at 00:00 UTC - - cron: '0 0 * * 1' + pull_request: + branches: + - '**' + # schedule: + # # Run weekly on Monday at 00:00 UTC + # - cron: '0 0 * * 1' workflow_dispatch: # Allow manual triggering jobs: From 53a85fefa623f9c942109616181ef780e24805a8 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 7 Nov 2025 22:08:40 +0100 Subject: [PATCH 10/34] updating the fetch --- .../ingestions/1_fetch_github_organization.py | 8 ++- .../ingestions/1_fetch_openneuro_datasets.py | 64 +++++++++++++++---- 2 files changed, 59 insertions(+), 13 deletions(-) diff --git a/scripts/ingestions/1_fetch_github_organization.py b/scripts/ingestions/1_fetch_github_organization.py index cab7bdb3..79c3f6a7 100644 --- a/scripts/ingestions/1_fetch_github_organization.py +++ b/scripts/ingestions/1_fetch_github_organization.py @@ -80,8 +80,14 @@ def fetch_repositories( return for repo in repos: + repo_name = repo.get("name") + + # Skip special GitHub repositories + if repo_name in [".github", ".gitignore"]: + continue + yield { - "dataset_id": repo.get("name"), + "dataset_id": repo_name, "full_name": repo.get("full_name"), "description": repo.get("description"), "url": repo.get("html_url"), diff --git a/scripts/ingestions/1_fetch_openneuro_datasets.py b/scripts/ingestions/1_fetch_openneuro_datasets.py index 4deed8e2..21fa3059 100644 --- a/scripts/ingestions/1_fetch_openneuro_datasets.py +++ b/scripts/ingestions/1_fetch_openneuro_datasets.py @@ -33,7 +33,8 @@ def fetch_datasets( page_size: int = 100, timeout: float = 30.0, - retries: int = 5, + retries: int = 3, + max_consecutive_errors: int = 3, ) -> Iterator[dict]: """Fetch all OpenNeuro datasets with id and modality.""" transport = RequestsHTTPTransport( @@ -48,6 +49,9 @@ def fetch_datasets( for modality in modalities: cursor: str | None = None + consecutive_errors = 0 + error_cursors = set() # Track cursors that caused errors + while True: try: result = client.execute( @@ -58,21 +62,55 @@ def fetch_datasets( "after": cursor, }, ) + # Reset error counter on successful fetch + consecutive_errors = 0 + except Exception as e: - # If we hit an error on a specific dataset, skip to next page - print( - f" Warning: Error fetching {modality} datasets at cursor {cursor}: {e}" - ) - if page_size > 10: - page_size = max(10, page_size // 2) # Reduce page size + consecutive_errors += 1 + error_msg = str(e) + + # Check if it's a server-side 404 error for specific datasets + if "'Not Found'" in error_msg and cursor not in error_cursors: + print( + f" Warning: Skipping {modality} page at cursor {cursor} due to server error (attempt {consecutive_errors}/{max_consecutive_errors})" + ) + error_cursors.add(cursor) + + # Try to skip this problematic cursor by moving forward + if consecutive_errors < max_consecutive_errors: + # Try smaller page size to isolate the problematic dataset + if page_size > 10: + page_size = max(10, page_size // 2) + print( + f" Reducing page size to {page_size} to skip problematic dataset" + ) + continue + + # If we've tried multiple times, skip to next modality + print( + f" Skipping remaining {modality} datasets after {consecutive_errors} consecutive errors" + ) + break + else: + # For other errors, log and retry with exponential backoff + print(f" Error fetching {modality} datasets: {error_msg[:200]}") + if consecutive_errors >= max_consecutive_errors: + print( + f" Too many consecutive errors ({consecutive_errors}), moving to next modality" + ) + break continue - break - page = result["datasets"] + page = result.get("datasets") if not page: break - for edge in page["edges"]: + edges = page.get("edges", []) + if not edges: + break + + # Process each dataset in the page + for edge in edges: node = edge.get("node") if not node: continue @@ -89,9 +127,11 @@ def fetch_datasets( "modified": modified, } - if not page["pageInfo"]["hasNextPage"]: + # Check if there are more pages + page_info = page.get("pageInfo", {}) + if not page_info.get("hasNextPage"): break - cursor = page["pageInfo"]["endCursor"] + cursor = page_info.get("endCursor") def main() -> None: From e6b6a937b70b526460a4eaaaf8ffdcdb4307819b Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 7 Nov 2025 22:15:17 +0100 Subject: [PATCH 11/34] updating the fetch --- scripts/ingestions/1_fetch_github_organization.py | 15 +-------------- 1 file changed, 1 insertion(+), 14 deletions(-) diff --git a/scripts/ingestions/1_fetch_github_organization.py b/scripts/ingestions/1_fetch_github_organization.py index 79c3f6a7..e7dd7936 100644 --- a/scripts/ingestions/1_fetch_github_organization.py +++ b/scripts/ingestions/1_fetch_github_organization.py @@ -4,7 +4,6 @@ import json from collections.abc import Iterator from pathlib import Path -from typing import Optional import requests @@ -16,7 +15,6 @@ def fetch_repositories( page_size: int = 100, timeout: float = 30.0, retries: int = 5, - github_token: Optional[str] = None, ) -> Iterator[dict]: """Fetch all repositories from a GitHub organization. @@ -25,7 +23,6 @@ def fetch_repositories( page_size: Number of repositories per page (max 100) timeout: Request timeout in seconds retries: Number of retry attempts - github_token: Optional GitHub personal access token for higher rate limits Yields: Repository metadata dictionaries @@ -35,10 +32,6 @@ def fetch_repositories( "Accept": "application/vnd.github.v3+json", } - # Add authentication if token provided (increases rate limit from 60 to 5000/hour) - if github_token: - headers["Authorization"] = f"token {github_token}" - page = 1 while True: @@ -159,23 +152,17 @@ def main() -> None: default=5, help="Number of retry attempts (default: 5)", ) - parser.add_argument( - "--github-token", - type=str, - default=None, - help="GitHub personal access token (optional, increases rate limit)", - ) args = parser.parse_args() # Fetch and save print(f"Fetching repositories from GitHub organization: {args.organization}") + repositories = list( fetch_repositories( organization=args.organization, page_size=args.page_size, timeout=args.timeout, retries=args.retries, - github_token=args.github_token, ) ) From 26b360cfea2de1ec326cac3edf2bf4b605641e32 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 7 Nov 2025 22:17:10 +0100 Subject: [PATCH 12/34] saving the .json file and updating the fetch --- .github/workflows/1-fetch-openneuro-datasets-nemar.yml | 2 -- .gitignore | 1 - 2 files changed, 3 deletions(-) diff --git a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml index 38fdd02e..a371ed35 100644 --- a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml +++ b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml @@ -39,8 +39,6 @@ jobs: --output consolidated/openneuro_datasets.json - name: Fetch NEMAR GitHub repositories - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} run: | python scripts/ingestions/1_fetch_github_organization.py \ --organization nemardatasets \ diff --git a/.gitignore b/.gitignore index 59819db3..ab7b092a 100644 --- a/.gitignore +++ b/.gitignore @@ -39,7 +39,6 @@ examples/data .DS_Store data/ -*.json *.isorted *.py.isorted From 696a22b4d3a54fcf71e88fa0484071a7c0f1e995 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 7 Nov 2025 22:20:58 +0100 Subject: [PATCH 13/34] updating the fetch to add --- .../1-fetch-openneuro-datasets-nemar.yml | 31 ++++++++++++------- 1 file changed, 20 insertions(+), 11 deletions(-) diff --git a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml index a371ed35..9e9458ce 100644 --- a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml +++ b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml @@ -20,6 +20,8 @@ jobs: uses: actions/checkout@v4 with: token: ${{ secrets.GITHUB_TOKEN }} + ref: ${{ github.head_ref }} + fetch-depth: 0 - name: Set up Python uses: actions/setup-python@v4 @@ -64,17 +66,24 @@ jobs: exit 1 fi - - name: Commit changes if datasets updated - uses: EndBug/add-and-commit@v9 - with: - default_author: github_actions - message: 'chore: update OpenNeuro & NEMAR dataset listings' - add: | - consolidated/openneuro_datasets.json - consolidated/nemardatasets_repos.json - pull: '--rebase --autostash' - push: true - if: always() + - name: Commit and push changes if datasets updated + run: | + git config user.name "github-actions[bot]" + git config user.email "41898282+github-actions[bot]@users.noreply.github.com" + + # Add files to staging to check for actual changes + git add consolidated/openneuro_datasets.json + git add consolidated/nemardatasets_repos.json + + # Check if there are actual changes (not just timestamp differences) + if git diff --cached --quiet; then + echo "No changes detected in dataset files, skipping commit" + else + echo "Changes detected, committing..." + git commit -m "chore: update OpenNeuro & NEMAR dataset listings" + git push origin HEAD:${{ github.head_ref }} + echo "✓ Changes committed and pushed" + fi - name: Upload artifacts for downstream jobs uses: actions/upload-artifact@v4 From f35773e88fd9f73dabd5637e2032bedd7e8bd577 Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Fri, 7 Nov 2025 21:21:21 +0000 Subject: [PATCH 14/34] chore: update OpenNeuro & NEMAR dataset listings --- consolidated/nemardatasets_repos.json | 136 ++ consolidated/openneuro_datasets.json | 2708 +++++++++++++++++++++++++ 2 files changed, 2844 insertions(+) create mode 100644 consolidated/nemardatasets_repos.json create mode 100644 consolidated/openneuro_datasets.json diff --git a/consolidated/nemardatasets_repos.json b/consolidated/nemardatasets_repos.json new file mode 100644 index 00000000..9e647b59 --- /dev/null +++ b/consolidated/nemardatasets_repos.json @@ -0,0 +1,136 @@ +[ + { + "dataset_id": "ds004350", + "full_name": "nemarDatasets/ds004350", + "description": "OpenNeuro dataset available at https://openneuro.org/datasets/ds004350", + "url": "https://github.com/nemarDatasets/ds004350", + "created": "2024-05-28T19:21:08Z", + "modified": "2024-06-07T13:19:39Z", + "pushed": "2024-08-26T15:52:31Z", + "size_kb": 4221, + "default_branch": "main", + "topics": [], + "language": null, + "has_wiki": false, + "has_issues": false, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/ds004350.git", + "ssh_url": "git@github.com:nemarDatasets/ds004350.git" + }, + { + "dataset_id": "nm000107", + "full_name": "nemarDatasets/nm000107", + "description": "Meta Reality Labs Wrist Pose sEMG Dataset", + "url": "https://github.com/nemarDatasets/nm000107", + "created": "2025-10-07T00:16:09Z", + "modified": "2025-10-24T17:21:54Z", + "pushed": "2025-10-24T17:21:49Z", + "size_kb": 249, + "default_branch": "main", + "topics": [ + "bids", + "electromyography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000107.git", + "ssh_url": "git@github.com:nemarDatasets/nm000107.git" + }, + { + "dataset_id": "nm000105", + "full_name": "nemarDatasets/nm000105", + "description": "Meta Reality Labs Discrete Gestures sEMG Dataset", + "url": "https://github.com/nemarDatasets/nm000105", + "created": "2025-10-07T04:54:50Z", + "modified": "2025-10-24T17:19:54Z", + "pushed": "2025-10-24T17:19:49Z", + "size_kb": 1360, + "default_branch": "main", + "topics": [ + "bids", + "electromyography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000105.git", + "ssh_url": "git@github.com:nemarDatasets/nm000105.git" + }, + { + "dataset_id": "nm000106", + "full_name": "nemarDatasets/nm000106", + "description": "Meta Reality Labs Handwriting sEMG Dataset", + "url": "https://github.com/nemarDatasets/nm000106", + "created": "2025-10-07T05:24:52Z", + "modified": "2025-10-24T17:20:38Z", + "pushed": "2025-10-24T17:20:35Z", + "size_kb": 2749, + "default_branch": "main", + "topics": [ + "bids", + "electromyography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000106.git", + "ssh_url": "git@github.com:nemarDatasets/nm000106.git" + }, + { + "dataset_id": "nm000104", + "full_name": "nemarDatasets/nm000104", + "description": "Meta Reality Labs EMG2Qwerty Dataset", + "url": "https://github.com/nemarDatasets/nm000104", + "created": "2025-10-07T06:01:58Z", + "modified": "2025-10-24T17:18:53Z", + "pushed": "2025-10-24T17:18:50Z", + "size_kb": 57829, + "default_branch": "main", + "topics": [ + "bids", + "electromyography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000104.git", + "ssh_url": "git@github.com:nemarDatasets/nm000104.git" + }, + { + "dataset_id": "nm000103", + "full_name": "nemarDatasets/nm000103", + "description": "Healthy Brain Network EEG - Not for Commercial Use", + "url": "https://github.com/nemarDatasets/nm000103", + "created": "2025-10-09T01:33:21Z", + "modified": "2025-10-27T15:32:21Z", + "pushed": "2025-10-09T16:05:00Z", + "size_kb": 4330, + "default_branch": "main", + "topics": [ + "bids", + "electroencephalography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000103.git", + "ssh_url": "git@github.com:nemarDatasets/nm000103.git" + } +] \ No newline at end of file diff --git a/consolidated/openneuro_datasets.json b/consolidated/openneuro_datasets.json new file mode 100644 index 00000000..aeedaf8e --- /dev/null +++ b/consolidated/openneuro_datasets.json @@ -0,0 +1,2708 @@ +[ + { + "dataset_id": "ds001785", + "modality": "eeg", + "created": "2019-03-08T08:46:20.544Z", + "modified": "2021-04-28T15:27:09.000Z" + }, + { + "dataset_id": "ds001787", + "modality": "eeg", + "created": "2019-03-09T00:48:05.425Z", + "modified": "2024-06-17T01:24:01.000Z" + }, + { + "dataset_id": "ds001810", + "modality": "eeg", + "created": "2019-03-21T17:46:19.528Z", + "modified": "2019-05-28T12:25:39.000Z" + }, + { + "dataset_id": "ds001849", + "modality": "eeg", + "created": "2019-04-11T21:35:05.251Z", + "modified": "2020-07-22T14:19:57.000Z" + }, + { + "dataset_id": "ds001971", + "modality": "eeg", + "created": "2019-06-06T22:03:30.857Z", + "modified": "2019-06-12T12:35:12.000Z" + }, + { + "dataset_id": "ds002034", + "modality": "eeg", + "created": "2019-07-13T08:51:21.305Z", + "modified": "2022-04-08T15:37:24.000Z" + }, + { + "dataset_id": "ds002094", + "modality": "eeg", + "created": "2019-08-02T12:56:34.579Z", + "modified": "2019-08-02T13:56:21.000Z" + }, + { + "dataset_id": "ds002158", + "modality": "eeg", + "created": "2019-09-04T15:28:46.709Z", + "modified": "2020-04-25T11:20:01.000Z" + }, + { + "dataset_id": "ds002181", + "modality": "eeg", + "created": "2019-09-15T18:43:27.368Z", + "modified": "2019-09-27T17:33:40.000Z" + }, + { + "dataset_id": "ds002218", + "modality": "eeg", + "created": "2019-10-03T03:55:56.648Z", + "modified": "2019-10-03T05:22:32.000Z" + }, + { + "dataset_id": "ds002336", + "modality": "eeg", + "created": "2019-12-02T15:14:38.180Z", + "modified": "2021-06-07T17:46:33.000Z" + }, + { + "dataset_id": "ds002338", + "modality": "eeg", + "created": "2019-12-03T10:06:04.003Z", + "modified": "2022-03-31T15:18:49.000Z" + }, + { + "dataset_id": "ds002578", + "modality": "eeg", + "created": "2020-02-19T15:14:13.565Z", + "modified": "2021-10-26T01:07:53.000Z" + }, + { + "dataset_id": "ds002680", + "modality": "eeg", + "created": "2020-04-02T20:23:47.774Z", + "modified": "2021-10-19T16:26:43.000Z" + }, + { + "dataset_id": "ds002691", + "modality": "eeg", + "created": "2020-04-08T23:44:40.646Z", + "modified": "2021-10-19T16:25:42.000Z" + }, + { + "dataset_id": "ds002718", + "modality": "eeg", + "created": "2020-04-21T20:15:53.277Z", + "modified": "2021-08-03T22:26:22.000Z" + }, + { + "dataset_id": "ds002720", + "modality": "eeg", + "created": "2020-04-22T21:02:35.360Z", + "modified": "2020-04-23T12:06:55.000Z" + }, + { + "dataset_id": "ds002721", + "modality": "eeg", + "created": "2020-04-22T21:09:02.975Z", + "modified": "2024-02-19T15:56:43.000Z" + }, + { + "dataset_id": "ds002722", + "modality": "eeg", + "created": "2020-04-22T21:30:40.116Z", + "modified": "2020-04-23T11:46:00.000Z" + }, + { + "dataset_id": "ds002723", + "modality": "eeg", + "created": "2020-04-22T21:34:22.870Z", + "modified": "2020-04-23T11:34:51.000Z" + }, + { + "dataset_id": "ds002724", + "modality": "eeg", + "created": "2020-04-22T21:35:49.322Z", + "modified": "2020-04-24T08:02:54.000Z" + }, + { + "dataset_id": "ds002725", + "modality": "eeg", + "created": "2020-04-22T21:42:23.508Z", + "modified": "2020-04-24T01:44:52.000Z" + }, + { + "dataset_id": "ds002778", + "modality": "eeg", + "created": "2020-05-05T17:44:34.141Z", + "modified": "2021-12-10T18:20:38.000Z" + }, + { + "dataset_id": "ds002791", + "modality": "eeg", + "created": "2020-05-13T12:50:22.167Z", + "modified": "2020-05-14T12:57:15.000Z" + }, + { + "dataset_id": "ds002814", + "modality": "eeg", + "created": "2020-05-20T12:33:06.857Z", + "modified": "2021-12-10T18:20:38.000Z" + }, + { + "dataset_id": "ds002833", + "modality": "eeg", + "created": "2020-05-21T19:21:20.023Z", + "modified": "2020-07-20T17:52:15.000Z" + }, + { + "dataset_id": "ds002893", + "modality": "eeg", + "created": "2020-06-15T06:04:46.675Z", + "modified": "2022-06-18T20:41:02.000Z" + }, + { + "dataset_id": "ds003004", + "modality": "eeg", + "created": "2020-07-09T23:36:39.393Z", + "modified": "2022-08-23T17:00:33.000Z" + }, + { + "dataset_id": "ds003039", + "modality": "eeg", + "created": "2020-07-29T09:46:15.788Z", + "modified": "2025-04-08T22:21:56.000Z" + }, + { + "dataset_id": "ds003061", + "modality": "eeg", + "created": "2020-08-08T07:05:52.572Z", + "modified": "2022-08-26T00:28:24.000Z" + }, + { + "dataset_id": "ds003190", + "modality": "eeg", + "created": "2020-09-25T22:01:52.624Z", + "modified": "2020-10-06T01:17:50.000Z" + }, + { + "dataset_id": "ds003194", + "modality": "eeg", + "created": "2020-09-28T10:00:15.531Z", + "modified": "2022-09-20T05:00:13.000Z" + }, + { + "dataset_id": "ds003195", + "modality": "eeg", + "created": "2020-09-28T10:18:38.803Z", + "modified": "2022-09-20T04:55:52.000Z" + }, + { + "dataset_id": "ds003343", + "modality": "eeg", + "created": "2020-10-25T01:44:08.277Z", + "modified": "2021-05-05T13:15:08.000Z" + }, + { + "dataset_id": "ds003380", + "modality": "eeg", + "created": "2020-11-13T05:11:59.469Z", + "modified": "2020-11-13T05:13:05.000Z" + }, + { + "dataset_id": "ds003420", + "modality": "eeg", + "created": "2020-12-04T13:06:19.829Z", + "modified": "2020-12-13T17:40:52.000Z" + }, + { + "dataset_id": "ds003421", + "modality": "eeg", + "created": "2020-12-04T20:05:14.288Z", + "modified": "2020-12-13T17:41:58.000Z" + }, + { + "dataset_id": "ds003458", + "modality": "eeg", + "created": "2021-01-04T22:31:04.426Z", + "modified": "2021-01-04T22:45:44.000Z" + }, + { + "dataset_id": "ds003474", + "modality": "eeg", + "created": "2021-01-15T19:36:31.668Z", + "modified": "2021-01-15T20:45:24.000Z" + }, + { + "dataset_id": "ds003478", + "modality": "eeg", + "created": "2021-01-18T18:31:12.382Z", + "modified": "2021-01-18T19:50:26.000Z" + }, + { + "dataset_id": "ds003490", + "modality": "eeg", + "created": "2021-01-27T17:56:02.909Z", + "modified": "2021-01-27T18:23:22.000Z" + }, + { + "dataset_id": "ds003505", + "modality": "eeg", + "created": "2021-02-04T08:01:40.859Z", + "modified": "2022-11-02T12:46:33.000Z" + }, + { + "dataset_id": "ds003506", + "modality": "eeg", + "created": "2021-02-05T19:08:26.786Z", + "modified": "2021-02-05T20:08:19.000Z" + }, + { + "dataset_id": "ds003509", + "modality": "eeg", + "created": "2021-02-08T20:45:46.355Z", + "modified": "2021-02-08T22:27:00.000Z" + }, + { + "dataset_id": "ds003516", + "modality": "eeg", + "created": "2021-02-12T15:37:08.676Z", + "modified": "2022-10-04T08:24:18.000Z" + }, + { + "dataset_id": "ds003517", + "modality": "eeg", + "created": "2021-02-15T16:30:23.774Z", + "modified": "2021-02-15T18:10:41.000Z" + }, + { + "dataset_id": "ds003518", + "modality": "eeg", + "created": "2021-02-15T21:02:23.532Z", + "modified": "2021-02-16T18:03:18.000Z" + }, + { + "dataset_id": "ds003519", + "modality": "eeg", + "created": "2021-02-17T16:28:46.002Z", + "modified": "2021-02-17T17:12:53.000Z" + }, + { + "dataset_id": "ds003522", + "modality": "eeg", + "created": "2021-02-19T20:52:38.011Z", + "modified": "2021-02-19T22:38:51.000Z" + }, + { + "dataset_id": "ds003523", + "modality": "eeg", + "created": "2021-02-22T17:53:30.940Z", + "modified": "2021-02-22T20:47:47.000Z" + }, + { + "dataset_id": "ds003555", + "modality": "eeg", + "created": "2021-03-05T19:41:18.395Z", + "modified": "2021-03-08T20:36:10.000Z" + }, + { + "dataset_id": "ds003570", + "modality": "eeg", + "created": "2021-03-19T11:06:14.963Z", + "modified": "2021-03-19T14:02:19.000Z" + }, + { + "dataset_id": "ds003574", + "modality": "eeg", + "created": "2021-03-25T21:11:41.155Z", + "modified": "2021-06-07T09:55:55.000Z" + }, + { + "dataset_id": "ds003602", + "modality": "eeg", + "created": "2021-04-02T21:07:13.112Z", + "modified": "2022-07-27T17:16:27.000Z" + }, + { + "dataset_id": "ds003620", + "modality": "eeg", + "created": "2021-04-15T18:46:27.142Z", + "modified": "2021-11-09T19:10:35.000Z" + }, + { + "dataset_id": "ds003626", + "modality": "eeg", + "created": "2021-04-17T14:09:21.077Z", + "modified": "2022-03-14T21:15:32.000Z" + }, + { + "dataset_id": "ds003638", + "modality": "eeg", + "created": "2021-04-26T15:21:15.603Z", + "modified": "2021-08-25T23:38:04.000Z" + }, + { + "dataset_id": "ds003645", + "modality": "eeg", + "created": "2021-05-04T08:12:20.862Z", + "modified": "2023-04-14T14:27:58.000Z" + }, + { + "dataset_id": "ds003655", + "modality": "eeg", + "created": "2021-05-17T18:09:21.487Z", + "modified": "2023-05-31T08:24:01.000Z" + }, + { + "dataset_id": "ds003670", + "modality": "eeg", + "created": "2021-05-29T22:23:51.732Z", + "modified": "2021-06-17T20:13:01.000Z" + }, + { + "dataset_id": "ds003690", + "modality": "eeg", + "created": "2021-06-09T12:14:21.638Z", + "modified": "2021-06-10T08:30:11.000Z" + }, + { + "dataset_id": "ds003702", + "modality": "eeg", + "created": "2021-06-15T15:03:49.921Z", + "modified": "2024-09-17T17:40:13.000Z" + }, + { + "dataset_id": "ds003710", + "modality": "eeg", + "created": "2021-06-28T19:41:35.853Z", + "modified": "2022-10-20T20:01:16.000Z" + }, + { + "dataset_id": "ds003739", + "modality": "eeg", + "created": "2021-07-22T23:11:48.467Z", + "modified": "2021-11-26T09:52:40.000Z" + }, + { + "dataset_id": "ds003751", + "modality": "eeg", + "created": "2021-07-30T10:57:42.874Z", + "modified": "2023-07-08T06:40:35.000Z" + }, + { + "dataset_id": "ds003753", + "modality": "eeg", + "created": "2021-07-30T16:12:01.013Z", + "modified": "2021-09-27T21:10:32.000Z" + }, + { + "dataset_id": "ds003766", + "modality": "eeg", + "created": "2021-08-15T10:03:58.780Z", + "modified": "2024-01-20T00:42:55.000Z" + }, + { + "dataset_id": "ds003768", + "modality": "eeg", + "created": "2021-08-16T22:59:17.194Z", + "modified": "2025-05-14T14:53:49.000Z" + }, + { + "dataset_id": "ds003774", + "modality": "eeg", + "created": "2021-08-23T10:09:25.546Z", + "modified": "2022-08-25T13:43:21.000Z" + }, + { + "dataset_id": "ds003775", + "modality": "eeg", + "created": "2021-08-25T11:43:32.172Z", + "modified": "2022-11-23T14:20:16.000Z" + }, + { + "dataset_id": "ds003800", + "modality": "eeg", + "created": "2021-09-12T18:22:56.180Z", + "modified": "2021-09-27T21:10:33.000Z" + }, + { + "dataset_id": "ds003801", + "modality": "eeg", + "created": "2021-09-13T16:11:11.893Z", + "modified": "2021-11-09T19:10:35.000Z" + }, + { + "dataset_id": "ds003805", + "modality": "eeg", + "created": "2021-09-15T08:31:45.519Z", + "modified": "2021-09-27T21:10:44.000Z" + }, + { + "dataset_id": "ds003810", + "modality": "eeg", + "created": "2021-09-20T13:30:31.958Z", + "modified": "2021-11-09T19:10:35.000Z" + }, + { + "dataset_id": "ds003822", + "modality": "eeg", + "created": "2021-09-29T16:25:42.678Z", + "modified": "2021-09-27T21:10:33.000Z" + }, + { + "dataset_id": "ds003825", + "modality": "eeg", + "created": "2021-09-30T02:31:13.333Z", + "modified": "2022-10-10T23:47:11.000Z" + }, + { + "dataset_id": "ds003838", + "modality": "eeg", + "created": "2021-10-15T10:48:50.865Z", + "modified": "2024-02-11T11:30:40.000Z" + }, + { + "dataset_id": "ds003846", + "modality": "eeg", + "created": "2021-10-18T09:27:32.070Z", + "modified": "2025-04-09T01:41:14.000Z" + }, + { + "dataset_id": "ds003885", + "modality": "eeg", + "created": "2021-11-11T06:53:05.418Z", + "modified": "2023-05-24T02:35:11.000Z" + }, + { + "dataset_id": "ds003887", + "modality": "eeg", + "created": "2021-11-11T08:00:33.830Z", + "modified": "2023-05-24T02:37:57.000Z" + }, + { + "dataset_id": "ds003944", + "modality": "eeg", + "created": "2021-12-01T17:11:13.253Z", + "modified": "2022-08-12T19:48:26.000Z" + }, + { + "dataset_id": "ds003947", + "modality": "eeg", + "created": "2021-12-01T17:35:50.429Z", + "modified": "2022-08-12T19:49:46.000Z" + }, + { + "dataset_id": "ds003969", + "modality": "eeg", + "created": "2021-12-23T05:36:27.844Z", + "modified": "2021-12-10T18:20:38.000Z" + }, + { + "dataset_id": "ds003987", + "modality": "eeg", + "created": "2022-01-10T19:15:07.112Z", + "modified": "2022-01-09T22:15:44.000Z" + }, + { + "dataset_id": "ds004000", + "modality": "eeg", + "created": "2022-01-19T12:17:04.714Z", + "modified": "2022-01-11T04:53:23.000Z" + }, + { + "dataset_id": "ds004010", + "modality": "eeg", + "created": "2022-01-24T19:47:18.318Z", + "modified": "2022-01-11T04:53:57.000Z" + }, + { + "dataset_id": "ds004015", + "modality": "eeg", + "created": "2022-02-03T14:40:10.960Z", + "modified": "2022-10-04T08:05:02.000Z" + }, + { + "dataset_id": "ds004017", + "modality": "eeg", + "created": "2022-02-08T16:49:30.534Z", + "modified": "2023-03-20T13:22:15.000Z" + }, + { + "dataset_id": "ds004018", + "modality": "eeg", + "created": "2022-02-09T05:24:34.923Z", + "modified": "2022-02-01T02:24:27.000Z" + }, + { + "dataset_id": "ds004019", + "modality": "eeg", + "created": "2022-02-09T20:45:42.588Z", + "modified": "2022-02-09T17:46:49.000Z" + }, + { + "dataset_id": "ds004022", + "modality": "eeg", + "created": "2022-02-11T05:01:21.503Z", + "modified": "2022-02-09T22:23:15.000Z" + }, + { + "dataset_id": "ds004024", + "modality": "eeg", + "created": "2022-02-11T08:04:22.146Z", + "modified": "2022-10-19T21:25:59.000Z" + }, + { + "dataset_id": "ds004033", + "modality": "eeg", + "created": "2022-02-18T11:39:43.725Z", + "modified": "2022-02-09T22:23:32.000Z" + }, + { + "dataset_id": "ds004040", + "modality": "eeg", + "created": "2022-02-23T01:14:32.746Z", + "modified": "2022-02-24T03:15:05.000Z" + }, + { + "dataset_id": "ds004043", + "modality": "eeg", + "created": "2022-02-25T00:59:06.617Z", + "modified": "2022-02-25T07:20:37.000Z" + }, + { + "dataset_id": "ds004067", + "modality": "eeg", + "created": "2022-03-13T20:01:22.055Z", + "modified": "2022-03-13T21:36:37.000Z" + }, + { + "dataset_id": "ds004075", + "modality": "eeg", + "created": "2022-03-18T01:32:05.284Z", + "modified": "2022-03-18T01:36:04.000Z" + }, + { + "dataset_id": "ds004105", + "modality": "eeg", + "created": "2022-04-21T18:46:23.669Z", + "modified": "2022-05-04T23:03:34.000Z" + }, + { + "dataset_id": "ds004106", + "modality": "eeg", + "created": "2022-04-21T22:44:56.688Z", + "modified": "2022-04-29T19:16:16.000Z" + }, + { + "dataset_id": "ds004117", + "modality": "eeg", + "created": "2022-05-01T20:28:00.340Z", + "modified": "2022-06-16T23:21:01.000Z" + }, + { + "dataset_id": "ds004118", + "modality": "eeg", + "created": "2022-05-02T16:03:12.391Z", + "modified": "2022-05-04T22:53:42.000Z" + }, + { + "dataset_id": "ds004119", + "modality": "eeg", + "created": "2022-05-02T20:24:56.474Z", + "modified": "2022-05-04T22:45:18.000Z" + }, + { + "dataset_id": "ds004120", + "modality": "eeg", + "created": "2022-05-03T00:06:41.150Z", + "modified": "2022-05-04T22:29:32.000Z" + }, + { + "dataset_id": "ds004121", + "modality": "eeg", + "created": "2022-05-03T11:46:09.577Z", + "modified": "2022-05-03T23:43:05.000Z" + }, + { + "dataset_id": "ds004122", + "modality": "eeg", + "created": "2022-05-03T13:04:29.013Z", + "modified": "2022-05-04T22:05:50.000Z" + }, + { + "dataset_id": "ds004123", + "modality": "eeg", + "created": "2022-05-03T14:10:02.137Z", + "modified": "2022-05-04T15:34:31.000Z" + }, + { + "dataset_id": "ds004147", + "modality": "eeg", + "created": "2022-06-07T14:19:20.839Z", + "modified": "2024-01-24T19:53:26.000Z" + }, + { + "dataset_id": "ds004148", + "modality": "eeg", + "created": "2022-06-08T08:39:15.433Z", + "modified": "2022-06-13T08:42:17.000Z" + }, + { + "dataset_id": "ds004151", + "modality": "eeg", + "created": "2022-06-13T16:57:01.005Z", + "modified": "2022-06-14T18:38:37.000Z" + }, + { + "dataset_id": "ds004152", + "modality": "eeg", + "created": "2022-06-14T13:44:05.404Z", + "modified": "2022-09-07T12:48:48.000Z" + }, + { + "dataset_id": "ds004166", + "modality": "eeg", + "created": "2022-06-17T01:05:58.854Z", + "modified": "2022-06-17T07:46:14.000Z" + }, + { + "dataset_id": "ds004196", + "modality": "eeg", + "created": "2022-07-07T13:02:56.293Z", + "modified": "2023-06-16T08:25:46.000Z" + }, + { + "dataset_id": "ds004200", + "modality": "eeg", + "created": "2022-07-11T11:15:38.245Z", + "modified": "2022-10-06T09:12:27.000Z" + }, + { + "dataset_id": "ds004252", + "modality": "eeg", + "created": "2022-08-16T15:48:03.883Z", + "modified": "2022-08-17T15:24:26.000Z" + }, + { + "dataset_id": "ds004256", + "modality": "eeg", + "created": "2022-08-29T01:25:10.410Z", + "modified": "2022-09-24T16:01:53.000Z" + }, + { + "dataset_id": "ds004262", + "modality": "eeg", + "created": "2022-09-07T11:58:29.943Z", + "modified": "2022-09-07T12:37:47.000Z" + }, + { + "dataset_id": "ds004264", + "modality": "eeg", + "created": "2022-09-13T14:39:12.437Z", + "modified": "2022-10-06T15:04:01.000Z" + }, + { + "dataset_id": "ds004279", + "modality": "eeg", + "created": "2022-09-26T14:52:36.708Z", + "modified": "2024-11-29T15:37:16.000Z" + }, + { + "dataset_id": "ds004284", + "modality": "eeg", + "created": "2022-10-03T22:02:01.479Z", + "modified": "2022-10-03T22:29:10.000Z" + }, + { + "dataset_id": "ds004295", + "modality": "eeg", + "created": "2022-10-15T06:53:16.184Z", + "modified": "2022-10-15T16:37:47.000Z" + }, + { + "dataset_id": "ds004306", + "modality": "eeg", + "created": "2022-10-25T17:34:10.377Z", + "modified": "2023-09-27T14:44:14.000Z" + }, + { + "dataset_id": "ds004315", + "modality": "eeg", + "created": "2022-10-27T00:49:48.502Z", + "modified": "2022-10-27T04:59:58.000Z" + }, + { + "dataset_id": "ds004317", + "modality": "eeg", + "created": "2022-10-27T05:08:53.474Z", + "modified": "2022-10-27T18:11:15.000Z" + }, + { + "dataset_id": "ds004324", + "modality": "eeg", + "created": "2022-11-02T10:34:06.676Z", + "modified": "2023-03-08T08:37:21.000Z" + }, + { + "dataset_id": "ds004347", + "modality": "eeg", + "created": "2022-11-28T17:02:27.026Z", + "modified": "2022-11-28T17:06:33.000Z" + }, + { + "dataset_id": "ds004348", + "modality": "eeg", + "created": "2022-11-29T08:54:03.704Z", + "modified": "2024-09-23T10:33:39.000Z" + }, + { + "dataset_id": "ds004350", + "modality": "eeg", + "created": "2022-12-04T07:25:37.650Z", + "modified": "2025-02-07T16:56:30.000Z" + }, + { + "dataset_id": "ds004356", + "modality": "eeg", + "created": "2022-12-06T20:13:46.690Z", + "modified": "2024-01-18T18:40:33.000Z" + }, + { + "dataset_id": "ds004357", + "modality": "eeg", + "created": "2022-12-08T04:57:17.267Z", + "modified": "2024-01-10T03:23:08.000Z" + }, + { + "dataset_id": "ds004362", + "modality": "eeg", + "created": "2022-12-12T20:42:11.732Z", + "modified": "2022-12-15T16:17:09.000Z" + }, + { + "dataset_id": "ds004367", + "modality": "eeg", + "created": "2022-12-15T11:42:01.500Z", + "modified": "2022-12-15T13:16:11.000Z" + }, + { + "dataset_id": "ds004368", + "modality": "eeg", + "created": "2022-12-15T12:51:06.924Z", + "modified": "2022-12-15T13:14:58.000Z" + }, + { + "dataset_id": "ds004369", + "modality": "eeg", + "created": "2022-12-16T13:02:02.096Z", + "modified": "2023-02-06T14:17:42.000Z" + }, + { + "dataset_id": "ds004381", + "modality": "eeg", + "created": "2022-12-20T10:56:51.377Z", + "modified": "2024-10-29T11:46:29.000Z" + }, + { + "dataset_id": "ds004388", + "modality": "eeg", + "created": "2023-01-04T13:11:50.245Z", + "modified": "2023-07-06T19:24:02.000Z" + }, + { + "dataset_id": "ds004389", + "modality": "eeg", + "created": "2023-01-04T13:15:45.996Z", + "modified": "2023-07-06T19:26:09.000Z" + }, + { + "dataset_id": "ds004395", + "modality": "eeg", + "created": "2023-01-10T18:29:34.235Z", + "modified": "2023-06-01T03:35:20.000Z" + }, + { + "dataset_id": "ds004408", + "modality": "eeg", + "created": "2023-01-17T16:49:36.606Z", + "modified": "2023-08-01T14:47:06.000Z" + }, + { + "dataset_id": "ds004444", + "modality": "eeg", + "created": "2023-01-25T11:39:51.055Z", + "modified": "2023-07-20T11:43:15.000Z" + }, + { + "dataset_id": "ds004446", + "modality": "eeg", + "created": "2023-01-25T13:06:48.741Z", + "modified": "2023-07-20T11:43:17.000Z" + }, + { + "dataset_id": "ds004447", + "modality": "eeg", + "created": "2023-01-25T15:44:37.320Z", + "modified": "2023-07-20T11:43:45.000Z" + }, + { + "dataset_id": "ds004448", + "modality": "eeg", + "created": "2023-01-25T16:31:27.438Z", + "modified": "2023-09-22T08:15:34.000Z" + }, + { + "dataset_id": "ds004460", + "modality": "eeg", + "created": "2023-02-02T13:27:50.705Z", + "modified": "2024-02-08T15:02:55.000Z" + }, + { + "dataset_id": "ds004475", + "modality": "eeg", + "created": "2023-02-08T02:21:05.336Z", + "modified": "2023-07-31T22:21:55.000Z" + }, + { + "dataset_id": "ds004477", + "modality": "eeg", + "created": "2023-02-08T10:52:55.144Z", + "modified": "2023-10-29T23:25:15.000Z" + }, + { + "dataset_id": "ds004502", + "modality": "eeg", + "created": "2023-02-16T21:52:37.827Z", + "modified": "2023-03-06T17:05:06.000Z" + }, + { + "dataset_id": "ds004504", + "modality": "eeg", + "created": "2023-02-17T08:35:28.813Z", + "modified": "2024-10-30T09:15:12.000Z" + }, + { + "dataset_id": "ds004505", + "modality": "eeg", + "created": "2023-02-17T17:44:35.724Z", + "modified": "2023-06-28T14:10:07.000Z" + }, + { + "dataset_id": "ds004511", + "modality": "eeg", + "created": "2023-02-22T14:36:22.532Z", + "modified": "2023-06-05T23:55:41.000Z" + }, + { + "dataset_id": "ds004514", + "modality": "eeg", + "created": "2023-02-27T13:39:47.155Z", + "modified": "2025-04-03T23:41:15.000Z" + }, + { + "dataset_id": "ds004515", + "modality": "eeg", + "created": "2023-03-01T21:24:04.019Z", + "modified": "2023-03-15T18:47:27.000Z" + }, + { + "dataset_id": "ds004517", + "modality": "eeg", + "created": "2023-03-03T13:31:51.775Z", + "modified": "2025-04-03T23:41:33.000Z" + }, + { + "dataset_id": "ds004519", + "modality": "eeg", + "created": "2023-03-03T23:49:01.001Z", + "modified": "2023-03-04T19:46:39.000Z" + }, + { + "dataset_id": "ds004520", + "modality": "eeg", + "created": "2023-03-04T23:57:19.246Z", + "modified": "2023-03-06T17:32:21.000Z" + }, + { + "dataset_id": "ds004521", + "modality": "eeg", + "created": "2023-03-05T01:39:56.268Z", + "modified": "2023-03-07T18:36:19.000Z" + }, + { + "dataset_id": "ds004532", + "modality": "eeg", + "created": "2023-03-15T18:50:32.279Z", + "modified": "2023-05-18T15:21:12.000Z" + }, + { + "dataset_id": "ds004554", + "modality": "eeg", + "created": "2023-04-21T15:35:10.523Z", + "modified": "2023-04-28T08:59:42.000Z" + }, + { + "dataset_id": "ds004561", + "modality": "eeg", + "created": "2023-05-03T22:19:35.325Z", + "modified": "2023-05-03T23:20:08.000Z" + }, + { + "dataset_id": "ds004563", + "modality": "eeg", + "created": "2023-05-10T10:26:34.294Z", + "modified": "2023-07-06T22:12:40.000Z" + }, + { + "dataset_id": "ds004572", + "modality": "eeg", + "created": "2023-05-20T09:38:46.707Z", + "modified": "2025-08-18T17:43:20.000Z" + }, + { + "dataset_id": "ds004574", + "modality": "eeg", + "created": "2023-05-24T16:38:44.641Z", + "modified": "2023-05-24T17:01:42.000Z" + }, + { + "dataset_id": "ds004577", + "modality": "eeg", + "created": "2023-05-24T23:19:29.456Z", + "modified": "2023-05-25T16:16:58.000Z" + }, + { + "dataset_id": "ds004579", + "modality": "eeg", + "created": "2023-05-25T15:19:58.194Z", + "modified": "2023-05-25T15:46:19.000Z" + }, + { + "dataset_id": "ds004580", + "modality": "eeg", + "created": "2023-05-25T15:52:41.922Z", + "modified": "2023-05-25T16:41:08.000Z" + }, + { + "dataset_id": "ds004582", + "modality": "eeg", + "created": "2023-05-30T10:41:38.658Z", + "modified": "2023-06-01T04:57:32.000Z" + }, + { + "dataset_id": "ds004584", + "modality": "eeg", + "created": "2023-05-31T13:45:50.740Z", + "modified": "2023-05-31T13:49:17.000Z" + }, + { + "dataset_id": "ds004587", + "modality": "eeg", + "created": "2023-06-01T05:42:34.298Z", + "modified": "2024-06-28T10:51:24.000Z" + }, + { + "dataset_id": "ds004588", + "modality": "eeg", + "created": "2023-06-01T11:30:58.776Z", + "modified": "2023-06-01T12:00:30.000Z" + }, + { + "dataset_id": "ds004595", + "modality": "eeg", + "created": "2023-06-09T20:54:43.708Z", + "modified": "2023-06-09T21:09:50.000Z" + }, + { + "dataset_id": "ds004598", + "modality": "eeg", + "created": "2023-06-12T09:30:19.437Z", + "modified": "2023-07-10T19:04:43.000Z" + }, + { + "dataset_id": "ds004602", + "modality": "eeg", + "created": "2023-06-12T22:02:31.384Z", + "modified": "2023-08-27T11:31:01.000Z" + }, + { + "dataset_id": "ds004603", + "modality": "eeg", + "created": "2023-06-13T00:55:13.461Z", + "modified": "2023-09-21T03:28:20.000Z" + }, + { + "dataset_id": "ds004621", + "modality": "eeg", + "created": "2023-06-26T12:25:41.130Z", + "modified": "2025-06-21T10:56:57.000Z" + }, + { + "dataset_id": "ds004625", + "modality": "eeg", + "created": "2023-07-02T01:56:00.027Z", + "modified": "2023-07-04T18:08:12.000Z" + }, + { + "dataset_id": "ds004626", + "modality": "eeg", + "created": "2023-07-06T13:36:52.485Z", + "modified": "2023-08-07T21:55:09.000Z" + }, + { + "dataset_id": "ds004635", + "modality": "eeg", + "created": "2023-07-11T21:15:36.551Z", + "modified": "2024-07-16T11:59:14.000Z" + }, + { + "dataset_id": "ds004657", + "modality": "eeg", + "created": "2023-08-05T02:11:45.552Z", + "modified": "2023-11-14T15:46:52.000Z" + }, + { + "dataset_id": "ds004660", + "modality": "eeg", + "created": "2023-08-05T16:29:48.708Z", + "modified": "2023-11-14T15:47:42.000Z" + }, + { + "dataset_id": "ds004661", + "modality": "eeg", + "created": "2023-08-05T16:52:47.866Z", + "modified": "2024-09-06T14:53:36.000Z" + }, + { + "dataset_id": "ds004706", + "modality": "eeg", + "created": "2023-08-16T20:56:12.789Z", + "modified": "2023-08-22T12:13:59.000Z" + }, + { + "dataset_id": "ds004718", + "modality": "eeg", + "created": "2023-08-27T03:17:03.679Z", + "modified": "2025-10-14T01:06:57.000Z" + }, + { + "dataset_id": "ds004745", + "modality": "eeg", + "created": "2023-09-08T14:10:18.127Z", + "modified": "2023-09-08T14:15:03.000Z" + }, + { + "dataset_id": "ds004752", + "modality": "eeg", + "created": "2023-09-13T13:22:42.954Z", + "modified": "2023-09-20T10:40:50.000Z" + }, + { + "dataset_id": "ds004771", + "modality": "eeg", + "created": "2023-09-25T03:25:26.570Z", + "modified": "2023-09-25T03:47:45.000Z" + }, + { + "dataset_id": "ds004784", + "modality": "eeg", + "created": "2023-09-29T18:42:55.889Z", + "modified": "2023-12-21T18:58:48.000Z" + }, + { + "dataset_id": "ds004785", + "modality": "eeg", + "created": "2023-09-29T20:10:02.497Z", + "modified": "2023-10-02T14:51:39.000Z" + }, + { + "dataset_id": "ds004796", + "modality": "eeg", + "created": "2023-10-15T15:01:35.835Z", + "modified": "2025-06-22T11:08:23.000Z" + }, + { + "dataset_id": "ds004802", + "modality": "eeg", + "created": "2023-10-17T08:13:37.839Z", + "modified": "2023-10-17T11:15:33.000Z" + }, + { + "dataset_id": "ds004816", + "modality": "eeg", + "created": "2023-10-24T05:14:16.893Z", + "modified": "2023-10-26T00:02:11.000Z" + }, + { + "dataset_id": "ds004817", + "modality": "eeg", + "created": "2023-10-24T05:15:21.155Z", + "modified": "2023-10-26T00:02:19.000Z" + }, + { + "dataset_id": "ds004840", + "modality": "eeg", + "created": "2023-11-12T15:48:23.443Z", + "modified": "2023-11-12T22:23:51.000Z" + }, + { + "dataset_id": "ds004841", + "modality": "eeg", + "created": "2023-11-13T17:40:25.216Z", + "modified": "2023-11-13T17:59:04.000Z" + }, + { + "dataset_id": "ds004842", + "modality": "eeg", + "created": "2023-11-13T18:06:58.542Z", + "modified": "2023-11-13T18:17:34.000Z" + }, + { + "dataset_id": "ds004843", + "modality": "eeg", + "created": "2023-11-13T18:52:00.054Z", + "modified": "2023-11-13T19:01:24.000Z" + }, + { + "dataset_id": "ds004844", + "modality": "eeg", + "created": "2023-11-13T19:09:08.656Z", + "modified": "2023-11-13T19:23:59.000Z" + }, + { + "dataset_id": "ds004849", + "modality": "eeg", + "created": "2023-11-14T15:26:32.287Z", + "modified": "2023-11-14T15:33:15.000Z" + }, + { + "dataset_id": "ds004850", + "modality": "eeg", + "created": "2023-11-14T15:27:15.221Z", + "modified": "2023-11-14T15:33:20.000Z" + }, + { + "dataset_id": "ds004851", + "modality": "eeg", + "created": "2023-11-14T15:33:49.960Z", + "modified": "2024-07-09T03:15:38.000Z" + }, + { + "dataset_id": "ds004852", + "modality": "eeg", + "created": "2023-11-14T15:34:20.454Z", + "modified": "2023-11-14T15:35:59.000Z" + }, + { + "dataset_id": "ds004853", + "modality": "eeg", + "created": "2023-11-14T15:34:46.287Z", + "modified": "2023-11-14T15:36:03.000Z" + }, + { + "dataset_id": "ds004854", + "modality": "eeg", + "created": "2023-11-14T15:35:17.746Z", + "modified": "2023-11-14T15:36:07.000Z" + }, + { + "dataset_id": "ds004855", + "modality": "eeg", + "created": "2023-11-14T15:35:42.516Z", + "modified": "2023-11-14T15:36:36.000Z" + }, + { + "dataset_id": "ds004860", + "modality": "eeg", + "created": "2023-11-23T14:54:51.755Z", + "modified": "2023-11-23T16:05:54.000Z" + }, + { + "dataset_id": "ds004883", + "modality": "eeg", + "created": "2023-12-14T11:26:49.055Z", + "modified": "2023-12-21T11:55:36.000Z" + }, + { + "dataset_id": "ds004902", + "modality": "eeg", + "created": "2023-12-20T00:14:33.483Z", + "modified": "2025-04-27T16:47:34.000Z" + }, + { + "dataset_id": "ds004917", + "modality": "eeg", + "created": "2024-01-04T21:48:46.804Z", + "modified": "2024-05-23T13:40:26.000Z" + }, + { + "dataset_id": "ds004940", + "modality": "eeg", + "created": "2024-01-22T20:26:52.439Z", + "modified": "2025-08-11T19:45:09.000Z" + }, + { + "dataset_id": "ds004942", + "modality": "eeg", + "created": "2024-01-23T02:33:47.744Z", + "modified": "2024-01-23T03:00:50.000Z" + }, + { + "dataset_id": "ds004951", + "modality": "eeg", + "created": "2024-02-06T14:30:18.699Z", + "modified": "2024-02-06T15:55:56.000Z" + }, + { + "dataset_id": "ds004952", + "modality": "eeg", + "created": "2024-02-07T05:08:55.557Z", + "modified": "2025-03-08T10:37:09.000Z" + }, + { + "dataset_id": "ds004980", + "modality": "eeg", + "created": "2024-02-20T16:15:54.404Z", + "modified": "2024-02-20T17:37:08.000Z" + }, + { + "dataset_id": "ds004995", + "modality": "eeg", + "created": "2024-02-28T04:25:48.173Z", + "modified": "2024-03-24T05:23:36.000Z" + }, + { + "dataset_id": "ds005021", + "modality": "eeg", + "created": "2024-03-09T01:46:15.605Z", + "modified": "2024-03-11T03:54:44.000Z" + }, + { + "dataset_id": "ds005028", + "modality": "eeg", + "created": "2024-03-11T23:10:26.788Z", + "modified": "2024-03-11T23:12:16.000Z" + }, + { + "dataset_id": "ds005034", + "modality": "eeg", + "created": "2024-03-13T12:26:33.830Z", + "modified": "2024-03-21T07:44:31.000Z" + }, + { + "dataset_id": "ds005048", + "modality": "eeg", + "created": "2024-03-19T14:24:38.738Z", + "modified": "2025-04-10T15:22:23.000Z" + }, + { + "dataset_id": "ds005079", + "modality": "eeg", + "created": "2024-04-09T20:37:10.318Z", + "modified": "2024-07-01T21:21:53.000Z" + }, + { + "dataset_id": "ds005087", + "modality": "eeg", + "created": "2024-04-15T04:45:59.237Z", + "modified": "2025-01-23T22:53:56.000Z" + }, + { + "dataset_id": "ds005089", + "modality": "eeg", + "created": "2024-04-17T14:24:31.120Z", + "modified": "2024-04-18T09:33:33.000Z" + }, + { + "dataset_id": "ds005095", + "modality": "eeg", + "created": "2024-04-18T15:53:16.585Z", + "modified": "2024-05-10T12:12:17.000Z" + }, + { + "dataset_id": "ds005106", + "modality": "eeg", + "created": "2024-04-24T00:00:26.817Z", + "modified": "2025-03-05T22:48:06.000Z" + }, + { + "dataset_id": "ds005114", + "modality": "eeg", + "created": "2024-04-29T18:28:17.225Z", + "modified": "2024-04-29T20:15:22.000Z" + }, + { + "dataset_id": "ds005121", + "modality": "eeg", + "created": "2024-05-02T04:08:54.502Z", + "modified": "2024-05-03T01:43:00.000Z" + }, + { + "dataset_id": "ds005131", + "modality": "eeg", + "created": "2024-05-10T09:35:59.092Z", + "modified": "2024-07-28T15:28:07.000Z" + }, + { + "dataset_id": "ds005170", + "modality": "eeg", + "created": "2024-05-22T15:04:36.742Z", + "modified": "2024-12-12T06:43:12.000Z" + }, + { + "dataset_id": "ds005178", + "modality": "eeg", + "created": "2024-05-24T08:18:02.675Z", + "modified": "2024-05-31T23:06:26.000Z" + }, + { + "dataset_id": "ds005185", + "modality": "eeg", + "created": "2024-05-25T21:50:05.988Z", + "modified": "2024-11-09T13:45:24.000Z" + }, + { + "dataset_id": "ds005189", + "modality": "eeg", + "created": "2024-05-27T22:59:06.294Z", + "modified": "2024-06-16T15:24:05.000Z" + }, + { + "dataset_id": "ds005207", + "modality": "eeg", + "created": "2024-05-31T23:36:01.694Z", + "modified": "2024-06-01T15:54:26.000Z" + }, + { + "dataset_id": "ds005262", + "modality": "eeg", + "created": "2024-06-17T17:02:01.429Z", + "modified": "2025-01-22T21:44:02.000Z" + }, + { + "dataset_id": "ds005273", + "modality": "eeg", + "created": "2024-06-21T12:40:05.658Z", + "modified": "2024-06-22T16:34:52.000Z" + }, + { + "dataset_id": "ds005274", + "modality": "eeg", + "created": "2024-06-21T19:59:14.305Z", + "modified": "2024-06-21T20:16:16.000Z" + }, + { + "dataset_id": "ds005280", + "modality": "eeg", + "created": "2024-06-25T10:11:53.180Z", + "modified": "2024-06-26T06:57:02.000Z" + }, + { + "dataset_id": "ds005284", + "modality": "eeg", + "created": "2024-06-26T05:58:33.685Z", + "modified": "2024-06-26T09:15:50.000Z" + }, + { + "dataset_id": "ds005285", + "modality": "eeg", + "created": "2024-06-26T06:21:03.974Z", + "modified": "2024-06-26T06:49:38.000Z" + }, + { + "dataset_id": "ds005286", + "modality": "eeg", + "created": "2024-06-26T06:59:46.221Z", + "modified": "2024-06-26T09:16:24.000Z" + }, + { + "dataset_id": "ds005289", + "modality": "eeg", + "created": "2024-06-26T09:06:30.952Z", + "modified": "2024-06-26T14:04:32.000Z" + }, + { + "dataset_id": "ds005291", + "modality": "eeg", + "created": "2024-06-26T10:01:34.320Z", + "modified": "2024-06-26T14:05:42.000Z" + }, + { + "dataset_id": "ds005292", + "modality": "eeg", + "created": "2024-06-26T14:05:20.306Z", + "modified": "2024-06-27T01:42:37.000Z" + }, + { + "dataset_id": "ds005293", + "modality": "eeg", + "created": "2024-06-27T01:43:35.308Z", + "modified": "2024-07-29T07:01:52.000Z" + }, + { + "dataset_id": "ds005296", + "modality": "eeg", + "created": "2024-06-28T23:15:10.460Z", + "modified": "2024-06-28T23:22:32.000Z" + }, + { + "dataset_id": "ds005305", + "modality": "eeg", + "created": "2024-07-03T14:53:31.095Z", + "modified": "2024-07-04T08:10:16.000Z" + }, + { + "dataset_id": "ds005307", + "modality": "eeg", + "created": "2024-07-04T16:21:54.524Z", + "modified": "2024-08-15T14:43:17.000Z" + }, + { + "dataset_id": "ds005340", + "modality": "eeg", + "created": "2024-07-12T16:26:44.885Z", + "modified": "2024-11-22T21:58:06.000Z" + }, + { + "dataset_id": "ds005342", + "modality": "eeg", + "created": "2024-07-15T16:58:04.496Z", + "modified": "2024-07-15T19:07:42.000Z" + }, + { + "dataset_id": "ds005343", + "modality": "eeg", + "created": "2024-07-16T02:28:09.557Z", + "modified": "2024-07-16T12:00:23.000Z" + }, + { + "dataset_id": "ds005345", + "modality": "eeg", + "created": "2024-07-16T14:14:02.035Z", + "modified": "2025-04-17T07:54:50.000Z" + }, + { + "dataset_id": "ds005363", + "modality": "eeg", + "created": "2024-07-23T17:57:27.581Z", + "modified": "2024-07-27T11:07:23.000Z" + }, + { + "dataset_id": "ds005383", + "modality": "eeg", + "created": "2024-07-28T15:44:23.976Z", + "modified": "2024-07-28T17:18:44.000Z" + }, + { + "dataset_id": "ds005385", + "modality": "eeg", + "created": "2024-07-30T08:04:42.767Z", + "modified": "2025-05-05T12:05:14.000Z" + }, + { + "dataset_id": "ds005397", + "modality": "eeg", + "created": "2024-08-01T12:27:38.523Z", + "modified": "2024-12-02T08:31:42.000Z" + }, + { + "dataset_id": "ds005403", + "modality": "eeg", + "created": "2024-08-06T14:59:09.909Z", + "modified": "2024-08-06T18:19:30.000Z" + }, + { + "dataset_id": "ds005406", + "modality": "eeg", + "created": "2024-08-09T14:41:21.877Z", + "modified": "2024-08-12T09:54:38.000Z" + }, + { + "dataset_id": "ds005407", + "modality": "eeg", + "created": "2024-08-10T00:31:25.134Z", + "modified": "2024-08-10T01:07:46.000Z" + }, + { + "dataset_id": "ds005408", + "modality": "eeg", + "created": "2024-08-10T00:49:48.180Z", + "modified": "2024-12-10T17:02:57.000Z" + }, + { + "dataset_id": "ds005410", + "modality": "eeg", + "created": "2024-08-13T12:43:18.263Z", + "modified": "2024-08-26T13:51:29.000Z" + }, + { + "dataset_id": "ds005416", + "modality": "eeg", + "created": "2024-08-19T09:02:50.476Z", + "modified": "2024-12-17T01:14:50.000Z" + }, + { + "dataset_id": "ds005420", + "modality": "eeg", + "created": "2024-08-21T17:19:54.276Z", + "modified": "2024-08-21T17:22:57.000Z" + }, + { + "dataset_id": "ds005429", + "modality": "eeg", + "created": "2024-08-26T14:54:36.161Z", + "modified": "2024-08-30T05:31:09.000Z" + }, + { + "dataset_id": "ds005473", + "modality": "eeg", + "created": "2024-09-11T04:15:49.006Z", + "modified": "2024-09-11T10:00:36.000Z" + }, + { + "dataset_id": "ds005486", + "modality": "eeg", + "created": "2024-09-12T16:28:01.458Z", + "modified": "2025-03-01T17:12:32.000Z" + }, + { + "dataset_id": "ds005505", + "modality": "eeg", + "created": "2024-09-21T13:20:28.497Z", + "modified": "2025-03-07T21:58:22.000Z" + }, + { + "dataset_id": "ds005506", + "modality": "eeg", + "created": "2024-09-21T13:22:07.363Z", + "modified": "2025-03-11T02:11:30.000Z" + }, + { + "dataset_id": "ds005507", + "modality": "eeg", + "created": "2024-09-21T13:23:55.136Z", + "modified": "2025-03-11T02:23:03.000Z" + }, + { + "dataset_id": "ds005508", + "modality": "eeg", + "created": "2024-09-21T13:27:45.937Z", + "modified": "2025-03-11T02:31:34.000Z" + }, + { + "dataset_id": "ds005509", + "modality": "eeg", + "created": "2024-09-21T13:31:30.684Z", + "modified": "2025-03-11T02:37:20.000Z" + }, + { + "dataset_id": "ds005510", + "modality": "eeg", + "created": "2024-09-21T13:34:17.158Z", + "modified": "2025-03-11T02:42:03.000Z" + }, + { + "dataset_id": "ds005512", + "modality": "eeg", + "created": "2024-09-21T13:39:35.378Z", + "modified": "2025-03-11T02:52:49.000Z" + }, + { + "dataset_id": "ds005514", + "modality": "eeg", + "created": "2024-09-21T13:48:01.282Z", + "modified": "2025-03-11T02:55:15.000Z" + }, + { + "dataset_id": "ds005515", + "modality": "eeg", + "created": "2024-09-21T13:49:57.271Z", + "modified": "2025-03-11T03:01:17.000Z" + }, + { + "dataset_id": "ds005516", + "modality": "eeg", + "created": "2024-09-21T14:00:08.098Z", + "modified": "2025-03-11T03:03:16.000Z" + }, + { + "dataset_id": "ds005520", + "modality": "eeg", + "created": "2024-09-22T09:53:00.145Z", + "modified": "2025-05-16T14:00:14.000Z" + }, + { + "dataset_id": "ds005530", + "modality": "eeg", + "created": "2024-09-25T19:04:42.320Z", + "modified": "2025-02-24T20:34:28.000Z" + }, + { + "dataset_id": "ds005540", + "modality": "eeg", + "created": "2024-09-30T11:19:36.560Z", + "modified": "2025-05-21T08:07:57.000Z" + }, + { + "dataset_id": "ds005555", + "modality": "eeg", + "created": "2024-10-03T09:33:12.891Z", + "modified": "2025-05-22T12:37:27.000Z" + }, + { + "dataset_id": "ds005565", + "modality": "eeg", + "created": "2024-10-10T00:40:09.570Z", + "modified": "2024-10-17T20:57:24.000Z" + }, + { + "dataset_id": "ds005571", + "modality": "eeg", + "created": "2024-10-11T22:56:27.790Z", + "modified": "2024-11-11T14:35:45.000Z" + }, + { + "dataset_id": "ds005586", + "modality": "eeg", + "created": "2024-10-22T16:19:49.352Z", + "modified": "2024-10-24T11:57:34.000Z" + }, + { + "dataset_id": "ds005594", + "modality": "eeg", + "created": "2024-10-24T11:03:30.698Z", + "modified": "2024-11-12T09:42:30.000Z" + }, + { + "dataset_id": "ds005620", + "modality": "eeg", + "created": "2024-11-06T12:16:47.733Z", + "modified": "2024-11-06T16:30:52.000Z" + }, + { + "dataset_id": "ds005642", + "modality": "eeg", + "created": "2024-11-19T02:17:00.738Z", + "modified": "2025-07-08T05:00:55.000Z" + }, + { + "dataset_id": "ds005648", + "modality": "eeg", + "created": "2024-11-20T22:13:29.697Z", + "modified": "2024-11-21T04:24:38.000Z" + }, + { + "dataset_id": "ds005662", + "modality": "eeg", + "created": "2024-11-27T04:56:45.541Z", + "modified": "2025-07-02T07:11:12.000Z" + }, + { + "dataset_id": "ds005672", + "modality": "eeg", + "created": "2024-11-30T09:25:18.469Z", + "modified": "2024-12-04T15:03:18.000Z" + }, + { + "dataset_id": "ds005688", + "modality": "eeg", + "created": "2024-12-02T16:12:56.962Z", + "modified": "2024-12-03T14:45:54.000Z" + }, + { + "dataset_id": "ds005692", + "modality": "eeg", + "created": "2024-12-04T09:54:43.031Z", + "modified": "2024-12-04T16:14:23.000Z" + }, + { + "dataset_id": "ds005697", + "modality": "eeg", + "created": "2024-12-05T11:51:54.134Z", + "modified": "2024-12-10T01:53:24.000Z" + }, + { + "dataset_id": "ds005779", + "modality": "eeg", + "created": "2025-01-02T16:12:35.546Z", + "modified": "2025-01-02T20:15:41.000Z" + }, + { + "dataset_id": "ds005787", + "modality": "eeg", + "created": "2025-01-05T18:25:20.987Z", + "modified": "2025-01-07T14:39:18.000Z" + }, + { + "dataset_id": "ds005795", + "modality": "eeg", + "created": "2025-01-08T14:12:16.959Z", + "modified": "2025-01-28T11:38:42.000Z" + }, + { + "dataset_id": "ds005811", + "modality": "eeg", + "created": "2025-01-10T16:03:00.727Z", + "modified": "2025-05-03T09:09:13.000Z" + }, + { + "dataset_id": "ds005815", + "modality": "eeg", + "created": "2025-01-12T10:33:26.182Z", + "modified": "2025-06-17T11:32:34.000Z" + }, + { + "dataset_id": "ds005841", + "modality": "eeg", + "created": "2025-01-14T13:48:40.783Z", + "modified": "2025-01-14T18:15:10.000Z" + }, + { + "dataset_id": "ds005857", + "modality": "eeg", + "created": "2025-01-16T16:22:01.499Z", + "modified": "2025-04-02T18:37:15.000Z" + }, + { + "dataset_id": "ds005863", + "modality": "eeg", + "created": "2025-01-20T00:07:59.536Z", + "modified": "2025-03-14T03:20:15.000Z" + }, + { + "dataset_id": "ds005866", + "modality": "eeg", + "created": "2025-01-21T19:49:10.154Z", + "modified": "2025-01-21T22:05:45.000Z" + }, + { + "dataset_id": "ds005868", + "modality": "eeg", + "created": "2025-01-21T23:13:08.684Z", + "modified": "2025-01-22T00:17:40.000Z" + }, + { + "dataset_id": "ds005872", + "modality": "eeg", + "created": "2025-01-23T01:24:16.999Z", + "modified": "2025-01-23T02:51:19.000Z" + }, + { + "dataset_id": "ds005873", + "modality": "eeg", + "created": "2025-01-23T08:10:38.540Z", + "modified": "2025-03-17T17:35:03.000Z" + }, + { + "dataset_id": "ds005876", + "modality": "eeg", + "created": "2025-01-23T18:10:12.912Z", + "modified": "2025-01-23T20:53:55.000Z" + }, + { + "dataset_id": "ds005907", + "modality": "eeg", + "created": "2025-02-06T23:20:31.333Z", + "modified": "2025-02-07T00:07:46.000Z" + }, + { + "dataset_id": "ds005932", + "modality": "eeg", + "created": "2025-02-19T01:35:23.604Z", + "modified": "2025-11-05T20:18:42.000Z" + }, + { + "dataset_id": "ds005946", + "modality": "eeg", + "created": "2025-02-27T07:54:33.516Z", + "modified": "2025-02-27T14:46:53.000Z" + }, + { + "dataset_id": "ds005960", + "modality": "eeg", + "created": "2025-03-05T13:34:26.909Z", + "modified": "2025-03-13T14:43:51.000Z" + }, + { + "dataset_id": "ds006018", + "modality": "eeg", + "created": "2025-03-14T04:33:40.169Z", + "modified": "2025-05-22T18:33:58.000Z" + }, + { + "dataset_id": "ds006033", + "modality": "eeg", + "created": "2025-03-19T10:16:24.423Z", + "modified": "2025-05-08T09:02:04.000Z" + }, + { + "dataset_id": "ds006036", + "modality": "eeg", + "created": "2025-03-21T15:45:18.747Z", + "modified": "2025-05-13T14:26:17.000Z" + }, + { + "dataset_id": "ds006040", + "modality": "eeg", + "created": "2025-03-24T00:18:30.864Z", + "modified": "2025-10-15T06:18:10.000Z" + }, + { + "dataset_id": "ds006095", + "modality": "eeg", + "created": "2025-04-06T21:09:56.098Z", + "modified": "2025-04-07T01:15:10.000Z" + }, + { + "dataset_id": "ds006104", + "modality": "eeg", + "created": "2025-04-08T01:43:51.139Z", + "modified": "2025-04-08T12:14:54.000Z" + }, + { + "dataset_id": "ds006126", + "modality": "eeg", + "created": "2025-04-15T13:27:08.635Z", + "modified": "2025-04-15T13:41:43.000Z" + }, + { + "dataset_id": "ds006142", + "modality": "eeg", + "created": "2025-04-17T12:18:55.249Z", + "modified": "2025-09-03T07:40:31.000Z" + }, + { + "dataset_id": "ds006159", + "modality": "eeg", + "created": "2025-04-23T10:01:37.563Z", + "modified": "2025-05-21T14:05:01.000Z" + }, + { + "dataset_id": "ds006171", + "modality": "eeg", + "created": "2025-04-24T09:05:51.130Z", + "modified": "2025-04-24T13:46:57.000Z" + }, + { + "dataset_id": "ds006260", + "modality": "eeg", + "created": "2025-05-23T17:52:16.432Z", + "modified": "2025-05-29T20:03:20.000Z" + }, + { + "dataset_id": "ds006269", + "modality": "eeg", + "created": "2025-05-30T08:23:30.047Z", + "modified": "2025-05-30T14:42:58.000Z" + }, + { + "dataset_id": "ds006317", + "modality": "eeg", + "created": "2025-06-06T05:49:27.180Z", + "modified": "2025-06-08T12:23:31.000Z" + }, + { + "dataset_id": "ds006366", + "modality": "eeg", + "created": "2025-06-17T12:46:03.516Z", + "modified": "2025-09-05T13:06:20.000Z" + }, + { + "dataset_id": "ds006367", + "modality": "eeg", + "created": "2025-06-17T13:40:50.329Z", + "modified": "2025-06-25T12:01:16.000Z" + }, + { + "dataset_id": "ds006370", + "modality": "eeg", + "created": "2025-06-18T14:43:36.575Z", + "modified": "2025-06-25T11:53:45.000Z" + }, + { + "dataset_id": "ds006374", + "modality": "eeg", + "created": "2025-06-19T14:36:16.257Z", + "modified": "2025-07-10T14:56:25.000Z" + }, + { + "dataset_id": "ds006394", + "modality": "eeg", + "created": "2025-06-26T10:42:24.675Z", + "modified": "2025-06-27T04:44:21.000Z" + }, + { + "dataset_id": "ds006434", + "modality": "eeg", + "created": "2025-07-01T16:32:15.143Z", + "modified": "2025-09-11T17:43:36.000Z" + }, + { + "dataset_id": "ds006437", + "modality": "eeg", + "created": "2025-07-02T02:03:55.684Z", + "modified": "2025-08-21T17:34:41.000Z" + }, + { + "dataset_id": "ds006446", + "modality": "eeg", + "created": "2025-07-07T03:26:37.180Z", + "modified": "2025-07-07T11:34:38.000Z" + }, + { + "dataset_id": "ds006465", + "modality": "eeg", + "created": "2025-07-12T08:34:49.595Z", + "modified": "2025-10-29T03:31:08.000Z" + }, + { + "dataset_id": "ds006466", + "modality": "eeg", + "created": "2025-07-12T17:05:31.158Z", + "modified": "2025-10-06T18:46:57.000Z" + }, + { + "dataset_id": "ds006480", + "modality": "eeg", + "created": "2025-07-18T06:46:14.790Z", + "modified": "2025-10-06T17:43:35.000Z" + }, + { + "dataset_id": "ds006525", + "modality": "eeg", + "created": "2025-08-01T16:44:42.411Z", + "modified": "2025-08-01T17:19:32.000Z" + }, + { + "dataset_id": "ds006547", + "modality": "eeg", + "created": "2025-08-12T10:31:23.086Z", + "modified": "2025-08-12T11:19:42.000Z" + }, + { + "dataset_id": "ds006554", + "modality": "eeg", + "created": "2025-08-12T20:38:53.778Z", + "modified": "2025-08-12T23:36:26.000Z" + }, + { + "dataset_id": "ds006563", + "modality": "eeg", + "created": "2025-08-15T06:04:34.622Z", + "modified": "2025-08-15T19:16:48.000Z" + }, + { + "dataset_id": "ds006593", + "modality": "eeg", + "created": "2025-08-23T19:31:47.377Z", + "modified": "2025-08-23T21:11:35.000Z" + }, + { + "dataset_id": "ds006647", + "modality": "eeg", + "created": "2025-09-10T19:23:51.860Z", + "modified": "2025-09-11T01:38:42.000Z" + }, + { + "dataset_id": "ds006648", + "modality": "eeg", + "created": "2025-09-10T21:26:14.888Z", + "modified": "2025-09-11T02:01:28.000Z" + }, + { + "dataset_id": "ds006695", + "modality": "eeg", + "created": "2025-09-20T00:12:16.076Z", + "modified": "2025-09-20T16:30:31.000Z" + }, + { + "dataset_id": "ds006735", + "modality": "eeg", + "created": "2025-09-30T00:41:21.669Z", + "modified": "2025-09-30T22:16:34.000Z" + }, + { + "dataset_id": "ds006761", + "modality": "eeg", + "created": "2025-10-08T00:56:21.789Z", + "modified": "2025-10-08T06:16:05.000Z" + }, + { + "dataset_id": "ds006768", + "modality": "eeg", + "created": "2025-10-09T23:53:07.589Z", + "modified": "2025-10-10T05:01:22.000Z" + }, + { + "dataset_id": "ds006801", + "modality": "eeg", + "created": "2025-10-16T15:15:26.032Z", + "modified": "2025-10-16T15:41:38.000Z" + }, + { + "dataset_id": "ds006802", + "modality": "eeg", + "created": "2025-10-16T22:18:13.502Z", + "modified": "2025-10-17T02:06:39.000Z" + }, + { + "dataset_id": "ds006803", + "modality": "eeg", + "created": "2025-10-16T23:52:02.995Z", + "modified": "2025-10-17T00:02:26.000Z" + }, + { + "dataset_id": "ds006817", + "modality": "eeg", + "created": "2025-10-20T23:53:08.416Z", + "modified": "2025-10-28T08:15:53.000Z" + }, + { + "dataset_id": "ds006839", + "modality": "eeg", + "created": "2025-10-24T21:53:47.954Z", + "modified": "2025-10-29T12:42:28.000Z" + }, + { + "dataset_id": "ds006848", + "modality": "eeg", + "created": "2025-10-27T14:10:06.799Z", + "modified": "2025-10-28T07:46:08.000Z" + }, + { + "dataset_id": "ds006850", + "modality": "eeg", + "created": "2025-10-27T15:59:35.232Z", + "modified": "2025-10-30T12:10:32.000Z" + }, + { + "dataset_id": "ds006861", + "modality": "eeg", + "created": "2025-10-29T13:18:40.300Z", + "modified": "2025-10-30T13:07:21.000Z" + }, + { + "dataset_id": "ds006866", + "modality": "eeg", + "created": "2025-10-29T19:00:26.774Z", + "modified": "2025-10-29T23:48:25.000Z" + }, + { + "dataset_id": "ds002799", + "modality": "ieeg", + "created": "2020-05-16T00:33:07.233Z", + "modified": "2021-08-25T23:37:52.000Z" + }, + { + "dataset_id": "ds003029", + "modality": "ieeg", + "created": "2020-07-26T19:33:04.172Z", + "modified": "2023-11-28T15:39:44.000Z" + }, + { + "dataset_id": "ds003078", + "modality": "ieeg", + "created": "2020-08-16T19:12:06.282Z", + "modified": "2020-08-17T04:11:36.000Z" + }, + { + "dataset_id": "ds003374", + "modality": "ieeg", + "created": "2020-11-11T18:36:10.735Z", + "modified": "2020-11-26T12:36:45.000Z" + }, + { + "dataset_id": "ds003498", + "modality": "ieeg", + "created": "2021-02-01T13:44:55.139Z", + "modified": "2023-09-26T00:54:04.000Z" + }, + { + "dataset_id": "ds003688", + "modality": "ieeg", + "created": "2021-06-08T21:48:50.694Z", + "modified": "2022-06-18T19:31:53.000Z" + }, + { + "dataset_id": "ds003708", + "modality": "ieeg", + "created": "2021-06-23T18:46:01.816Z", + "modified": "2023-08-10T13:27:02.000Z" + }, + { + "dataset_id": "ds003844", + "modality": "ieeg", + "created": "2021-10-15T18:46:25.120Z", + "modified": "2021-10-26T01:07:44.000Z" + }, + { + "dataset_id": "ds003848", + "modality": "ieeg", + "created": "2021-10-21T15:17:12.430Z", + "modified": "2021-10-26T01:07:53.000Z" + }, + { + "dataset_id": "ds003876", + "modality": "ieeg", + "created": "2021-11-09T21:38:53.750Z", + "modified": "2023-01-24T01:58:40.000Z" + }, + { + "dataset_id": "ds004100", + "modality": "ieeg", + "created": "2022-04-17T18:17:45.719Z", + "modified": "2023-03-22T21:26:14.000Z" + }, + { + "dataset_id": "ds004127", + "modality": "ieeg", + "created": "2022-05-10T20:43:29.748Z", + "modified": "2022-08-23T18:29:08.000Z" + }, + { + "dataset_id": "ds004194", + "modality": "ieeg", + "created": "2022-07-04T12:51:42.010Z", + "modified": "2025-04-01T10:23:42.000Z" + }, + { + "dataset_id": "ds004080", + "modality": "ieeg", + "created": "2022-07-21T15:35:16.672Z", + "modified": "2023-03-12T22:58:23.000Z" + }, + { + "dataset_id": "ds004370", + "modality": "ieeg", + "created": "2022-12-16T14:47:48.631Z", + "modified": "2023-12-16T15:16:44.000Z" + }, + { + "dataset_id": "ds004457", + "modality": "ieeg", + "created": "2023-02-01T14:05:34.238Z", + "modified": "2023-06-02T19:39:03.000Z" + }, + { + "dataset_id": "ds004473", + "modality": "ieeg", + "created": "2023-02-07T22:05:05.338Z", + "modified": "2023-02-09T20:17:20.000Z" + }, + { + "dataset_id": "ds004551", + "modality": "ieeg", + "created": "2023-04-07T02:24:47.402Z", + "modified": "2023-05-30T02:54:58.000Z" + }, + { + "dataset_id": "ds004624", + "modality": "ieeg", + "created": "2023-06-30T19:55:34.648Z", + "modified": "2025-06-14T03:31:56.000Z" + }, + { + "dataset_id": "ds004642", + "modality": "ieeg", + "created": "2023-07-17T13:57:44.780Z", + "modified": "2023-07-31T08:41:33.000Z" + }, + { + "dataset_id": "ds004696", + "modality": "ieeg", + "created": "2023-08-15T20:54:55.122Z", + "modified": "2024-04-13T03:25:55.000Z" + }, + { + "dataset_id": "ds004703", + "modality": "ieeg", + "created": "2023-08-16T01:23:55.497Z", + "modified": "2023-08-18T14:37:54.000Z" + }, + { + "dataset_id": "ds004752", + "modality": "ieeg", + "created": "2023-09-13T13:22:42.954Z", + "modified": "2023-09-20T10:40:50.000Z" + }, + { + "dataset_id": "ds004770", + "modality": "ieeg", + "created": "2023-09-22T16:13:23.510Z", + "modified": "2023-09-22T18:31:10.000Z" + }, + { + "dataset_id": "ds004774", + "modality": "ieeg", + "created": "2023-09-25T14:40:46.435Z", + "modified": "2023-12-30T23:56:46.000Z" + }, + { + "dataset_id": "ds004789", + "modality": "ieeg", + "created": "2023-10-10T20:42:35.486Z", + "modified": "2024-04-22T23:33:32.000Z" + }, + { + "dataset_id": "ds004809", + "modality": "ieeg", + "created": "2023-10-19T14:46:21.581Z", + "modified": "2024-04-23T00:23:08.000Z" + }, + { + "dataset_id": "ds004819", + "modality": "ieeg", + "created": "2023-10-25T17:12:15.181Z", + "modified": "2023-10-26T00:03:11.000Z" + }, + { + "dataset_id": "ds004859", + "modality": "ieeg", + "created": "2023-11-22T04:07:20.769Z", + "modified": "2023-11-22T04:43:12.000Z" + }, + { + "dataset_id": "ds004865", + "modality": "ieeg", + "created": "2023-11-29T19:38:59.142Z", + "modified": "2024-04-22T22:04:43.000Z" + }, + { + "dataset_id": "ds004944", + "modality": "ieeg", + "created": "2024-01-30T10:41:43.220Z", + "modified": "2024-04-11T09:00:21.000Z" + }, + { + "dataset_id": "ds004977", + "modality": "ieeg", + "created": "2024-02-19T19:52:02.163Z", + "modified": "2024-05-13T17:47:41.000Z" + }, + { + "dataset_id": "ds004993", + "modality": "ieeg", + "created": "2024-02-25T23:36:29.775Z", + "modified": "2024-03-01T17:54:40.000Z" + }, + { + "dataset_id": "ds005007", + "modality": "ieeg", + "created": "2024-03-05T23:44:50.042Z", + "modified": "2024-03-07T17:44:30.000Z" + }, + { + "dataset_id": "ds005059", + "modality": "ieeg", + "created": "2024-04-03T21:09:33.244Z", + "modified": "2024-04-23T00:32:22.000Z" + }, + { + "dataset_id": "ds005083", + "modality": "ieeg", + "created": "2024-04-10T21:53:35.682Z", + "modified": "2024-04-10T22:00:08.000Z" + }, + { + "dataset_id": "ds005169", + "modality": "ieeg", + "created": "2024-05-22T09:00:55.253Z", + "modified": "2024-05-22T10:58:35.000Z" + }, + { + "dataset_id": "ds005398", + "modality": "ieeg", + "created": "2024-08-04T16:43:46.618Z", + "modified": "2024-08-15T03:01:26.000Z" + }, + { + "dataset_id": "ds005411", + "modality": "ieeg", + "created": "2024-08-13T16:37:26.160Z", + "modified": "2024-08-14T14:45:19.000Z" + }, + { + "dataset_id": "ds005415", + "modality": "ieeg", + "created": "2024-08-17T03:31:16.602Z", + "modified": "2024-10-25T12:49:06.000Z" + }, + { + "dataset_id": "ds005448", + "modality": "ieeg", + "created": "2024-09-03T06:27:56.217Z", + "modified": "2024-10-08T19:09:02.000Z" + }, + { + "dataset_id": "ds005489", + "modality": "ieeg", + "created": "2024-09-15T18:28:05.055Z", + "modified": "2024-09-17T23:14:43.000Z" + }, + { + "dataset_id": "ds005491", + "modality": "ieeg", + "created": "2024-09-16T20:43:53.335Z", + "modified": "2024-09-16T21:26:48.000Z" + }, + { + "dataset_id": "ds005494", + "modality": "ieeg", + "created": "2024-09-17T22:23:36.032Z", + "modified": "2024-09-25T15:44:34.000Z" + }, + { + "dataset_id": "ds005522", + "modality": "ieeg", + "created": "2024-09-24T15:54:45.157Z", + "modified": "2024-09-24T17:18:59.000Z" + }, + { + "dataset_id": "ds005523", + "modality": "ieeg", + "created": "2024-09-24T16:57:08.474Z", + "modified": "2024-09-24T18:53:29.000Z" + }, + { + "dataset_id": "ds005545", + "modality": "ieeg", + "created": "2024-09-30T21:57:55.144Z", + "modified": "2025-04-23T16:00:00.000Z" + }, + { + "dataset_id": "ds005557", + "modality": "ieeg", + "created": "2024-10-06T03:40:26.768Z", + "modified": "2024-10-06T04:38:57.000Z" + }, + { + "dataset_id": "ds005558", + "modality": "ieeg", + "created": "2024-10-06T04:32:14.781Z", + "modified": "2024-10-06T04:41:45.000Z" + }, + { + "dataset_id": "ds005574", + "modality": "ieeg", + "created": "2024-10-15T20:04:55.411Z", + "modified": "2025-02-17T13:52:37.000Z" + }, + { + "dataset_id": "ds000248", + "modality": "meg", + "created": "2018-03-30T14:58:53.917Z", + "modified": "2020-12-11T09:14:57.000Z" + }, + { + "dataset_id": "ds000117", + "modality": "meg", + "created": "2018-03-30T13:14:28.253Z", + "modified": "2025-01-06T15:37:05.000Z" + }, + { + "dataset_id": "ds000246", + "modality": "meg", + "created": "2018-03-30T10:34:05.130Z", + "modified": "2024-04-23T10:17:01.000Z" + }, + { + "dataset_id": "ds000247", + "modality": "meg", + "created": "2018-03-30T18:40:38.407Z", + "modified": "2024-04-24T10:50:08.000Z" + }, + { + "dataset_id": "ds002001", + "modality": "meg", + "created": "2019-06-27T21:51:22.774Z", + "modified": "2019-06-28T16:25:02.000Z" + }, + { + "dataset_id": "ds002312", + "modality": "meg", + "created": "2019-11-08T15:37:35.868Z", + "modified": "2019-11-08T23:29:46.000Z" + }, + { + "dataset_id": "ds002550", + "modality": "meg", + "created": "2020-02-12T20:34:30.079Z", + "modified": "2020-05-05T23:51:45.000Z" + }, + { + "dataset_id": "ds002712", + "modality": "meg", + "created": "2020-04-16T07:54:58.744Z", + "modified": "2020-05-11T17:41:07.000Z" + }, + { + "dataset_id": "ds002761", + "modality": "meg", + "created": "2020-04-29T12:47:53.734Z", + "modified": "2022-11-18T15:26:06.000Z" + }, + { + "dataset_id": "ds002885", + "modality": "meg", + "created": "2020-06-05T12:06:29.489Z", + "modified": "2020-06-24T07:29:11.000Z" + }, + { + "dataset_id": "ds002908", + "modality": "meg", + "created": "2020-06-22T13:05:54.700Z", + "modified": "2020-08-04T19:03:33.000Z" + }, + { + "dataset_id": "ds003082", + "modality": "meg", + "created": "2020-08-17T10:13:10.611Z", + "modified": "2021-11-17T20:54:33.000Z" + }, + { + "dataset_id": "ds003104", + "modality": "meg", + "created": "2020-08-31T07:20:15.139Z", + "modified": "2020-08-31T07:25:40.000Z" + }, + { + "dataset_id": "ds003352", + "modality": "meg", + "created": "2020-11-03T20:36:34.212Z", + "modified": "2020-11-04T00:43:56.000Z" + }, + { + "dataset_id": "ds003392", + "modality": "meg", + "created": "2020-11-20T19:39:16.349Z", + "modified": "2021-05-18T15:31:01.000Z" + }, + { + "dataset_id": "ds003483", + "modality": "meg", + "created": "2021-01-21T21:01:58.596Z", + "modified": "2021-01-24T10:47:46.000Z" + }, + { + "dataset_id": "ds003568", + "modality": "meg", + "created": "2021-03-16T15:16:54.652Z", + "modified": "2023-07-19T20:01:43.000Z" + }, + { + "dataset_id": "ds003633", + "modality": "meg", + "created": "2021-04-24T03:09:05.237Z", + "modified": "2022-12-29T03:52:29.000Z" + }, + { + "dataset_id": "ds003645", + "modality": "meg", + "created": "2021-05-04T08:12:20.862Z", + "modified": "2023-04-14T14:27:58.000Z" + }, + { + "dataset_id": "ds003682", + "modality": "meg", + "created": "2021-06-05T16:53:45.247Z", + "modified": "2021-06-05T22:59:10.000Z" + }, + { + "dataset_id": "ds003694", + "modality": "meg", + "created": "2021-06-12T09:48:35.040Z", + "modified": "2021-06-14T06:56:33.000Z" + }, + { + "dataset_id": "ds003703", + "modality": "meg", + "created": "2021-06-18T03:26:19.091Z", + "modified": "2021-06-23T07:41:36.000Z" + }, + { + "dataset_id": "ds003922", + "modality": "meg", + "created": "2021-11-19T13:29:49.244Z", + "modified": "2022-05-02T14:19:35.000Z" + }, + { + "dataset_id": "ds004011", + "modality": "meg", + "created": "2022-01-26T23:26:00.152Z", + "modified": "2022-04-08T01:32:29.000Z" + }, + { + "dataset_id": "ds004012", + "modality": "meg", + "created": "2022-02-03T09:47:39.342Z", + "modified": "2022-02-01T02:24:04.000Z" + }, + { + "dataset_id": "ds004078", + "modality": "meg", + "created": "2022-03-20T08:43:39.462Z", + "modified": "2023-10-16T02:05:05.000Z" + }, + { + "dataset_id": "ds004107", + "modality": "meg", + "created": "2022-04-22T16:06:47.154Z", + "modified": "2022-04-22T19:50:04.000Z" + }, + { + "dataset_id": "ds004212", + "modality": "meg", + "created": "2022-07-14T15:47:41.319Z", + "modified": "2025-05-29T20:15:29.000Z" + }, + { + "dataset_id": "ds004229", + "modality": "meg", + "created": "2022-08-01T18:25:31.485Z", + "modified": "2023-11-03T18:30:43.000Z" + }, + { + "dataset_id": "ds004276", + "modality": "meg", + "created": "2022-09-23T14:41:43.515Z", + "modified": "2022-09-23T20:02:38.000Z" + }, + { + "dataset_id": "ds004278", + "modality": "meg", + "created": "2022-09-23T17:53:03.124Z", + "modified": "2022-10-11T18:18:40.000Z" + }, + { + "dataset_id": "ds004330", + "modality": "meg", + "created": "2022-11-07T14:41:49.699Z", + "modified": "2022-11-08T10:16:44.000Z" + }, + { + "dataset_id": "ds004346", + "modality": "meg", + "created": "2022-11-28T16:33:17.402Z", + "modified": "2024-06-07T09:19:58.000Z" + }, + { + "dataset_id": "ds004398", + "modality": "meg", + "created": "2023-01-11T14:18:04.348Z", + "modified": "2023-01-25T04:25:53.000Z" + }, + { + "dataset_id": "ds004483", + "modality": "meg", + "created": "2023-02-08T23:22:49.117Z", + "modified": "2023-02-13T14:53:45.000Z" + }, + { + "dataset_id": "ds004738", + "modality": "meg", + "created": "2023-09-03T09:15:15.944Z", + "modified": "2023-09-03T10:42:30.000Z" + }, + { + "dataset_id": "ds004837", + "modality": "meg", + "created": "2023-11-01T15:54:14.672Z", + "modified": "2025-05-27T15:41:36.000Z" + }, + { + "dataset_id": "ds004998", + "modality": "meg", + "created": "2024-03-04T17:45:27.695Z", + "modified": "2024-09-09T08:26:28.000Z" + }, + { + "dataset_id": "ds005065", + "modality": "meg", + "created": "2024-04-07T02:26:32.589Z", + "modified": "2024-04-09T01:21:46.000Z" + }, + { + "dataset_id": "ds005107", + "modality": "meg", + "created": "2024-04-24T06:49:36.871Z", + "modified": "2025-06-30T23:44:09.000Z" + }, + { + "dataset_id": "ds005241", + "modality": "meg", + "created": "2024-06-12T15:20:44.636Z", + "modified": "2024-06-14T14:53:48.000Z" + }, + { + "dataset_id": "ds005261", + "modality": "meg", + "created": "2024-06-17T13:06:26.783Z", + "modified": "2025-05-12T07:26:44.000Z" + }, + { + "dataset_id": "ds005279", + "modality": "meg", + "created": "2024-06-24T16:17:02.918Z", + "modified": "2024-07-03T20:27:47.000Z" + }, + { + "dataset_id": "ds005346", + "modality": "meg", + "created": "2024-07-16T14:15:32.746Z", + "modified": "2025-08-06T02:29:27.000Z" + }, + { + "dataset_id": "ds005356", + "modality": "meg", + "created": "2024-07-17T17:45:08.266Z", + "modified": "2025-03-06T16:10:24.000Z" + }, + { + "dataset_id": "ds005752", + "modality": "meg", + "created": "2024-12-20T18:45:44.865Z", + "modified": "2025-02-18T16:59:09.000Z" + }, + { + "dataset_id": "ds005810", + "modality": "meg", + "created": "2025-01-10T11:07:26.509Z", + "modified": "2025-08-30T14:20:38.000Z" + }, + { + "dataset_id": "ds006012", + "modality": "meg", + "created": "2025-03-13T19:13:44.963Z", + "modified": "2025-03-14T17:05:14.000Z" + }, + { + "dataset_id": "ds006035", + "modality": "meg", + "created": "2025-03-20T05:08:27.231Z", + "modified": "2025-03-21T18:44:26.000Z" + }, + { + "dataset_id": "ds006334", + "modality": "meg", + "created": "2025-06-10T16:14:43.829Z", + "modified": "2025-06-11T09:26:21.000Z" + }, + { + "dataset_id": "ds006468", + "modality": "meg", + "created": "2025-07-14T17:00:44.163Z", + "modified": "2025-10-20T16:32:42.000Z" + }, + { + "dataset_id": "ds006502", + "modality": "meg", + "created": "2025-07-28T19:06:15.608Z", + "modified": "2025-08-12T04:55:40.000Z" + }, + { + "dataset_id": "ds006629", + "modality": "meg", + "created": "2025-09-04T11:55:02.705Z", + "modified": "2025-09-29T06:11:47.000Z" + } +] \ No newline at end of file From 69da4a1610cf902d2f69a016f3cb774e0a724a2a Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 7 Nov 2025 22:27:36 +0100 Subject: [PATCH 15/34] updating the tests --- tests/test_mongo_connection.py | 11 +++++++---- 1 file changed, 7 insertions(+), 4 deletions(-) diff --git a/tests/test_mongo_connection.py b/tests/test_mongo_connection.py index cc269f8a..7588a85b 100644 --- a/tests/test_mongo_connection.py +++ b/tests/test_mongo_connection.py @@ -71,16 +71,19 @@ def test_different_staging_flags_use_same_connections(mongo_mocks): def test_close_does_not_close_singleton(mongo_mocks): - """EEGDash.close() should not close the shared Mongo client.""" + """Creating multiple EEGDash instances should share the singleton client.""" e1 = EEGDash(is_public=True, is_staging=False) client = e1._EEGDash__client # grab the underlying client - e1.close() - - client.close.assert_not_called() + # Create another instance with same parameters e2 = EEGDash(is_public=True, is_staging=False) + + # They should share the same client assert e2._EEGDash__client is client + # Client should not be closed yet + client.close.assert_not_called() + def test_close_all_connections_closes_clients(mongo_mocks): """EEGDash.close_all_connections() closes clients and clears the registry.""" From 7ae29d6f0a94342671e5f1b3c47a9ca292b39fef Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Fri, 7 Nov 2025 23:06:41 +0100 Subject: [PATCH 16/34] including and updating --- .../1-fetch-openneuro-datasets-nemar.yml | 39 ++++- .../ingestions/2_clone_openneuro_datasets.py | 165 ------------------ scripts/ingestions/2_filter_new_datasets.py | 77 ++++++++ .../ingestions/3_filter_existant_dataset.py | 2 - 4 files changed, 114 insertions(+), 169 deletions(-) delete mode 100644 scripts/ingestions/2_clone_openneuro_datasets.py create mode 100644 scripts/ingestions/2_filter_new_datasets.py delete mode 100644 scripts/ingestions/3_filter_existant_dataset.py diff --git a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml index 9e9458ce..9dcf25b8 100644 --- a/.github/workflows/1-fetch-openneuro-datasets-nemar.yml +++ b/.github/workflows/1-fetch-openneuro-datasets-nemar.yml @@ -33,6 +33,7 @@ jobs: run: | python -m pip install --upgrade pip pip install gql[requests] requests + pip install -e . - name: Fetch OpenNeuro datasets run: | @@ -66,21 +67,53 @@ jobs: exit 1 fi + - name: Filter new OpenNeuro datasets + run: | + python scripts/ingestions/2_filter_new_datasets.py \ + consolidated/openneuro_datasets.json + + - name: Filter new NEMAR datasets + run: | + python scripts/ingestions/2_filter_new_datasets.py \ + consolidated/nemardatasets_repos.json + + - name: Verify filtered outputs + run: | + echo "📊 Filtering Results:" + echo "" + if [ -f consolidated/to_digest_openneuro_datasets.json ]; then + echo "✓ OpenNeuro filtered datasets created" + python -c "import json; data = json.load(open('consolidated/to_digest_openneuro_datasets.json')); print(f' Datasets to digest: {len(data)}')" + else + echo "✗ OpenNeuro filtered datasets not created" + exit 1 + fi + echo "" + if [ -f consolidated/to_digest_nemardatasets_repos.json ]; then + echo "✓ NEMAR filtered datasets created" + python -c "import json; data = json.load(open('consolidated/to_digest_nemardatasets_repos.json')); print(f' Datasets to digest: {len(data)}')" + else + echo "✗ NEMAR filtered datasets not created" + exit 1 + fi + - name: Commit and push changes if datasets updated run: | git config user.name "github-actions[bot]" git config user.email "41898282+github-actions[bot]@users.noreply.github.com" - # Add files to staging to check for actual changes + # Add all dataset files to staging git add consolidated/openneuro_datasets.json git add consolidated/nemardatasets_repos.json + git add consolidated/to_digest_openneuro_datasets.json + git add consolidated/to_digest_nemardatasets_repos.json # Check if there are actual changes (not just timestamp differences) if git diff --cached --quiet; then echo "No changes detected in dataset files, skipping commit" else echo "Changes detected, committing..." - git commit -m "chore: update OpenNeuro & NEMAR dataset listings" + git commit -m "chore: update OpenNeuro & NEMAR dataset listings and filtered to_digest files" git push origin HEAD:${{ github.head_ref }} echo "✓ Changes committed and pushed" fi @@ -92,4 +125,6 @@ jobs: path: | consolidated/openneuro_datasets.json consolidated/nemardatasets_repos.json + consolidated/to_digest_openneuro_datasets.json + consolidated/to_digest_nemardatasets_repos.json retention-days: 7 diff --git a/scripts/ingestions/2_clone_openneuro_datasets.py b/scripts/ingestions/2_clone_openneuro_datasets.py deleted file mode 100644 index 88cbd8ab..00000000 --- a/scripts/ingestions/2_clone_openneuro_datasets.py +++ /dev/null @@ -1,165 +0,0 @@ -"""Clone OpenNeuro datasets with timeout and error handling.""" - -import argparse -import json -import subprocess -import sys -import time -from pathlib import Path - - -def clone_dataset(dataset_id: str, output_dir: Path, timeout: int) -> dict: - """Clone a single dataset with timeout.""" - url = f"https://github.com/OpenNeuroDatasets/{dataset_id}" - clone_dir = output_dir / dataset_id - - # Skip if already cloned - if clone_dir.exists(): - return {"status": "skip", "dataset_id": dataset_id, "reason": "already exists"} - - try: - # Run git clone with timeout - result = subprocess.run( - ["git", "clone", url, str(clone_dir)], - timeout=timeout, - capture_output=True, - text=True, - ) - - if result.returncode == 0: - return {"status": "success", "dataset_id": dataset_id} - else: - # Clean up partial clone on failure - if clone_dir.exists(): - import shutil - - shutil.rmtree(clone_dir, ignore_errors=True) - return { - "status": "failed", - "dataset_id": dataset_id, - "error": result.stderr[:200], - } - - except subprocess.TimeoutExpired: - # Clean up partial clone on timeout - if clone_dir.exists(): - import shutil - - shutil.rmtree(clone_dir, ignore_errors=True) - return { - "status": "timeout", - "dataset_id": dataset_id, - "timeout_seconds": timeout, - } - - except Exception as e: - return {"status": "error", "dataset_id": dataset_id, "error": str(e)[:200]} - - -def main() -> None: - parser = argparse.ArgumentParser( - description="Clone all OpenNeuro datasets from consolidated listing." - ) - parser.add_argument( - "--output-dir", - type=Path, - default=Path("test_diggestion"), - help="Output directory for cloned repos (default: test_diggestion).", - ) - parser.add_argument( - "--timeout", - type=int, - default=300, - help="Timeout per clone in seconds (default: 300).", - ) - parser.add_argument( - "--datasets-file", - type=Path, - default=Path("consolidated/openneuro_datasets.json"), - help="JSON file with dataset listings.", - ) - parser.add_argument( - "--max-parallel", - type=int, - default=1, - help="Max parallel clones (currently single-threaded).", - ) - args = parser.parse_args() - - # Validate input file - if not args.datasets_file.exists(): - print(f"Error: {args.datasets_file} not found", file=sys.stderr) - sys.exit(1) - - # Load datasets - with args.datasets_file.open("r") as fh: - datasets = json.load(fh) - - # Get unique dataset IDs - dataset_ids = sorted(set(d["dataset_id"] for d in datasets)) - total = len(dataset_ids) - - print(f"Starting dataset cloning at {time.strftime('%Y-%m-%d %H:%M:%S')}") - print(f"Output directory: {args.output_dir}") - print(f"Timeout per clone: {args.timeout}s") - print(f"Total unique datasets: {total}") - print() - - # Create output directory - args.output_dir.mkdir(parents=True, exist_ok=True) - - # Clone datasets - results = { - "success": [], - "failed": [], - "timeout": [], - "skip": [], - "error": [], - } - - for idx, dataset_id in enumerate(dataset_ids, start=1): - print(f"[{idx}/{total}] Cloning {dataset_id}...", end=" ", flush=True) - - result = clone_dataset(dataset_id, args.output_dir, args.timeout) - status = result.pop("status") - results[status].append(result) - - if status == "success": - print("✓") - elif status == "skip": - print("⊘ (already exists)") - elif status == "timeout": - print(f"⏱ (timeout after {args.timeout}s)") - elif status == "failed": - print(f"✗ (error: {result.get('error', 'unknown')})") - else: - print(f"? (error: {result.get('error', 'unknown')})") - - # Summary - print() - print("=" * 50) - print(f"Cloning completed at {time.strftime('%Y-%m-%d %H:%M:%S')}") - print(f"Success: {len(results['success'])}") - print(f"Failed: {len(results['failed'])}") - print(f"Timeout: {len(results['timeout'])}") - print(f"Skipped: {len(results['skip'])}") - print(f"Errors: {len(results['error'])}") - print("=" * 50) - - # Save results - results_file = args.output_dir / "clone_results.json" - with results_file.open("w") as fh: - json.dump(results, fh, indent=2) - print(f"Results saved to: {results_file}") - - # Save failed/timeout for retry - if results["failed"] or results["timeout"]: - retry_file = args.output_dir / "retry.json" - retry_ids = [d["dataset_id"] for d in results["failed"] + results["timeout"]] - with retry_file.open("w") as fh: - json.dump(retry_ids, fh, indent=2) - print(f"Retry list saved to: {retry_file}") - - -if __name__ == "__main__": - main() diff --git a/scripts/ingestions/2_filter_new_datasets.py b/scripts/ingestions/2_filter_new_datasets.py new file mode 100644 index 00000000..43453d01 --- /dev/null +++ b/scripts/ingestions/2_filter_new_datasets.py @@ -0,0 +1,77 @@ +"""Filter datasets that are not yet in EEGDash MongoDB.""" + +import argparse +import json +from pathlib import Path + +from eegdash.api import EEGDash + + +def filter_new_datasets(input_file: Path, output_file: Path, is_public: bool = True): + """Filter datasets that don't exist in MongoDB yet. + + Args: + input_file: Input JSON file with dataset list + output_file: Output JSON file with filtered datasets + is_public: Whether to check public or private MongoDB + + """ + # Load input datasets + with input_file.open("r") as f: + datasets = json.load(f) + + # Connect to MongoDB + eegdash = EEGDash(is_public=is_public) + + # Get existing dataset IDs from MongoDB + existing_ids = set( + doc["dataset"] for doc in eegdash.collection.find({}, {"dataset": 1, "_id": 0}) + ) + + # Filter out datasets that already exist + new_datasets = [ds for ds in datasets if ds.get("dataset_id") not in existing_ids] + + # Save filtered datasets + output_file.parent.mkdir(parents=True, exist_ok=True) + with output_file.open("w") as f: + json.dump(new_datasets, f, indent=2) + + # Print summary + print(f"Total datasets in input: {len(datasets)}") + print(f"Already in MongoDB: {len(datasets) - len(new_datasets)}") + print(f"New datasets to digest: {len(new_datasets)}") + print(f"Filtered dataset list saved to: {output_file}") + + +def main(): + parser = argparse.ArgumentParser( + description="Filter datasets that are not yet in EEGDash MongoDB" + ) + parser.add_argument( + "input", + type=Path, + help="Input JSON file (e.g., consolidated/openneuro_datasets.json)", + ) + parser.add_argument( + "--output", + type=Path, + default=None, + help="Output JSON file (default: adds 'to_digest_' prefix)", + ) + parser.add_argument( + "--private", + action="store_true", + help="Check private MongoDB instead of public", + ) + args = parser.parse_args() + + # Default output filename with prefix + if args.output is None: + filename = args.input.name + args.output = args.input.parent / f"to_digest_{filename}" + + filter_new_datasets(args.input, args.output, is_public=not args.private) + + +if __name__ == "__main__": + main() diff --git a/scripts/ingestions/3_filter_existant_dataset.py b/scripts/ingestions/3_filter_existant_dataset.py deleted file mode 100644 index aa413cbf..00000000 --- a/scripts/ingestions/3_filter_existant_dataset.py +++ /dev/null @@ -1,2 +0,0 @@ -# TO-DO later, implement a check to see if the dataset already exists in the database -# OR if the latest snapshot is already ingested. From add6f9e66c5c9a54397b4647367f5f26134ea524 Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Fri, 7 Nov 2025 22:20:39 +0000 Subject: [PATCH 17/34] chore: update OpenNeuro & NEMAR dataset listings and filtered to_digest files --- .../to_digest_nemardatasets_repos.json | 117 ++ .../to_digest_openneuro_datasets.json | 1184 +++++++++++++++++ 2 files changed, 1301 insertions(+) create mode 100644 consolidated/to_digest_nemardatasets_repos.json create mode 100644 consolidated/to_digest_openneuro_datasets.json diff --git a/consolidated/to_digest_nemardatasets_repos.json b/consolidated/to_digest_nemardatasets_repos.json new file mode 100644 index 00000000..a0ef2206 --- /dev/null +++ b/consolidated/to_digest_nemardatasets_repos.json @@ -0,0 +1,117 @@ +[ + { + "dataset_id": "nm000107", + "full_name": "nemarDatasets/nm000107", + "description": "Meta Reality Labs Wrist Pose sEMG Dataset", + "url": "https://github.com/nemarDatasets/nm000107", + "created": "2025-10-07T00:16:09Z", + "modified": "2025-10-24T17:21:54Z", + "pushed": "2025-10-24T17:21:49Z", + "size_kb": 249, + "default_branch": "main", + "topics": [ + "bids", + "electromyography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000107.git", + "ssh_url": "git@github.com:nemarDatasets/nm000107.git" + }, + { + "dataset_id": "nm000105", + "full_name": "nemarDatasets/nm000105", + "description": "Meta Reality Labs Discrete Gestures sEMG Dataset", + "url": "https://github.com/nemarDatasets/nm000105", + "created": "2025-10-07T04:54:50Z", + "modified": "2025-10-24T17:19:54Z", + "pushed": "2025-10-24T17:19:49Z", + "size_kb": 1360, + "default_branch": "main", + "topics": [ + "bids", + "electromyography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000105.git", + "ssh_url": "git@github.com:nemarDatasets/nm000105.git" + }, + { + "dataset_id": "nm000106", + "full_name": "nemarDatasets/nm000106", + "description": "Meta Reality Labs Handwriting sEMG Dataset", + "url": "https://github.com/nemarDatasets/nm000106", + "created": "2025-10-07T05:24:52Z", + "modified": "2025-10-24T17:20:38Z", + "pushed": "2025-10-24T17:20:35Z", + "size_kb": 2749, + "default_branch": "main", + "topics": [ + "bids", + "electromyography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000106.git", + "ssh_url": "git@github.com:nemarDatasets/nm000106.git" + }, + { + "dataset_id": "nm000104", + "full_name": "nemarDatasets/nm000104", + "description": "Meta Reality Labs EMG2Qwerty Dataset", + "url": "https://github.com/nemarDatasets/nm000104", + "created": "2025-10-07T06:01:58Z", + "modified": "2025-10-24T17:18:53Z", + "pushed": "2025-10-24T17:18:50Z", + "size_kb": 57829, + "default_branch": "main", + "topics": [ + "bids", + "electromyography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000104.git", + "ssh_url": "git@github.com:nemarDatasets/nm000104.git" + }, + { + "dataset_id": "nm000103", + "full_name": "nemarDatasets/nm000103", + "description": "Healthy Brain Network EEG - Not for Commercial Use", + "url": "https://github.com/nemarDatasets/nm000103", + "created": "2025-10-09T01:33:21Z", + "modified": "2025-10-27T15:32:21Z", + "pushed": "2025-10-09T16:05:00Z", + "size_kb": 4330, + "default_branch": "main", + "topics": [ + "bids", + "electroencephalography", + "openscience" + ], + "language": null, + "has_wiki": true, + "has_issues": true, + "archived": false, + "visibility": "public", + "clone_url": "https://github.com/nemarDatasets/nm000103.git", + "ssh_url": "git@github.com:nemarDatasets/nm000103.git" + } +] \ No newline at end of file diff --git a/consolidated/to_digest_openneuro_datasets.json b/consolidated/to_digest_openneuro_datasets.json new file mode 100644 index 00000000..11614bf4 --- /dev/null +++ b/consolidated/to_digest_openneuro_datasets.json @@ -0,0 +1,1184 @@ +[ + { + "dataset_id": "ds002791", + "modality": "eeg", + "created": "2020-05-13T12:50:22.167Z", + "modified": "2020-05-14T12:57:15.000Z" + }, + { + "dataset_id": "ds003380", + "modality": "eeg", + "created": "2020-11-13T05:11:59.469Z", + "modified": "2020-11-13T05:13:05.000Z" + }, + { + "dataset_id": "ds003420", + "modality": "eeg", + "created": "2020-12-04T13:06:19.829Z", + "modified": "2020-12-13T17:40:52.000Z" + }, + { + "dataset_id": "ds003620", + "modality": "eeg", + "created": "2021-04-15T18:46:27.142Z", + "modified": "2021-11-09T19:10:35.000Z" + }, + { + "dataset_id": "ds003774", + "modality": "eeg", + "created": "2021-08-23T10:09:25.546Z", + "modified": "2022-08-25T13:43:21.000Z" + }, + { + "dataset_id": "ds003775", + "modality": "eeg", + "created": "2021-08-25T11:43:32.172Z", + "modified": "2022-11-23T14:20:16.000Z" + }, + { + "dataset_id": "ds003800", + "modality": "eeg", + "created": "2021-09-12T18:22:56.180Z", + "modified": "2021-09-27T21:10:33.000Z" + }, + { + "dataset_id": "ds004017", + "modality": "eeg", + "created": "2022-02-08T16:49:30.534Z", + "modified": "2023-03-20T13:22:15.000Z" + }, + { + "dataset_id": "ds004019", + "modality": "eeg", + "created": "2022-02-09T20:45:42.588Z", + "modified": "2022-02-09T17:46:49.000Z" + }, + { + "dataset_id": "ds004105", + "modality": "eeg", + "created": "2022-04-21T18:46:23.669Z", + "modified": "2022-05-04T23:03:34.000Z" + }, + { + "dataset_id": "ds004106", + "modality": "eeg", + "created": "2022-04-21T22:44:56.688Z", + "modified": "2022-04-29T19:16:16.000Z" + }, + { + "dataset_id": "ds004118", + "modality": "eeg", + "created": "2022-05-02T16:03:12.391Z", + "modified": "2022-05-04T22:53:42.000Z" + }, + { + "dataset_id": "ds004119", + "modality": "eeg", + "created": "2022-05-02T20:24:56.474Z", + "modified": "2022-05-04T22:45:18.000Z" + }, + { + "dataset_id": "ds004120", + "modality": "eeg", + "created": "2022-05-03T00:06:41.150Z", + "modified": "2022-05-04T22:29:32.000Z" + }, + { + "dataset_id": "ds004121", + "modality": "eeg", + "created": "2022-05-03T11:46:09.577Z", + "modified": "2022-05-03T23:43:05.000Z" + }, + { + "dataset_id": "ds004122", + "modality": "eeg", + "created": "2022-05-03T13:04:29.013Z", + "modified": "2022-05-04T22:05:50.000Z" + }, + { + "dataset_id": "ds004123", + "modality": "eeg", + "created": "2022-05-03T14:10:02.137Z", + "modified": "2022-05-04T15:34:31.000Z" + }, + { + "dataset_id": "ds004147", + "modality": "eeg", + "created": "2022-06-07T14:19:20.839Z", + "modified": "2024-01-24T19:53:26.000Z" + }, + { + "dataset_id": "ds004148", + "modality": "eeg", + "created": "2022-06-08T08:39:15.433Z", + "modified": "2022-06-13T08:42:17.000Z" + }, + { + "dataset_id": "ds004151", + "modality": "eeg", + "created": "2022-06-13T16:57:01.005Z", + "modified": "2022-06-14T18:38:37.000Z" + }, + { + "dataset_id": "ds004166", + "modality": "eeg", + "created": "2022-06-17T01:05:58.854Z", + "modified": "2022-06-17T07:46:14.000Z" + }, + { + "dataset_id": "ds004395", + "modality": "eeg", + "created": "2023-01-10T18:29:34.235Z", + "modified": "2023-06-01T03:35:20.000Z" + }, + { + "dataset_id": "ds004502", + "modality": "eeg", + "created": "2023-02-16T21:52:37.827Z", + "modified": "2023-03-06T17:05:06.000Z" + }, + { + "dataset_id": "ds004514", + "modality": "eeg", + "created": "2023-02-27T13:39:47.155Z", + "modified": "2025-04-03T23:41:15.000Z" + }, + { + "dataset_id": "ds004517", + "modality": "eeg", + "created": "2023-03-03T13:31:51.775Z", + "modified": "2025-04-03T23:41:33.000Z" + }, + { + "dataset_id": "ds004563", + "modality": "eeg", + "created": "2023-05-10T10:26:34.294Z", + "modified": "2023-07-06T22:12:40.000Z" + }, + { + "dataset_id": "ds004706", + "modality": "eeg", + "created": "2023-08-16T20:56:12.789Z", + "modified": "2023-08-22T12:13:59.000Z" + }, + { + "dataset_id": "ds004940", + "modality": "eeg", + "created": "2024-01-22T20:26:52.439Z", + "modified": "2025-08-11T19:45:09.000Z" + }, + { + "dataset_id": "ds005087", + "modality": "eeg", + "created": "2024-04-15T04:45:59.237Z", + "modified": "2025-01-23T22:53:56.000Z" + }, + { + "dataset_id": "ds005178", + "modality": "eeg", + "created": "2024-05-24T08:18:02.675Z", + "modified": "2024-05-31T23:06:26.000Z" + }, + { + "dataset_id": "ds005280", + "modality": "eeg", + "created": "2024-06-25T10:11:53.180Z", + "modified": "2024-06-26T06:57:02.000Z" + }, + { + "dataset_id": "ds005284", + "modality": "eeg", + "created": "2024-06-26T05:58:33.685Z", + "modified": "2024-06-26T09:15:50.000Z" + }, + { + "dataset_id": "ds005285", + "modality": "eeg", + "created": "2024-06-26T06:21:03.974Z", + "modified": "2024-06-26T06:49:38.000Z" + }, + { + "dataset_id": "ds005286", + "modality": "eeg", + "created": "2024-06-26T06:59:46.221Z", + "modified": "2024-06-26T09:16:24.000Z" + }, + { + "dataset_id": "ds005289", + "modality": "eeg", + "created": "2024-06-26T09:06:30.952Z", + "modified": "2024-06-26T14:04:32.000Z" + }, + { + "dataset_id": "ds005291", + "modality": "eeg", + "created": "2024-06-26T10:01:34.320Z", + "modified": "2024-06-26T14:05:42.000Z" + }, + { + "dataset_id": "ds005292", + "modality": "eeg", + "created": "2024-06-26T14:05:20.306Z", + "modified": "2024-06-27T01:42:37.000Z" + }, + { + "dataset_id": "ds005293", + "modality": "eeg", + "created": "2024-06-27T01:43:35.308Z", + "modified": "2024-07-29T07:01:52.000Z" + }, + { + "dataset_id": "ds005343", + "modality": "eeg", + "created": "2024-07-16T02:28:09.557Z", + "modified": "2024-07-16T12:00:23.000Z" + }, + { + "dataset_id": "ds005407", + "modality": "eeg", + "created": "2024-08-10T00:31:25.134Z", + "modified": "2024-08-10T01:07:46.000Z" + }, + { + "dataset_id": "ds005408", + "modality": "eeg", + "created": "2024-08-10T00:49:48.180Z", + "modified": "2024-12-10T17:02:57.000Z" + }, + { + "dataset_id": "ds005473", + "modality": "eeg", + "created": "2024-09-11T04:15:49.006Z", + "modified": "2024-09-11T10:00:36.000Z" + }, + { + "dataset_id": "ds005642", + "modality": "eeg", + "created": "2024-11-19T02:17:00.738Z", + "modified": "2025-07-08T05:00:55.000Z" + }, + { + "dataset_id": "ds005648", + "modality": "eeg", + "created": "2024-11-20T22:13:29.697Z", + "modified": "2024-11-21T04:24:38.000Z" + }, + { + "dataset_id": "ds005662", + "modality": "eeg", + "created": "2024-11-27T04:56:45.541Z", + "modified": "2025-07-02T07:11:12.000Z" + }, + { + "dataset_id": "ds005841", + "modality": "eeg", + "created": "2025-01-14T13:48:40.783Z", + "modified": "2025-01-14T18:15:10.000Z" + }, + { + "dataset_id": "ds005857", + "modality": "eeg", + "created": "2025-01-16T16:22:01.499Z", + "modified": "2025-04-02T18:37:15.000Z" + }, + { + "dataset_id": "ds005872", + "modality": "eeg", + "created": "2025-01-23T01:24:16.999Z", + "modified": "2025-01-23T02:51:19.000Z" + }, + { + "dataset_id": "ds005907", + "modality": "eeg", + "created": "2025-02-06T23:20:31.333Z", + "modified": "2025-02-07T00:07:46.000Z" + }, + { + "dataset_id": "ds005932", + "modality": "eeg", + "created": "2025-02-19T01:35:23.604Z", + "modified": "2025-11-05T20:18:42.000Z" + }, + { + "dataset_id": "ds005946", + "modality": "eeg", + "created": "2025-02-27T07:54:33.516Z", + "modified": "2025-02-27T14:46:53.000Z" + }, + { + "dataset_id": "ds005960", + "modality": "eeg", + "created": "2025-03-05T13:34:26.909Z", + "modified": "2025-03-13T14:43:51.000Z" + }, + { + "dataset_id": "ds006018", + "modality": "eeg", + "created": "2025-03-14T04:33:40.169Z", + "modified": "2025-05-22T18:33:58.000Z" + }, + { + "dataset_id": "ds006033", + "modality": "eeg", + "created": "2025-03-19T10:16:24.423Z", + "modified": "2025-05-08T09:02:04.000Z" + }, + { + "dataset_id": "ds006036", + "modality": "eeg", + "created": "2025-03-21T15:45:18.747Z", + "modified": "2025-05-13T14:26:17.000Z" + }, + { + "dataset_id": "ds006040", + "modality": "eeg", + "created": "2025-03-24T00:18:30.864Z", + "modified": "2025-10-15T06:18:10.000Z" + }, + { + "dataset_id": "ds006095", + "modality": "eeg", + "created": "2025-04-06T21:09:56.098Z", + "modified": "2025-04-07T01:15:10.000Z" + }, + { + "dataset_id": "ds006104", + "modality": "eeg", + "created": "2025-04-08T01:43:51.139Z", + "modified": "2025-04-08T12:14:54.000Z" + }, + { + "dataset_id": "ds006126", + "modality": "eeg", + "created": "2025-04-15T13:27:08.635Z", + "modified": "2025-04-15T13:41:43.000Z" + }, + { + "dataset_id": "ds006142", + "modality": "eeg", + "created": "2025-04-17T12:18:55.249Z", + "modified": "2025-09-03T07:40:31.000Z" + }, + { + "dataset_id": "ds006159", + "modality": "eeg", + "created": "2025-04-23T10:01:37.563Z", + "modified": "2025-05-21T14:05:01.000Z" + }, + { + "dataset_id": "ds006171", + "modality": "eeg", + "created": "2025-04-24T09:05:51.130Z", + "modified": "2025-04-24T13:46:57.000Z" + }, + { + "dataset_id": "ds006260", + "modality": "eeg", + "created": "2025-05-23T17:52:16.432Z", + "modified": "2025-05-29T20:03:20.000Z" + }, + { + "dataset_id": "ds006269", + "modality": "eeg", + "created": "2025-05-30T08:23:30.047Z", + "modified": "2025-05-30T14:42:58.000Z" + }, + { + "dataset_id": "ds006317", + "modality": "eeg", + "created": "2025-06-06T05:49:27.180Z", + "modified": "2025-06-08T12:23:31.000Z" + }, + { + "dataset_id": "ds006366", + "modality": "eeg", + "created": "2025-06-17T12:46:03.516Z", + "modified": "2025-09-05T13:06:20.000Z" + }, + { + "dataset_id": "ds006367", + "modality": "eeg", + "created": "2025-06-17T13:40:50.329Z", + "modified": "2025-06-25T12:01:16.000Z" + }, + { + "dataset_id": "ds006370", + "modality": "eeg", + "created": "2025-06-18T14:43:36.575Z", + "modified": "2025-06-25T11:53:45.000Z" + }, + { + "dataset_id": "ds006374", + "modality": "eeg", + "created": "2025-06-19T14:36:16.257Z", + "modified": "2025-07-10T14:56:25.000Z" + }, + { + "dataset_id": "ds006394", + "modality": "eeg", + "created": "2025-06-26T10:42:24.675Z", + "modified": "2025-06-27T04:44:21.000Z" + }, + { + "dataset_id": "ds006434", + "modality": "eeg", + "created": "2025-07-01T16:32:15.143Z", + "modified": "2025-09-11T17:43:36.000Z" + }, + { + "dataset_id": "ds006437", + "modality": "eeg", + "created": "2025-07-02T02:03:55.684Z", + "modified": "2025-08-21T17:34:41.000Z" + }, + { + "dataset_id": "ds006446", + "modality": "eeg", + "created": "2025-07-07T03:26:37.180Z", + "modified": "2025-07-07T11:34:38.000Z" + }, + { + "dataset_id": "ds006465", + "modality": "eeg", + "created": "2025-07-12T08:34:49.595Z", + "modified": "2025-10-29T03:31:08.000Z" + }, + { + "dataset_id": "ds006466", + "modality": "eeg", + "created": "2025-07-12T17:05:31.158Z", + "modified": "2025-10-06T18:46:57.000Z" + }, + { + "dataset_id": "ds006480", + "modality": "eeg", + "created": "2025-07-18T06:46:14.790Z", + "modified": "2025-10-06T17:43:35.000Z" + }, + { + "dataset_id": "ds006525", + "modality": "eeg", + "created": "2025-08-01T16:44:42.411Z", + "modified": "2025-08-01T17:19:32.000Z" + }, + { + "dataset_id": "ds006547", + "modality": "eeg", + "created": "2025-08-12T10:31:23.086Z", + "modified": "2025-08-12T11:19:42.000Z" + }, + { + "dataset_id": "ds006554", + "modality": "eeg", + "created": "2025-08-12T20:38:53.778Z", + "modified": "2025-08-12T23:36:26.000Z" + }, + { + "dataset_id": "ds006563", + "modality": "eeg", + "created": "2025-08-15T06:04:34.622Z", + "modified": "2025-08-15T19:16:48.000Z" + }, + { + "dataset_id": "ds006593", + "modality": "eeg", + "created": "2025-08-23T19:31:47.377Z", + "modified": "2025-08-23T21:11:35.000Z" + }, + { + "dataset_id": "ds006647", + "modality": "eeg", + "created": "2025-09-10T19:23:51.860Z", + "modified": "2025-09-11T01:38:42.000Z" + }, + { + "dataset_id": "ds006648", + "modality": "eeg", + "created": "2025-09-10T21:26:14.888Z", + "modified": "2025-09-11T02:01:28.000Z" + }, + { + "dataset_id": "ds006695", + "modality": "eeg", + "created": "2025-09-20T00:12:16.076Z", + "modified": "2025-09-20T16:30:31.000Z" + }, + { + "dataset_id": "ds006735", + "modality": "eeg", + "created": "2025-09-30T00:41:21.669Z", + "modified": "2025-09-30T22:16:34.000Z" + }, + { + "dataset_id": "ds006761", + "modality": "eeg", + "created": "2025-10-08T00:56:21.789Z", + "modified": "2025-10-08T06:16:05.000Z" + }, + { + "dataset_id": "ds006768", + "modality": "eeg", + "created": "2025-10-09T23:53:07.589Z", + "modified": "2025-10-10T05:01:22.000Z" + }, + { + "dataset_id": "ds006801", + "modality": "eeg", + "created": "2025-10-16T15:15:26.032Z", + "modified": "2025-10-16T15:41:38.000Z" + }, + { + "dataset_id": "ds006802", + "modality": "eeg", + "created": "2025-10-16T22:18:13.502Z", + "modified": "2025-10-17T02:06:39.000Z" + }, + { + "dataset_id": "ds006803", + "modality": "eeg", + "created": "2025-10-16T23:52:02.995Z", + "modified": "2025-10-17T00:02:26.000Z" + }, + { + "dataset_id": "ds006817", + "modality": "eeg", + "created": "2025-10-20T23:53:08.416Z", + "modified": "2025-10-28T08:15:53.000Z" + }, + { + "dataset_id": "ds006839", + "modality": "eeg", + "created": "2025-10-24T21:53:47.954Z", + "modified": "2025-10-29T12:42:28.000Z" + }, + { + "dataset_id": "ds006848", + "modality": "eeg", + "created": "2025-10-27T14:10:06.799Z", + "modified": "2025-10-28T07:46:08.000Z" + }, + { + "dataset_id": "ds006850", + "modality": "eeg", + "created": "2025-10-27T15:59:35.232Z", + "modified": "2025-10-30T12:10:32.000Z" + }, + { + "dataset_id": "ds006861", + "modality": "eeg", + "created": "2025-10-29T13:18:40.300Z", + "modified": "2025-10-30T13:07:21.000Z" + }, + { + "dataset_id": "ds006866", + "modality": "eeg", + "created": "2025-10-29T19:00:26.774Z", + "modified": "2025-10-29T23:48:25.000Z" + }, + { + "dataset_id": "ds002799", + "modality": "ieeg", + "created": "2020-05-16T00:33:07.233Z", + "modified": "2021-08-25T23:37:52.000Z" + }, + { + "dataset_id": "ds003029", + "modality": "ieeg", + "created": "2020-07-26T19:33:04.172Z", + "modified": "2023-11-28T15:39:44.000Z" + }, + { + "dataset_id": "ds003078", + "modality": "ieeg", + "created": "2020-08-16T19:12:06.282Z", + "modified": "2020-08-17T04:11:36.000Z" + }, + { + "dataset_id": "ds003374", + "modality": "ieeg", + "created": "2020-11-11T18:36:10.735Z", + "modified": "2020-11-26T12:36:45.000Z" + }, + { + "dataset_id": "ds003498", + "modality": "ieeg", + "created": "2021-02-01T13:44:55.139Z", + "modified": "2023-09-26T00:54:04.000Z" + }, + { + "dataset_id": "ds003688", + "modality": "ieeg", + "created": "2021-06-08T21:48:50.694Z", + "modified": "2022-06-18T19:31:53.000Z" + }, + { + "dataset_id": "ds003708", + "modality": "ieeg", + "created": "2021-06-23T18:46:01.816Z", + "modified": "2023-08-10T13:27:02.000Z" + }, + { + "dataset_id": "ds003844", + "modality": "ieeg", + "created": "2021-10-15T18:46:25.120Z", + "modified": "2021-10-26T01:07:44.000Z" + }, + { + "dataset_id": "ds003848", + "modality": "ieeg", + "created": "2021-10-21T15:17:12.430Z", + "modified": "2021-10-26T01:07:53.000Z" + }, + { + "dataset_id": "ds003876", + "modality": "ieeg", + "created": "2021-11-09T21:38:53.750Z", + "modified": "2023-01-24T01:58:40.000Z" + }, + { + "dataset_id": "ds004100", + "modality": "ieeg", + "created": "2022-04-17T18:17:45.719Z", + "modified": "2023-03-22T21:26:14.000Z" + }, + { + "dataset_id": "ds004127", + "modality": "ieeg", + "created": "2022-05-10T20:43:29.748Z", + "modified": "2022-08-23T18:29:08.000Z" + }, + { + "dataset_id": "ds004194", + "modality": "ieeg", + "created": "2022-07-04T12:51:42.010Z", + "modified": "2025-04-01T10:23:42.000Z" + }, + { + "dataset_id": "ds004080", + "modality": "ieeg", + "created": "2022-07-21T15:35:16.672Z", + "modified": "2023-03-12T22:58:23.000Z" + }, + { + "dataset_id": "ds004370", + "modality": "ieeg", + "created": "2022-12-16T14:47:48.631Z", + "modified": "2023-12-16T15:16:44.000Z" + }, + { + "dataset_id": "ds004457", + "modality": "ieeg", + "created": "2023-02-01T14:05:34.238Z", + "modified": "2023-06-02T19:39:03.000Z" + }, + { + "dataset_id": "ds004473", + "modality": "ieeg", + "created": "2023-02-07T22:05:05.338Z", + "modified": "2023-02-09T20:17:20.000Z" + }, + { + "dataset_id": "ds004551", + "modality": "ieeg", + "created": "2023-04-07T02:24:47.402Z", + "modified": "2023-05-30T02:54:58.000Z" + }, + { + "dataset_id": "ds004624", + "modality": "ieeg", + "created": "2023-06-30T19:55:34.648Z", + "modified": "2025-06-14T03:31:56.000Z" + }, + { + "dataset_id": "ds004642", + "modality": "ieeg", + "created": "2023-07-17T13:57:44.780Z", + "modified": "2023-07-31T08:41:33.000Z" + }, + { + "dataset_id": "ds004696", + "modality": "ieeg", + "created": "2023-08-15T20:54:55.122Z", + "modified": "2024-04-13T03:25:55.000Z" + }, + { + "dataset_id": "ds004703", + "modality": "ieeg", + "created": "2023-08-16T01:23:55.497Z", + "modified": "2023-08-18T14:37:54.000Z" + }, + { + "dataset_id": "ds004770", + "modality": "ieeg", + "created": "2023-09-22T16:13:23.510Z", + "modified": "2023-09-22T18:31:10.000Z" + }, + { + "dataset_id": "ds004774", + "modality": "ieeg", + "created": "2023-09-25T14:40:46.435Z", + "modified": "2023-12-30T23:56:46.000Z" + }, + { + "dataset_id": "ds004789", + "modality": "ieeg", + "created": "2023-10-10T20:42:35.486Z", + "modified": "2024-04-22T23:33:32.000Z" + }, + { + "dataset_id": "ds004809", + "modality": "ieeg", + "created": "2023-10-19T14:46:21.581Z", + "modified": "2024-04-23T00:23:08.000Z" + }, + { + "dataset_id": "ds004819", + "modality": "ieeg", + "created": "2023-10-25T17:12:15.181Z", + "modified": "2023-10-26T00:03:11.000Z" + }, + { + "dataset_id": "ds004859", + "modality": "ieeg", + "created": "2023-11-22T04:07:20.769Z", + "modified": "2023-11-22T04:43:12.000Z" + }, + { + "dataset_id": "ds004865", + "modality": "ieeg", + "created": "2023-11-29T19:38:59.142Z", + "modified": "2024-04-22T22:04:43.000Z" + }, + { + "dataset_id": "ds004944", + "modality": "ieeg", + "created": "2024-01-30T10:41:43.220Z", + "modified": "2024-04-11T09:00:21.000Z" + }, + { + "dataset_id": "ds004977", + "modality": "ieeg", + "created": "2024-02-19T19:52:02.163Z", + "modified": "2024-05-13T17:47:41.000Z" + }, + { + "dataset_id": "ds004993", + "modality": "ieeg", + "created": "2024-02-25T23:36:29.775Z", + "modified": "2024-03-01T17:54:40.000Z" + }, + { + "dataset_id": "ds005007", + "modality": "ieeg", + "created": "2024-03-05T23:44:50.042Z", + "modified": "2024-03-07T17:44:30.000Z" + }, + { + "dataset_id": "ds005059", + "modality": "ieeg", + "created": "2024-04-03T21:09:33.244Z", + "modified": "2024-04-23T00:32:22.000Z" + }, + { + "dataset_id": "ds005083", + "modality": "ieeg", + "created": "2024-04-10T21:53:35.682Z", + "modified": "2024-04-10T22:00:08.000Z" + }, + { + "dataset_id": "ds005169", + "modality": "ieeg", + "created": "2024-05-22T09:00:55.253Z", + "modified": "2024-05-22T10:58:35.000Z" + }, + { + "dataset_id": "ds005398", + "modality": "ieeg", + "created": "2024-08-04T16:43:46.618Z", + "modified": "2024-08-15T03:01:26.000Z" + }, + { + "dataset_id": "ds005411", + "modality": "ieeg", + "created": "2024-08-13T16:37:26.160Z", + "modified": "2024-08-14T14:45:19.000Z" + }, + { + "dataset_id": "ds005415", + "modality": "ieeg", + "created": "2024-08-17T03:31:16.602Z", + "modified": "2024-10-25T12:49:06.000Z" + }, + { + "dataset_id": "ds005448", + "modality": "ieeg", + "created": "2024-09-03T06:27:56.217Z", + "modified": "2024-10-08T19:09:02.000Z" + }, + { + "dataset_id": "ds005489", + "modality": "ieeg", + "created": "2024-09-15T18:28:05.055Z", + "modified": "2024-09-17T23:14:43.000Z" + }, + { + "dataset_id": "ds005491", + "modality": "ieeg", + "created": "2024-09-16T20:43:53.335Z", + "modified": "2024-09-16T21:26:48.000Z" + }, + { + "dataset_id": "ds005494", + "modality": "ieeg", + "created": "2024-09-17T22:23:36.032Z", + "modified": "2024-09-25T15:44:34.000Z" + }, + { + "dataset_id": "ds005522", + "modality": "ieeg", + "created": "2024-09-24T15:54:45.157Z", + "modified": "2024-09-24T17:18:59.000Z" + }, + { + "dataset_id": "ds005523", + "modality": "ieeg", + "created": "2024-09-24T16:57:08.474Z", + "modified": "2024-09-24T18:53:29.000Z" + }, + { + "dataset_id": "ds005545", + "modality": "ieeg", + "created": "2024-09-30T21:57:55.144Z", + "modified": "2025-04-23T16:00:00.000Z" + }, + { + "dataset_id": "ds005557", + "modality": "ieeg", + "created": "2024-10-06T03:40:26.768Z", + "modified": "2024-10-06T04:38:57.000Z" + }, + { + "dataset_id": "ds005558", + "modality": "ieeg", + "created": "2024-10-06T04:32:14.781Z", + "modified": "2024-10-06T04:41:45.000Z" + }, + { + "dataset_id": "ds005574", + "modality": "ieeg", + "created": "2024-10-15T20:04:55.411Z", + "modified": "2025-02-17T13:52:37.000Z" + }, + { + "dataset_id": "ds000248", + "modality": "meg", + "created": "2018-03-30T14:58:53.917Z", + "modified": "2020-12-11T09:14:57.000Z" + }, + { + "dataset_id": "ds000117", + "modality": "meg", + "created": "2018-03-30T13:14:28.253Z", + "modified": "2025-01-06T15:37:05.000Z" + }, + { + "dataset_id": "ds000246", + "modality": "meg", + "created": "2018-03-30T10:34:05.130Z", + "modified": "2024-04-23T10:17:01.000Z" + }, + { + "dataset_id": "ds000247", + "modality": "meg", + "created": "2018-03-30T18:40:38.407Z", + "modified": "2024-04-24T10:50:08.000Z" + }, + { + "dataset_id": "ds002001", + "modality": "meg", + "created": "2019-06-27T21:51:22.774Z", + "modified": "2019-06-28T16:25:02.000Z" + }, + { + "dataset_id": "ds002312", + "modality": "meg", + "created": "2019-11-08T15:37:35.868Z", + "modified": "2019-11-08T23:29:46.000Z" + }, + { + "dataset_id": "ds002550", + "modality": "meg", + "created": "2020-02-12T20:34:30.079Z", + "modified": "2020-05-05T23:51:45.000Z" + }, + { + "dataset_id": "ds002712", + "modality": "meg", + "created": "2020-04-16T07:54:58.744Z", + "modified": "2020-05-11T17:41:07.000Z" + }, + { + "dataset_id": "ds002761", + "modality": "meg", + "created": "2020-04-29T12:47:53.734Z", + "modified": "2022-11-18T15:26:06.000Z" + }, + { + "dataset_id": "ds002885", + "modality": "meg", + "created": "2020-06-05T12:06:29.489Z", + "modified": "2020-06-24T07:29:11.000Z" + }, + { + "dataset_id": "ds002908", + "modality": "meg", + "created": "2020-06-22T13:05:54.700Z", + "modified": "2020-08-04T19:03:33.000Z" + }, + { + "dataset_id": "ds003082", + "modality": "meg", + "created": "2020-08-17T10:13:10.611Z", + "modified": "2021-11-17T20:54:33.000Z" + }, + { + "dataset_id": "ds003104", + "modality": "meg", + "created": "2020-08-31T07:20:15.139Z", + "modified": "2020-08-31T07:25:40.000Z" + }, + { + "dataset_id": "ds003352", + "modality": "meg", + "created": "2020-11-03T20:36:34.212Z", + "modified": "2020-11-04T00:43:56.000Z" + }, + { + "dataset_id": "ds003392", + "modality": "meg", + "created": "2020-11-20T19:39:16.349Z", + "modified": "2021-05-18T15:31:01.000Z" + }, + { + "dataset_id": "ds003483", + "modality": "meg", + "created": "2021-01-21T21:01:58.596Z", + "modified": "2021-01-24T10:47:46.000Z" + }, + { + "dataset_id": "ds003568", + "modality": "meg", + "created": "2021-03-16T15:16:54.652Z", + "modified": "2023-07-19T20:01:43.000Z" + }, + { + "dataset_id": "ds003633", + "modality": "meg", + "created": "2021-04-24T03:09:05.237Z", + "modified": "2022-12-29T03:52:29.000Z" + }, + { + "dataset_id": "ds003682", + "modality": "meg", + "created": "2021-06-05T16:53:45.247Z", + "modified": "2021-06-05T22:59:10.000Z" + }, + { + "dataset_id": "ds003694", + "modality": "meg", + "created": "2021-06-12T09:48:35.040Z", + "modified": "2021-06-14T06:56:33.000Z" + }, + { + "dataset_id": "ds003703", + "modality": "meg", + "created": "2021-06-18T03:26:19.091Z", + "modified": "2021-06-23T07:41:36.000Z" + }, + { + "dataset_id": "ds003922", + "modality": "meg", + "created": "2021-11-19T13:29:49.244Z", + "modified": "2022-05-02T14:19:35.000Z" + }, + { + "dataset_id": "ds004011", + "modality": "meg", + "created": "2022-01-26T23:26:00.152Z", + "modified": "2022-04-08T01:32:29.000Z" + }, + { + "dataset_id": "ds004012", + "modality": "meg", + "created": "2022-02-03T09:47:39.342Z", + "modified": "2022-02-01T02:24:04.000Z" + }, + { + "dataset_id": "ds004078", + "modality": "meg", + "created": "2022-03-20T08:43:39.462Z", + "modified": "2023-10-16T02:05:05.000Z" + }, + { + "dataset_id": "ds004107", + "modality": "meg", + "created": "2022-04-22T16:06:47.154Z", + "modified": "2022-04-22T19:50:04.000Z" + }, + { + "dataset_id": "ds004212", + "modality": "meg", + "created": "2022-07-14T15:47:41.319Z", + "modified": "2025-05-29T20:15:29.000Z" + }, + { + "dataset_id": "ds004229", + "modality": "meg", + "created": "2022-08-01T18:25:31.485Z", + "modified": "2023-11-03T18:30:43.000Z" + }, + { + "dataset_id": "ds004276", + "modality": "meg", + "created": "2022-09-23T14:41:43.515Z", + "modified": "2022-09-23T20:02:38.000Z" + }, + { + "dataset_id": "ds004278", + "modality": "meg", + "created": "2022-09-23T17:53:03.124Z", + "modified": "2022-10-11T18:18:40.000Z" + }, + { + "dataset_id": "ds004330", + "modality": "meg", + "created": "2022-11-07T14:41:49.699Z", + "modified": "2022-11-08T10:16:44.000Z" + }, + { + "dataset_id": "ds004346", + "modality": "meg", + "created": "2022-11-28T16:33:17.402Z", + "modified": "2024-06-07T09:19:58.000Z" + }, + { + "dataset_id": "ds004398", + "modality": "meg", + "created": "2023-01-11T14:18:04.348Z", + "modified": "2023-01-25T04:25:53.000Z" + }, + { + "dataset_id": "ds004483", + "modality": "meg", + "created": "2023-02-08T23:22:49.117Z", + "modified": "2023-02-13T14:53:45.000Z" + }, + { + "dataset_id": "ds004738", + "modality": "meg", + "created": "2023-09-03T09:15:15.944Z", + "modified": "2023-09-03T10:42:30.000Z" + }, + { + "dataset_id": "ds004837", + "modality": "meg", + "created": "2023-11-01T15:54:14.672Z", + "modified": "2025-05-27T15:41:36.000Z" + }, + { + "dataset_id": "ds004998", + "modality": "meg", + "created": "2024-03-04T17:45:27.695Z", + "modified": "2024-09-09T08:26:28.000Z" + }, + { + "dataset_id": "ds005065", + "modality": "meg", + "created": "2024-04-07T02:26:32.589Z", + "modified": "2024-04-09T01:21:46.000Z" + }, + { + "dataset_id": "ds005107", + "modality": "meg", + "created": "2024-04-24T06:49:36.871Z", + "modified": "2025-06-30T23:44:09.000Z" + }, + { + "dataset_id": "ds005241", + "modality": "meg", + "created": "2024-06-12T15:20:44.636Z", + "modified": "2024-06-14T14:53:48.000Z" + }, + { + "dataset_id": "ds005261", + "modality": "meg", + "created": "2024-06-17T13:06:26.783Z", + "modified": "2025-05-12T07:26:44.000Z" + }, + { + "dataset_id": "ds005279", + "modality": "meg", + "created": "2024-06-24T16:17:02.918Z", + "modified": "2024-07-03T20:27:47.000Z" + }, + { + "dataset_id": "ds005346", + "modality": "meg", + "created": "2024-07-16T14:15:32.746Z", + "modified": "2025-08-06T02:29:27.000Z" + }, + { + "dataset_id": "ds005356", + "modality": "meg", + "created": "2024-07-17T17:45:08.266Z", + "modified": "2025-03-06T16:10:24.000Z" + }, + { + "dataset_id": "ds005752", + "modality": "meg", + "created": "2024-12-20T18:45:44.865Z", + "modified": "2025-02-18T16:59:09.000Z" + }, + { + "dataset_id": "ds005810", + "modality": "meg", + "created": "2025-01-10T11:07:26.509Z", + "modified": "2025-08-30T14:20:38.000Z" + }, + { + "dataset_id": "ds006012", + "modality": "meg", + "created": "2025-03-13T19:13:44.963Z", + "modified": "2025-03-14T17:05:14.000Z" + }, + { + "dataset_id": "ds006035", + "modality": "meg", + "created": "2025-03-20T05:08:27.231Z", + "modified": "2025-03-21T18:44:26.000Z" + }, + { + "dataset_id": "ds006334", + "modality": "meg", + "created": "2025-06-10T16:14:43.829Z", + "modified": "2025-06-11T09:26:21.000Z" + }, + { + "dataset_id": "ds006468", + "modality": "meg", + "created": "2025-07-14T17:00:44.163Z", + "modified": "2025-10-20T16:32:42.000Z" + }, + { + "dataset_id": "ds006502", + "modality": "meg", + "created": "2025-07-28T19:06:15.608Z", + "modified": "2025-08-12T04:55:40.000Z" + }, + { + "dataset_id": "ds006629", + "modality": "meg", + "created": "2025-09-04T11:55:02.705Z", + "modified": "2025-09-29T06:11:47.000Z" + } +] \ No newline at end of file From 1a4682529064876dcb533099a0d11ae45b6f7485 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 15:04:53 +0100 Subject: [PATCH 18/34] updating the scripts --- scripts/ingestions/1_fetch_eegmanylabs.py | 173 ++++ scripts/ingestions/1_fetch_figshare.py | 344 ++++++++ scripts/ingestions/1_fetch_osf.py | 291 +++++++ scripts/ingestions/1_fetch_scidb.py | 352 ++++++++ scripts/ingestions/1_fetch_zenodo.py | 534 +++++++++++++ scripts/ingestions/1_fetch_zenodo_enhanced.py | 756 ++++++++++++++++++ scripts/ingestions/2_filter_zenodo_bids.py | 645 +++++++++++++++ .../ingestions/3_clone_openneuro_datasets.py | 281 +++++++ 8 files changed, 3376 insertions(+) create mode 100644 scripts/ingestions/1_fetch_eegmanylabs.py create mode 100644 scripts/ingestions/1_fetch_figshare.py create mode 100644 scripts/ingestions/1_fetch_osf.py create mode 100644 scripts/ingestions/1_fetch_scidb.py create mode 100644 scripts/ingestions/1_fetch_zenodo.py create mode 100644 scripts/ingestions/1_fetch_zenodo_enhanced.py create mode 100644 scripts/ingestions/2_filter_zenodo_bids.py create mode 100644 scripts/ingestions/3_clone_openneuro_datasets.py diff --git a/scripts/ingestions/1_fetch_eegmanylabs.py b/scripts/ingestions/1_fetch_eegmanylabs.py new file mode 100644 index 00000000..e26a3d51 --- /dev/null +++ b/scripts/ingestions/1_fetch_eegmanylabs.py @@ -0,0 +1,173 @@ +"""Fetch EEGManyLabs datasets from G-Node GIN organization. + +This script scrapes the EEGManyLabs organization page on GIN (G-Node Infrastructure) +to retrieve information about all available datasets. GIN is a git-based repository +hosting service for neuroscience data. + +Output: consolidated/eegmanylabs_datasets.json +""" + +import argparse +import json +import re +import sys +from pathlib import Path +from typing import Any + +import requests +from bs4 import BeautifulSoup + + +def fetch_eegmanylabs_repos( + organization: str = "EEGManyLabs", + base_url: str = "https://gin.g-node.org", +) -> list[dict[str, Any]]: + """Fetch all repositories from the EEGManyLabs organization. + + Args: + organization: GIN organization name + base_url: Base URL for GIN + + Returns: + List of repository dictionaries with metadata + + """ + org_url = f"{base_url}/{organization}" + + print(f"Fetching repositories from {org_url}") + + try: + response = requests.get(org_url, timeout=30) + response.raise_for_status() + except requests.RequestException as e: + print(f"Error fetching organization page: {e}", file=sys.stderr) + return [] + + soup = BeautifulSoup(response.text, "html.parser") + + # Find all repository items + repo_items = soup.find_all("div", class_="item") + + if not repo_items: + print(f"Warning: No repositories found for {organization}", file=sys.stderr) + return [] + + datasets = [] + + for item in repo_items: + try: + # Get repository link + repo_link = item.find("a", class_="name") + if not repo_link: + continue + + repo_path = repo_link.get("href", "") + if not repo_path.startswith(f"/{organization}/"): + continue + + repo_name = repo_path.split("/")[-1] + + # Get description + desc_elem = item.find("p", class_="description") + description = desc_elem.get_text(strip=True) if desc_elem else "" + + # Get metadata (stars, forks, updated time) + meta_div = item.find("div", class_="meta") + stars = 0 + forks = 0 + updated = "" + + if meta_div: + # Extract stars + star_elem = meta_div.find("a", href=re.compile(r"/stars$")) + if star_elem: + stars = int(star_elem.get_text(strip=True)) + + # Extract forks + fork_elem = meta_div.find("a", href=re.compile(r"/forks$")) + if fork_elem: + forks = int(fork_elem.get_text(strip=True)) + + # Extract update time + time_elem = meta_div.find("span", class_="time") + if time_elem: + updated = time_elem.get("title", time_elem.get_text(strip=True)) + + # Construct clone URLs + clone_url = f"{base_url}/{organization}/{repo_name}.git" + ssh_url = f"git@gin.g-node.org:{organization}/{repo_name}.git" + + dataset = { + "dataset_id": repo_name, + "full_name": f"{organization}/{repo_name}", + "description": description, + "url": f"{base_url}/{organization}/{repo_name}", + "clone_url": clone_url, + "ssh_url": ssh_url, + "stars": stars, + "forks": forks, + "updated": updated, + "source": "gin", + "organization": organization, + } + + datasets.append(dataset) + + except Exception as e: + print(f"Warning: Error parsing repository item: {e}", file=sys.stderr) + continue + + print(f"Found {len(datasets)} repositories") + + return datasets + + +def main() -> None: + parser = argparse.ArgumentParser( + description="Fetch EEGManyLabs datasets from GIN organization." + ) + parser.add_argument( + "--organization", + type=str, + default="EEGManyLabs", + help="GIN organization name (default: EEGManyLabs).", + ) + parser.add_argument( + "--output", + type=Path, + default=Path("consolidated/eegmanylabs_datasets.json"), + help="Output JSON file path (default: consolidated/eegmanylabs_datasets.json).", + ) + parser.add_argument( + "--base-url", + type=str, + default="https://gin.g-node.org", + help="Base URL for GIN (default: https://gin.g-node.org).", + ) + + args = parser.parse_args() + + # Fetch repositories + datasets = fetch_eegmanylabs_repos( + organization=args.organization, + base_url=args.base_url, + ) + + if not datasets: + print("No datasets fetched. Exiting.", file=sys.stderr) + sys.exit(1) + + # Create output directory + args.output.parent.mkdir(parents=True, exist_ok=True) + + # Save to JSON + with args.output.open("w") as fh: + json.dump(datasets, fh, indent=2) + + print(f"\n{'=' * 60}") + print(f"Successfully saved {len(datasets)} datasets to {args.output}") + print(f"{'=' * 60}") + + +if __name__ == "__main__": + main() diff --git a/scripts/ingestions/1_fetch_figshare.py b/scripts/ingestions/1_fetch_figshare.py new file mode 100644 index 00000000..3e481e1e --- /dev/null +++ b/scripts/ingestions/1_fetch_figshare.py @@ -0,0 +1,344 @@ +"""Fetch EEG BIDS datasets from Figshare. + +This script searches Figshare for datasets containing both "EEG" and "BIDS" keywords +using the Figshare API v2. It retrieves comprehensive metadata including DOIs, +descriptions, files, authors, and download URLs. + +Output: consolidated/figshare_datasets.json +""" + +import argparse +import json +import sys +import time +from pathlib import Path +from typing import Any + +import requests + + +def search_figshare( + query: str, + size: int = 100, + page_size: int = 100, + item_type: int = 3, # 3 = dataset +) -> list[dict[str, Any]]: + """Search Figshare for datasets matching the query. + + Args: + query: Search query string + size: Maximum number of results to fetch + page_size: Number of results per page (max 1000) + item_type: Figshare item type (3=dataset, 1=figure, 2=media, etc.) + + Returns: + List of Figshare article dictionaries + + """ + base_url = "https://api.figshare.com/v2/articles/search" + + print(f"Searching Figshare with query: {query}") + print(f"Item type: {item_type} (dataset)") + print(f"Max results to fetch: {size}") + print(f"Results per page: {min(page_size, 1000)}") + + all_articles = [] + page = 1 + actual_page_size = min(page_size, 1000) # Figshare max is 1000 + + while True: + print(f"\nFetching page {page}...", end=" ", flush=True) + + # Build request payload + payload = { + "search_for": query, + "item_type": item_type, + "page": page, + "page_size": actual_page_size, + } + + try: + response = requests.post( + base_url, + json=payload, + headers={"Content-Type": "application/json"}, + timeout=30, + ) + response.raise_for_status() + except requests.RequestException as e: + print(f"\nError fetching page {page}: {e}", file=sys.stderr) + break + + articles = response.json() + + if not articles: + print("No more results") + break + + print(f"Got {len(articles)} articles") + all_articles.extend(articles) + + # Check if we've reached the requested size + if len(all_articles) >= size: + print(f"Reached limit ({len(all_articles)} articles)") + break + + # If we got fewer results than page_size, we've reached the end + if len(articles) < actual_page_size: + print("Reached end of results") + break + + page += 1 + + # Be nice to the API + time.sleep(0.5) + + print(f"\nTotal articles fetched: {len(all_articles)}") + return all_articles[:size] # Trim to exact size + + +def get_article_details(article_id: int) -> dict[str, Any]: + """Fetch detailed information for a specific article. + + Args: + article_id: Figshare article ID + + Returns: + Detailed article dictionary + + """ + url = f"https://api.figshare.com/v2/articles/{article_id}" + + try: + response = requests.get(url, timeout=30) + response.raise_for_status() + return response.json() + except requests.RequestException as e: + print( + f"Warning: Error fetching details for article {article_id}: {e}", + file=sys.stderr, + ) + return {} + + +def extract_dataset_info(article: dict, fetch_details: bool = False) -> dict[str, Any]: + """Extract relevant information from a Figshare article. + + Args: + article: Figshare article dictionary + fetch_details: Whether to fetch full details (slower but more complete) + + Returns: + Cleaned dataset dictionary + + """ + # Get basic info from search results + article_id = article.get("id", "") + title = article.get("title", "") + doi = article.get("doi", "") + + # Fetch full details if requested + if fetch_details and article_id: + details = get_article_details(article_id) + if details: + article = details + + # Extract metadata + description = article.get("description", "") + defined_type = article.get("defined_type", 0) + defined_type_name = article.get("defined_type_name", "") + + # Extract dates + published_date = article.get("published_date", "") + created_date = article.get("created_date", "") + modified_date = article.get("modified_date", "") + + # Extract URLs + url_public_html = article.get("url_public_html", "") + url_public_api = article.get("url_public_api", "") + + # Extract resource info (linked DOI/resource) + resource_title = article.get("resource_title", "") + resource_doi = article.get("resource_doi", "") + + # Extract authors (may not be in search results) + authors = [] + for author in article.get("authors", []): + author_info = { + "name": author.get("full_name", ""), + } + if "id" in author: + author_info["id"] = author["id"] + if "orcid_id" in author: + author_info["orcid"] = author["orcid_id"] + authors.append(author_info) + + # Extract tags/categories + tags = article.get("tags", []) + categories = article.get("categories", []) + + # Extract files info + files = [] + for file_entry in article.get("files", []): + file_info = { + "id": file_entry.get("id", ""), + "name": file_entry.get("name", ""), + "size_bytes": file_entry.get("size", 0), + "download_url": file_entry.get("download_url", ""), + } + if "computed_md5" in file_entry: + file_info["md5"] = file_entry["computed_md5"] + files.append(file_info) + + # Calculate total size + total_size_bytes = sum(f.get("size", 0) for f in article.get("files", [])) + total_size_mb = round(total_size_bytes / (1024 * 1024), 2) + + # Extract license + license_info = article.get("license", {}) + license_name = license_info.get("name", "") if license_info else "" + + # Build dataset dictionary + dataset = { + "dataset_id": str(article_id), + "doi": doi, + "title": title, + "description": description, + "defined_type": defined_type, + "defined_type_name": defined_type_name, + "published_date": published_date, + "created_date": created_date, + "modified_date": modified_date, + "authors": authors, + "tags": tags, + "categories": categories, + "license": license_name, + "url": url_public_html, + "api_url": url_public_api, + "resource_title": resource_title, + "resource_doi": resource_doi, + "files": files, + "file_count": len(files), + "total_size_mb": total_size_mb, + "source": "figshare", + } + + return dataset + + +def main() -> None: + parser = argparse.ArgumentParser( + description="Fetch EEG BIDS datasets from Figshare." + ) + parser.add_argument( + "--query", + type=str, + default="EEG BIDS", + help='Search query (default: "EEG BIDS").', + ) + parser.add_argument( + "--output", + type=Path, + default=Path("consolidated/figshare_datasets.json"), + help="Output JSON file path (default: consolidated/figshare_datasets.json).", + ) + parser.add_argument( + "--size", + type=int, + default=1000, + help="Maximum number of results to fetch (default: 1000).", + ) + parser.add_argument( + "--page-size", + type=int, + default=100, + help="Number of results per page (max 1000, default: 100).", + ) + parser.add_argument( + "--fetch-details", + action="store_true", + help="Fetch full details for each article (slower but more complete).", + ) + parser.add_argument( + "--item-type", + type=int, + default=3, + help="Figshare item type: 3=dataset, 1=figure, 2=media, etc. (default: 3).", + ) + + args = parser.parse_args() + + # Search Figshare + articles = search_figshare( + query=args.query, + size=args.size, + page_size=args.page_size, + item_type=args.item_type, + ) + + if not articles: + print("No articles found. Exiting.", file=sys.stderr) + sys.exit(1) + + # Extract dataset information + print("\nExtracting dataset information...") + datasets = [] + for idx, article in enumerate(articles, start=1): + if args.fetch_details and idx % 10 == 0: + print(f"Processing {idx}/{len(articles)}...", flush=True) + + try: + dataset = extract_dataset_info(article, fetch_details=args.fetch_details) + datasets.append(dataset) + except Exception as e: + print( + f"Warning: Error extracting info for article {article.get('id')}: {e}", + file=sys.stderr, + ) + continue + + # Be nice to the API when fetching details + if args.fetch_details: + time.sleep(0.2) + + # Create output directory + args.output.parent.mkdir(parents=True, exist_ok=True) + + # Save to JSON + with args.output.open("w") as fh: + json.dump(datasets, fh, indent=2) + + # Print summary statistics + print(f"\n{'=' * 60}") + print(f"Successfully saved {len(datasets)} datasets to {args.output}") + print(f"{'=' * 60}") + print("\nDataset Statistics:") + + # Count by type + types = {} + for ds in datasets: + dtype = ds.get("defined_type_name", "unknown") + types[dtype] = types.get(dtype, 0) + 1 + + print("\nBy Type:") + for dtype, count in sorted(types.items(), key=lambda x: x[1], reverse=True): + print(f" {dtype}: {count}") + + # Datasets with files + datasets_with_files = sum(1 for ds in datasets if ds.get("file_count", 0) > 0) + print(f"\nDatasets with files: {datasets_with_files}/{len(datasets)}") + + # Total size + total_size_mb = sum(ds.get("total_size_mb", 0) for ds in datasets) + total_size_gb = round(total_size_mb / 1024, 2) + print(f"Total Size: {total_size_gb} GB ({total_size_mb} MB)") + + # Datasets with DOI + datasets_with_doi = sum(1 for ds in datasets if ds.get("doi", "")) + print(f"Datasets with DOI: {datasets_with_doi}/{len(datasets)}") + + print(f"{'=' * 60}") + + +if __name__ == "__main__": + main() diff --git a/scripts/ingestions/1_fetch_osf.py b/scripts/ingestions/1_fetch_osf.py new file mode 100644 index 00000000..ca69876d --- /dev/null +++ b/scripts/ingestions/1_fetch_osf.py @@ -0,0 +1,291 @@ +"""Fetch EEG BIDS projects from Open Science Framework (OSF). + +This script searches OSF for projects containing both "EEG" and "BIDS" keywords +using the OSF API v2. It retrieves comprehensive metadata including project IDs, +descriptions, contributors, files, and DOIs. + +Output: consolidated/osf_projects.json +""" + +import argparse +import json +import sys +import time +from pathlib import Path +from typing import Any + +import requests + + +def search_osf( + query: str, + size: int = 100, + page_size: int = 100, +) -> list[dict[str, Any]]: + """Search OSF for projects matching the query. + + Args: + query: Search query string + size: Maximum number of results to fetch + page_size: Number of results per page (max 100) + + Returns: + List of OSF project dictionaries + + """ + base_url = "https://api.osf.io/v2/search/" + + # Build query parameters + params = { + "q": query, + "page[size]": min(page_size, 100), # OSF max is 100 + } + + print(f"Searching OSF with query: {query}") + print(f"Max results to fetch: {size}") + print(f"Results per page: {params['page[size]']}") + + all_records = [] + page = 1 + current_url = base_url + + while True: + print(f"\nFetching page {page}...", end=" ", flush=True) + + try: + response = requests.get(current_url, params=params, timeout=30) + response.raise_for_status() + except requests.RequestException as e: + print(f"\nError fetching page {page}: {e}", file=sys.stderr) + break + + data = response.json() + records = data.get("data", []) + + if not records: + print("No more results") + break + + # Get total count from meta + links = data.get("links", {}) + meta = links.get("meta", {}) + total = meta.get("total", 0) + + print(f"Got {len(records)} records (total available: {total})") + all_records.extend(records) + + # Check if we've reached the requested size or all available records + if len(all_records) >= size: + print(f"Reached limit ({len(all_records)} records)") + break + + # Check if there are more pages + next_url = links.get("next") + + if not next_url: + print("No more pages available") + break + + # Update for next page + current_url = next_url + params = {} # Next URL already has all params + page += 1 + + # Be nice to the API + time.sleep(0.5) + + print(f"\nTotal records fetched: {len(all_records)}") + return all_records + + +def extract_project_info(record: dict) -> dict[str, Any]: + """Extract relevant information from an OSF project record. + + Args: + record: Raw OSF project record dictionary + + Returns: + Cleaned project dictionary + + """ + project_id = record.get("id", "") + record_type = record.get("type", "") + + attributes = record.get("attributes", {}) + relationships = record.get("relationships", {}) + links = record.get("links", {}) + + # Extract basic metadata + title = attributes.get("title", "") + description = attributes.get("description", "") + category = attributes.get("category", "") + tags = attributes.get("tags", []) + + # Extract dates + date_created = attributes.get("date_created", "") + date_modified = attributes.get("date_modified", "") + + # Extract flags + is_public = attributes.get("public", False) + is_registration = attributes.get("registration", False) + is_preprint = attributes.get("preprint", False) + is_fork = attributes.get("fork", False) + wiki_enabled = attributes.get("wiki_enabled", False) + + # Extract license info + node_license = attributes.get("node_license", {}) + license_year = node_license.get("year", "") + copyright_holders = node_license.get("copyright_holders", []) + + # Extract DOI if available + doi = None + identifiers = ( + relationships.get("identifiers", {}).get("links", {}).get("related", {}) + ) + if identifiers: + doi_href = identifiers.get("href", "") + if doi_href: + # We'd need to fetch this separately, but for now we'll note it exists + doi = "available" # Placeholder + + # Extract URLs + html_url = links.get("html", "") + self_url = links.get("self", "") + + # Build project dictionary + project = { + "project_id": project_id, + "type": record_type, + "title": title, + "description": description, + "category": category, + "tags": tags, + "date_created": date_created, + "date_modified": date_modified, + "is_public": is_public, + "is_registration": is_registration, + "is_preprint": is_preprint, + "is_fork": is_fork, + "wiki_enabled": wiki_enabled, + "license_year": license_year, + "copyright_holders": copyright_holders, + "url": html_url, + "api_url": self_url, + "source": "osf", + } + + # Add DOI if available + if doi: + project["doi"] = doi + + return project + + +def main() -> None: + parser = argparse.ArgumentParser( + description="Fetch EEG BIDS projects from Open Science Framework." + ) + parser.add_argument( + "--query", + type=str, + default="EEG BIDS", + help='Search query (default: "EEG BIDS").', + ) + parser.add_argument( + "--output", + type=Path, + default=Path("consolidated/osf_projects.json"), + help="Output JSON file path (default: consolidated/osf_projects.json).", + ) + parser.add_argument( + "--size", + type=int, + default=1000, + help="Maximum number of results to fetch (default: 1000).", + ) + parser.add_argument( + "--page-size", + type=int, + default=100, + help="Number of results per page (max 100, default: 100).", + ) + + args = parser.parse_args() + + # Search OSF + records = search_osf( + query=args.query, + size=args.size, + page_size=args.page_size, + ) + + if not records: + print("No records found. Exiting.", file=sys.stderr) + sys.exit(1) + + # Extract project information + print("\nExtracting project information...") + projects = [] + for record in records: + try: + project = extract_project_info(record) + projects.append(project) + except Exception as e: + print( + f"Warning: Error extracting info for record {record.get('id')}: {e}", + file=sys.stderr, + ) + continue + + # Create output directory + args.output.parent.mkdir(parents=True, exist_ok=True) + + # Save to JSON + with args.output.open("w") as fh: + json.dump(projects, fh, indent=2) + + # Print summary statistics + print(f"\n{'=' * 60}") + print(f"Successfully saved {len(projects)} projects to {args.output}") + print(f"{'=' * 60}") + print("\nProject Statistics:") + + # Count by category + categories = {} + for proj in projects: + cat = proj.get("category", "unknown") + categories[cat] = categories.get(cat, 0) + 1 + + print("\nBy Category:") + for cat, count in sorted(categories.items(), key=lambda x: x[1], reverse=True): + print(f" {cat}: {count}") + + # Count by type + types = {} + for proj in projects: + ptype = proj.get("type", "unknown") + types[ptype] = types.get(ptype, 0) + 1 + + print("\nBy Type:") + for ptype, count in sorted(types.items(), key=lambda x: x[1], reverse=True): + print(f" {ptype}: {count}") + + # Public vs private + public_count = sum(1 for proj in projects if proj.get("is_public", False)) + print(f"\nPublic projects: {public_count}/{len(projects)}") + + # Registrations + registration_count = sum( + 1 for proj in projects if proj.get("is_registration", False) + ) + print(f"Registrations: {registration_count}/{len(projects)}") + + # Preprints + preprint_count = sum(1 for proj in projects if proj.get("is_preprint", False)) + print(f"Preprints: {preprint_count}/{len(projects)}") + + print(f"{'=' * 60}") + + +if __name__ == "__main__": + main() diff --git a/scripts/ingestions/1_fetch_scidb.py b/scripts/ingestions/1_fetch_scidb.py new file mode 100644 index 00000000..e6ce78ba --- /dev/null +++ b/scripts/ingestions/1_fetch_scidb.py @@ -0,0 +1,352 @@ +"""Fetch EEG BIDS datasets from SciDB (Science Data Bank). + +This script searches SciDB for public datasets containing both "EEG" and "BIDS" keywords +using the SciDB query service API. It retrieves comprehensive metadata including DOIs, +CSTR identifiers, descriptions, authors, and file information. + +Output: consolidated/scidb_datasets.json +""" + +import argparse +import json +import sys +import time +from pathlib import Path +from typing import Any + +import requests + + +def search_scidb( + query: str, + size: int = 100, + page_size: int = 100, + public_only: bool = True, +) -> list[dict[str, Any]]: + """Search SciDB for datasets matching the query. + + Args: + query: Search query string + size: Maximum number of results to fetch + page_size: Number of results per page (max 100) + public_only: Filter for public datasets only (default: True) + + Returns: + List of SciDB dataset dictionaries + + """ + base_url = "https://www.scidb.cn/api/sdb-query-service/query" + + # Build query parameters + params = { + "queryCode": "", + "q": query, + } + + print(f"Searching SciDB with query: {query}") + print(f"Max results to fetch: {size}") + print(f"Results per page: {min(page_size, 100)}") + if public_only: + print("Filtering: Public datasets only") + + all_datasets = [] + page = 1 + actual_page_size = min(page_size, 100) # SciDB max appears to be 100 + + while True: + print(f"\nFetching page {page}...", end=" ", flush=True) + + # Build request body + body = { + "fileType": ["001"], # 001 = dataset type + "dataSetStatus": ["PUBLIC"] if public_only else [], + "copyrightCode": [], + "publishDate": [], + "ordernum": "6", # Sort order (6 appears to be relevance) + "rorId": [], + "ror": "", + "taxonomyEn": [], + "journalNameEn": [], + "page": page, + "size": actual_page_size, + } + + try: + response = requests.post( + base_url, + params=params, + json=body, + headers={ + "Content-Type": "application/json;charset=utf-8", + "Accept": "application/json, text/plain, */*", + }, + timeout=30, + ) + response.raise_for_status() + except requests.RequestException as e: + print(f"\nError fetching page {page}: {e}", file=sys.stderr) + break + + try: + data = response.json() + except json.JSONDecodeError as e: + print(f"\nError parsing JSON response: {e}", file=sys.stderr) + break + + # Check API response code + code = data.get("code", 0) + if code != 20000: + message = data.get("message", "Unknown error") + print(f"\nAPI Error (code {code}): {message}", file=sys.stderr) + break + + # Extract records from nested data structure: response.data.data[] + datasets = data.get("data", {}).get("data", []) + + if not datasets: + print("No more results") + break + + print(f"Got {len(datasets)} records (total: {len(all_datasets)})") + all_datasets.extend(datasets) + + # If we got fewer results than page_size, we've reached the end + if len(datasets) < actual_page_size: + print("Reached end of results") + break + + # Check if we've reached the requested size (only if size > 0) + if size > 0 and len(all_datasets) >= size: + print(f"Reached target limit ({len(all_datasets)} datasets)") + break + + page += 1 + + # Be nice to the API + time.sleep(0.5) + + print(f"\nTotal datasets fetched: {len(all_datasets)}") + return all_datasets[:size] # Trim to exact size + + +def extract_dataset_info(record: dict) -> dict[str, Any]: + """Extract relevant information from a SciDB dataset record. + + Args: + record: SciDB dataset record dictionary + + Returns: + Cleaned dataset dictionary with normalized fields + + """ + # Extract IDs + dataset_id = record.get("id", "") + doi = record.get("doi", "") + cstr = record.get("cstr", "") + pid = record.get("pid", "") + + # Extract basic metadata - API uses titleEn/titleZh pattern + title_en = record.get("titleEn", "") + title_zh = record.get("titleZh", "") + abstract_en = record.get("introductionEn", "") + abstract_zh = record.get("introductionZh", "") + + # Extract keywords + keywords_en = record.get("keywordEn", []) + if isinstance(keywords_en, str): + keywords_en = [keywords_en] if keywords_en else [] + keywords_zh = record.get("keywordZh", []) + if isinstance(keywords_zh, str): + keywords_zh = [keywords_zh] if keywords_zh else [] + + # Extract authors with affiliations + authors = [] + for author in record.get("author", []): + author_info = { + "name_en": author.get("nameEn", ""), + "name_zh": author.get("nameZh", ""), + } + if author.get("email"): + author_info["email"] = author["email"] + + # Handle affiliations (organizations) + affiliations = [] + for org in author.get("organizations", []): + aff_info = { + "name_en": org.get("nameEn", ""), + "name_zh": org.get("nameZh", ""), + } + # Extract ROR ID if available + for orgid in org.get("orgids", []): + if orgid.get("type") == "ROR": + aff_info["ror_id"] = orgid.get("value") + break + affiliations.append(aff_info) + if affiliations: + author_info["affiliations"] = affiliations + + authors.append(author_info) + + # Extract dates + publication_date = record.get("dataSetPublishDate", "") + create_time = record.get("create_time", "") + update_time = record.get("update_time", "") + + # Extract access and status + data_set_status = record.get("dataSetStatus", "") + + # Extract license information + license_info = record.get("copyRight", {}) + license_code = license_info.get("code", "") + + # Extract file information + file_size_bytes = record.get("size", 0) + file_size_mb = round(file_size_bytes / (1024 * 1024), 2) if file_size_bytes else 0 + + # Extract metrics + download_count = record.get("download", 0) + visit_count = record.get("visit", 0) + + # Extract URL + url = record.get("url", "") + if not url and dataset_id: + url = f"https://www.scidb.cn/en/detail?id={dataset_id}" + + # Build dataset dictionary + dataset = { + "dataset_id": str(dataset_id), + "doi": doi, + "cstr": cstr, + "pid": pid, + "title": title_en or title_zh, + "title_en": title_en, + "title_zh": title_zh, + "description": abstract_en or abstract_zh, + "description_en": abstract_en, + "description_zh": abstract_zh, + "authors": authors, + "keywords_en": keywords_en, + "keywords_zh": keywords_zh, + "publication_date": publication_date, + "created": create_time, + "modified": update_time, + "status": data_set_status, + "license": license_code, + "file_size_mb": file_size_mb, + "file_size_bytes": file_size_bytes, + "download_count": download_count, + "visit_count": visit_count, + "url": url, + "source": "scidb", + } + + return dataset + + +def main() -> None: + parser = argparse.ArgumentParser( + description="Fetch EEG BIDS datasets from SciDB (Science Data Bank)." + ) + parser.add_argument( + "--query", + type=str, + default="EEG BIDS", + help='Search query (default: "EEG BIDS").', + ) + parser.add_argument( + "--output", + type=Path, + default=Path("consolidated/scidb_datasets.json"), + help="Output JSON file path (default: consolidated/scidb_datasets.json).", + ) + parser.add_argument( + "--size", + type=int, + default=10000, + help="Maximum number of results to fetch (default: 10000, use 0 to fetch all pages).", + ) + parser.add_argument( + "--page-size", + type=int, + default=100, + help="Number of results per page (max 100, default: 100).", + ) + parser.add_argument( + "--include-restricted", + action="store_true", + help="Include restricted/private datasets (default: public only).", + ) + + args = parser.parse_args() + + # Search SciDB + records = search_scidb( + query=args.query, + size=args.size, + page_size=args.page_size, + public_only=not args.include_restricted, + ) + + if not records: + print("No datasets found. Exiting.", file=sys.stderr) + sys.exit(1) + + # Extract dataset information + print("\nExtracting dataset information...") + datasets = [] + for record in records: + try: + dataset = extract_dataset_info(record) + datasets.append(dataset) + except Exception as e: + print( + f"Warning: Error extracting info for record {record.get('id')}: {e}", + file=sys.stderr, + ) + continue + + # Create output directory + args.output.parent.mkdir(parents=True, exist_ok=True) + + # Save to JSON + with args.output.open("w") as fh: + json.dump(datasets, fh, indent=2, ensure_ascii=False) + + # Print summary statistics + print(f"\n{'=' * 60}") + print(f"Successfully saved {len(datasets)} datasets to {args.output}") + print(f"{'=' * 60}") + print("\nDataset Statistics:") + + # Count by status + statuses = {} + for ds in datasets: + status = ds.get("status", "unknown") + statuses[status] = statuses.get(status, 0) + 1 + + print("\nBy Status:") + for status, count in sorted(statuses.items(), key=lambda x: x[1], reverse=True): + print(f" {status}: {count}") + + # Datasets with files + datasets_with_files = sum(1 for ds in datasets if ds.get("file_count", 0) > 0) + print(f"\nDatasets with files: {datasets_with_files}/{len(datasets)}") + + # Total size + total_size_mb = sum(ds.get("total_size_mb", 0) for ds in datasets) + total_size_gb = round(total_size_mb / 1024, 2) + print(f"Total Size: {total_size_gb} GB ({total_size_mb} MB)") + + # Datasets with DOI + datasets_with_doi = sum(1 for ds in datasets if ds.get("doi", "")) + print(f"Datasets with DOI: {datasets_with_doi}/{len(datasets)}") + + # Datasets with CSTR + datasets_with_cstr = sum(1 for ds in datasets if ds.get("cstr", "")) + print(f"Datasets with CSTR: {datasets_with_cstr}/{len(datasets)}") + + print(f"{'=' * 60}") + + +if __name__ == "__main__": + main() diff --git a/scripts/ingestions/1_fetch_zenodo.py b/scripts/ingestions/1_fetch_zenodo.py new file mode 100644 index 00000000..984a7903 --- /dev/null +++ b/scripts/ingestions/1_fetch_zenodo.py @@ -0,0 +1,534 @@ +"""Fetch EEG BIDS datasets from Zenodo. + +This script searches Zenodo for datasets containing both "EEG" and "BIDS" keywords +using the Zenodo REST API. It retrieves comprehensive metadata including DOIs, +descriptions, file information, and download URLs. + +Output: consolidated/zenodo_datasets.json +""" + +import argparse +import json +import sys +import time +from pathlib import Path +from typing import Any + +import requests + + +def search_zenodo( + query: str, + size: int = 100, + all_versions: bool = False, + resource_type: str = "dataset", + access_status: str = "open", + subject: str = "", + sort: str = "bestmatch", + access_token: str | None = None, +) -> list[dict[str, Any]]: + """Search Zenodo for records matching the query. + + Implements Zenodo REST API v1 search endpoint with comprehensive filtering. + See: https://developers.zenodo.org/#list39 + + Args: + query: Search query string using Elasticsearch syntax (e.g., '"EEG" "BIDS"' for exact match) + size: Maximum number of total results to fetch (will paginate) + all_versions: Include all versions of records (default: latest only) + resource_type: Filter by resource type (default: 'dataset'). Options: 'publication', 'dataset', 'image', 'video', 'software', etc. + access_status: Filter by access status (default: 'open'). Options: 'open', 'embargoed', 'restricted', 'closed' + subject: Filter by subject classification (e.g., 'EEG' to filter by subject taxonomy) + sort: Sort order (default: 'bestmatch' for relevance). Options: 'bestmatch', 'mostrecent', '-mostrecent' + access_token: Personal Access Token from https://zenodo.org/account/settings/applications/tokens/new/ + Increases rate limits from 60 to 100 req/min + + Returns: + List of Zenodo record dictionaries + + Rate Limits: + Guest users: 60 requests/min, 2000 requests/hour + Authenticated users: 100 requests/min, 5000 requests/hour + Response headers: X-RateLimit-Limit, X-RateLimit-Remaining, X-RateLimit-Reset + + """ + base_url = "https://zenodo.org/api/records" + + # Build base params following API documentation + base_params = { + "q": query, + "sort": sort, + } + + # Add faceted filters as URL parameters + # Based on API docs and testing: type, subject, access_status are separate params + if resource_type: + base_params["type"] = resource_type + if access_status: + base_params["access_status"] = access_status + if subject: + base_params["subject"] = subject + + if all_versions: + base_params["all_versions"] = "1" + + # Build headers with auth if provided + headers = { + "Accept": "application/vnd.inveniordm.v1+json", + } + + # Check rate limit headers if available + rate_limit_info = "" + if access_token: + headers["Authorization"] = f"Bearer {access_token}" + rate_limit_info = "Authenticated (100 req/min, 5000 req/hour)" + else: + rate_limit_info = "Guest (60 req/min, 2000 req/hour)" + + print(f"{'=' * 70}") + print(f"Zenodo API Search - {rate_limit_info}") + print(f"{'=' * 70}") + print(f"Query: {query}") + filters_list = [f"type={resource_type}"] if resource_type else [] + if access_status: + filters_list.append(f"access_status={access_status}") + if subject: + filters_list.append(f"subject={subject}") + filters_list.append(f"sort={sort}") + print(f"Filters: {', '.join(filters_list)}") + print(f"Max results: {size}") + print(f"{'=' * 70}\n") + + all_records = [] + page = 1 + page_size = min(size, 100) # API supports up to 100 per page + consecutive_errors = 0 + total_available = None + + while len(all_records) < size: + print(f"Page {page:3d}...", end=" ", flush=True) + + # Build params for this page + params = base_params.copy() + params["page"] = page + params["size"] = page_size + + try: + response = requests.get( + base_url, params=params, headers=headers, timeout=120 + ) + + # Handle rate limiting (429 = Too Many Requests) + if response.status_code == 429: + retry_after = int(response.headers.get("Retry-After", 60)) + remaining = response.headers.get("X-RateLimit-Remaining", "unknown") + reset_time = response.headers.get("X-RateLimit-Reset", "unknown") + print(f"\n⚠️ Rate limited! Remaining: {remaining}, Reset: {reset_time}") + print(f" Waiting {retry_after} seconds...", file=sys.stderr) + time.sleep(retry_after + 1) + continue # Retry this page + + response.raise_for_status() + consecutive_errors = 0 + + # Log rate limit status (helpful for monitoring) + if page == 1 or page % 10 == 0: + limit = response.headers.get("X-RateLimit-Limit", "N/A") + remaining = response.headers.get("X-RateLimit-Remaining", "N/A") + if page > 1: + print(f"\n[Rate Limit: {remaining}/{limit}]", end=" ") + + except requests.Timeout: + consecutive_errors += 1 + print(f"TIMEOUT (attempt {consecutive_errors}/3)") + if consecutive_errors >= 3: + print("Too many timeouts. Stopping.", file=sys.stderr) + break + time.sleep(5) + continue + + except requests.RequestException as e: + consecutive_errors += 1 + print(f"ERROR: {type(e).__name__}") + if consecutive_errors >= 3: + print("Too many errors. Stopping.", file=sys.stderr) + break + time.sleep(5) + continue + + try: + data = response.json() + except json.JSONDecodeError as e: + print(f"JSON Error: {e}") + break + + hits = data.get("hits", {}).get("hits", []) + total = data.get("hits", {}).get("total", 0) + + if total_available is None: + total_available = total + + if not hits: + print("No more results") + break + + print( + f"{len(hits):3d} records | Total available: {total_available:5d} | Fetched so far: {len(all_records) + len(hits):5d}" + ) + all_records.extend(hits) + + # Check if we've reached the requested size + if len(all_records) >= size: + break + + # Check if we've reached the end of results + if len(hits) < page_size: + print(f"Reached end of results at page {page}") + break + + page += 1 + + # Respect rate limiting with conservative delays + # Guest: 60 req/min → 1 req/sec max → use 1.1s delay + # Auth: 100 req/min → 0.6 req/sec max → use 0.7s delay + delay = 1.1 if not access_token else 0.7 + time.sleep(delay) + + print(f"\n{'=' * 70}") + print( + f"Total records fetched: {len(all_records)} (requested: {size}, available: {total_available or 'unknown'})" + ) + print(f"{'=' * 70}\n") + return all_records[:size] # Trim to exact size + + +def extract_dataset_info(record: dict) -> dict[str, Any]: + """Extract relevant information from a Zenodo record. + + Handles both InvenioRDM v1 format (from API with vnd.inveniordm.v1+json) + and legacy Zenodo format. + + Args: + record: Raw Zenodo record dictionary + + Returns: + Cleaned dataset dictionary + + """ + metadata = record.get("metadata", {}) + + # Detect format based on structure + is_inveniordm = "pids" in record # InvenioRDM has 'pids' at top level + + # Extract DOI and IDs + dataset_id = str(record.get("id", "")) + + if is_inveniordm: + # InvenioRDM format + doi = record.get("pids", {}).get("doi", {}).get("identifier", "") + concept_doi = record.get("parent", {}).get("id", "") + else: + # Legacy format + doi = record.get("doi", "") + concept_doi = record.get("conceptdoi", "") + + # Extract basic metadata + title = metadata.get("title", "") + description = metadata.get("description", "") + publication_date = metadata.get("publication_date", "") + + # Extract creators/authors + creators = [] + for creator in metadata.get("creators", []): + if isinstance(creator, dict): + creator_info = { + "name": creator.get("person_or_org", {}).get( + "name", creator.get("name", "") + ) + } + # InvenioRDM uses affiliations array + affiliations = creator.get("affiliations", []) + if affiliations and isinstance(affiliations[0], dict): + creator_info["affiliation"] = affiliations[0].get("name", "") + elif "affiliation" in creator: + creator_info["affiliation"] = creator["affiliation"] + # ORCID + person = creator.get("person_or_org", creator) + for identifier in person.get("identifiers", []): + if identifier.get("scheme") == "orcid": + creator_info["orcid"] = identifier.get("identifier", "") + if "orcid" in person: + creator_info["orcid"] = person["orcid"] + creators.append(creator_info) + + # Extract keywords/subjects + if is_inveniordm: + # InvenioRDM uses 'subjects' array + keywords = [ + s.get("subject", s.get("id", "")) for s in metadata.get("subjects", []) + ] + else: + # Legacy uses 'keywords' array + keywords = metadata.get("keywords", []) + + # Extract resource type + resource_type_data = metadata.get("resource_type", {}) + if isinstance(resource_type_data, dict): + if is_inveniordm: + resource_type_str = resource_type_data.get("id", "") + resource_title = resource_type_data.get("title", {}).get("en", "") + else: + resource_type_str = resource_type_data.get("type", "") + resource_title = resource_type_data.get("title", "") + else: + resource_type_str = str(resource_type_data) + resource_title = "" + + # Extract license + if is_inveniordm: + # InvenioRDM uses 'rights' array + rights = metadata.get("rights", []) + license_id = ( + rights[0].get("id", "") if rights and isinstance(rights[0], dict) else "" + ) + else: + # Legacy uses 'license' dict + license_info = metadata.get("license", {}) + license_id = ( + license_info.get("id", "") + if isinstance(license_info, dict) + else str(license_info) + ) + + # Extract access rights/status + if is_inveniordm: + # InvenioRDM uses 'access' dict at top level + access_data = record.get("access", {}) + access_right = access_data.get("status", "") + else: + # Legacy uses 'access_right' in metadata + access_right = metadata.get("access_right", "") + + # Extract file information + # InvenioRDM v1 format: files is a dict with 'entries' containing filename→fileinfo mapping + # Legacy format: files is a list of file dicts + files = [] + files_data = record.get("files", {}) + + if isinstance(files_data, dict): + # InvenioRDM v1 format + file_entries = files_data.get("entries", {}) + if isinstance(file_entries, dict): + # entries is a dict: {filename: file_info} + for filename, file_info in file_entries.items(): + files.append( + { + "filename": file_info.get("key", filename), + "size_bytes": file_info.get("size", 0), + "checksum": file_info.get("checksum", ""), + "download_url": record.get("links", {}).get("self", "") + + f"/files/{filename}/content", + } + ) + else: + # entries is a list (shouldn't happen but handle gracefully) + for file_entry in file_entries: + files.append( + { + "filename": file_entry.get("key", ""), + "size_bytes": file_entry.get("size", 0), + "checksum": file_entry.get("checksum", ""), + "download_url": file_entry.get("links", {}).get("self", ""), + } + ) + elif isinstance(files_data, list): + # Legacy format: files is a list + for file_entry in files_data: + files.append( + { + "filename": file_entry.get("key", ""), + "size_bytes": file_entry.get("size", 0), + "checksum": file_entry.get("checksum", ""), + "download_url": file_entry.get("links", {}).get("self", ""), + } + ) + + # Extract links + links = record.get("links", {}) + + # Calculate total size from files structure + if isinstance(files_data, dict): + # InvenioRDM v1 format has total_bytes at top level + total_size_bytes = files_data.get("total_bytes", 0) + else: + # Legacy format: sum from individual files + total_size_bytes = sum(f.get("size_bytes", 0) for f in files) + + total_size_mb = round(total_size_bytes / (1024 * 1024), 2) + + # Build dataset dictionary + dataset = { + "dataset_id": dataset_id, + "doi": doi, + "concept_doi": concept_doi, + "title": title, + "description": description, + "publication_date": publication_date, + "created": record.get("created", ""), + "modified": record.get("modified", ""), + "creators": creators, + "keywords": keywords, + "resource_type": resource_type_str, + "resource_title": resource_title, + "license": license_id, + "access_right": access_right, + "url": links.get("self_html", ""), + "doi_url": links.get("doi", ""), + "files": files, + "file_count": len(files), + "total_size_mb": total_size_mb, + "source": "zenodo", + } + + return dataset + + +def main() -> None: + parser = argparse.ArgumentParser(description="Fetch EEG BIDS datasets from Zenodo.") + parser.add_argument( + "--query", + type=str, + default="EEG BIDS", + help=( + 'Search query (default: "EEG BIDS" for broad matching). ' + "Note: Using explicit AND/OR operators reduces results significantly due to stricter matching. " + "The default query naturally includes EEG/MEG/iEEG/ECoG variants through fuzzy matching." + ), + ) + parser.add_argument( + "--output", + type=Path, + default=Path("consolidated/zenodo_datasets.json"), + help="Output JSON file path (default: consolidated/zenodo_datasets.json).", + ) + parser.add_argument( + "--size", + type=int, + default=10000, + help="Maximum number of results to fetch (default: 10000, max: 9999).", + ) + parser.add_argument( + "--all-versions", + action="store_true", + help="Include all versions of records (default: latest only).", + ) + parser.add_argument( + "--resource-type", + type=str, + default="dataset", + help='Filter by resource type (default: "dataset"). Set to empty string to disable filter.', + ) + parser.add_argument( + "--access-status", + type=str, + default="open", + help='Filter by access status (default: "open"). Options: "open", "embargoed", "restricted", "closed". Empty to disable.', + ) + parser.add_argument( + "--subject", + type=str, + default="", + help='Filter by subject classification (e.g., "EEG"). Leave empty for broader coverage. Default: no subject filter.', + ) + parser.add_argument( + "--sort", + type=str, + default="bestmatch", + help='Sort order (default: "bestmatch"). Options: "bestmatch", "mostrecent", "-mostrecent".', + ) + parser.add_argument( + "--access-token", + type=str, + default="v3dkycQdOlyc0gXXkeeroSIkpSyAgaTyzpsIJLw8lhQsoEw089MFICKqnxWz", + help="Zenodo Personal Access Token (default: temp test token). Get from https://zenodo.org/account/settings/applications/tokens/new/", + ) + + args = parser.parse_args() + + # Search Zenodo with all filters + records = search_zenodo( + query=args.query, + size=args.size, + all_versions=args.all_versions, + resource_type=args.resource_type or "", + access_status=args.access_status or "", + subject=args.subject or "", + sort=args.sort, + access_token=args.access_token, + ) + + if not records: + print("No records found. Exiting.", file=sys.stderr) + sys.exit(1) + + # Extract dataset information + print("\nExtracting dataset information...") + datasets = [] + for record in records: + try: + dataset = extract_dataset_info(record) + datasets.append(dataset) + except Exception as e: + print( + f"Warning: Error extracting info for record {record.get('id')}: {e}", + file=sys.stderr, + ) + continue + + # Create output directory + args.output.parent.mkdir(parents=True, exist_ok=True) + + # Save to JSON + with args.output.open("w") as fh: + json.dump(datasets, fh, indent=2) + + # Print summary statistics + print(f"\n{'=' * 60}") + print(f"Successfully saved {len(datasets)} datasets to {args.output}") + print(f"{'=' * 60}") + print("\nDataset Statistics:") + + # Count by resource type + resource_types = {} + for ds in datasets: + rt = ds.get("resource_type", "unknown") + resource_types[rt] = resource_types.get(rt, 0) + 1 + + print("\nBy Resource Type:") + for rt, count in sorted(resource_types.items(), key=lambda x: x[1], reverse=True): + print(f" {rt}: {count}") + + # Count by access right + access_rights = {} + for ds in datasets: + ar = ds.get("access_right", "unknown") + access_rights[ar] = access_rights.get(ar, 0) + 1 + + print("\nBy Access Rights:") + for ar, count in sorted(access_rights.items(), key=lambda x: x[1], reverse=True): + print(f" {ar}: {count}") + + # Total size + total_size_mb = sum(ds.get("total_size_mb", 0) for ds in datasets) + total_size_gb = round(total_size_mb / 1024, 2) + print(f"\nTotal Size: {total_size_gb} GB ({total_size_mb} MB)") + + # Datasets with files + datasets_with_files = sum(1 for ds in datasets if ds.get("file_count", 0) > 0) + print(f"Datasets with files: {datasets_with_files}/{len(datasets)}") + + print(f"{'=' * 60}") + + +if __name__ == "__main__": + main() diff --git a/scripts/ingestions/1_fetch_zenodo_enhanced.py b/scripts/ingestions/1_fetch_zenodo_enhanced.py new file mode 100644 index 00000000..7c53360e --- /dev/null +++ b/scripts/ingestions/1_fetch_zenodo_enhanced.py @@ -0,0 +1,756 @@ +"""AGGRESSIVE Zenodo neurophysiology dataset fetcher - Maximum Recall Strategy. + +PHILOSOPHY: Cast a wide net first, filter false positives later! + +This script implements an aggressive multi-strategy search combining: +1. Extended terminology search (electroencephalography, magnetoencephalography, etc.) +2. All neurophysiology modalities (EEG, MEG, iEEG, ECoG, SEEG, EMG) +3. BIDS and related terms (Brain Imaging Data Structure) +4. Optional OAI-PMH enrichment for complete metadata + +AGGRESSIVE QUERY RESULTS (Tested Nov 2024): +┌─────────────────────────────────────────────┬──────────┐ +│ Query Strategy │ Results │ +├─────────────────────────────────────────────┼──────────┤ +│ Extended terms (all synonyms) │ 1,570 ✓ │ +│ All modalities OR BIDS │ 1,391 │ +│ Simple modality terms │ 1,324 │ +│ Conservative "EEG BIDS" (old approach) │ 904 │ +└─────────────────────────────────────────────┴──────────┘ + +STRATEGY: Use extended terminology query to maximize recall (1,570 datasets) +Then filter out false positives during post-processing based on: +- File structure (presence of BIDS-compliant files) +- Metadata keywords and descriptions +- File extensions (.eeg, .vhdr, .fif, .set, etc.) + +Key findings from Zenodo API documentation analysis: +- Default behavior: Multiple terms are OR-ed (maximizes recall) +- Explicit AND/OR operators work with proper parentheses grouping +- type=dataset filter essential (reduces 7,595 → 1,570) +- access_status=open ensures only usable datasets +- Field searches available but not needed for initial broad sweep + +Output: consolidated/zenodo_datasets_aggressive.json +Post-filtering: Will create consolidated/zenodo_datasets_validated.json +""" + +import argparse +import json +import sys +import time +from pathlib import Path +from typing import Any + +import requests + + +def search_zenodo_rest_api( + query: str, + size: int = 1000, + all_versions: bool = False, + resource_type: str = "dataset", + access_status: str = "open", + sort: str = "bestmatch", + access_token: str | None = None, +) -> list[dict[str, Any]]: + """Search Zenodo using REST API for comprehensive dataset discovery. + + REST API advantages: + - Fast pagination (100 records/page) + - Rich filtering options + - InvenioRDM v1 JSON format with complete file metadata + - Good for initial discovery + + Args: + query: Search query (default: "EEG BIDS" for broad fuzzy matching) + size: Maximum results to fetch + all_versions: Include all versions + resource_type: Filter by type (default: "dataset") + access_status: Filter by access (default: "open") + sort: Sort order (default: "bestmatch") + access_token: Personal Access Token for higher rate limits + + Returns: + List of record dictionaries with InvenioRDM v1 structure + + Rate Limits: + Guest: 60 req/min, 2000 req/hour + Auth: 100 req/min, 5000 req/hour + + """ + base_url = "https://zenodo.org/api/records" + + params = {"q": query, "sort": sort} + if resource_type: + params["type"] = resource_type + if access_status: + params["access_status"] = access_status + if all_versions: + params["all_versions"] = "1" + + headers = {"Accept": "application/vnd.inveniordm.v1+json"} + if access_token: + headers["Authorization"] = f"Bearer {access_token}" + + rate_limit_info = "Auth (100 req/min)" if access_token else "Guest (60 req/min)" + print(f"{'=' * 70}") + print(f"REST API Search - {rate_limit_info}") + print(f"{'=' * 70}") + print(f"Query: {query}") + print(f"Filters: type={resource_type}, access_status={access_status}") + print(f"Max results: {size}") + print(f"{'=' * 70}\n") + + all_records = [] + page = 1 + page_size = min(size, 100) + consecutive_errors = 0 + total_available = None + + while len(all_records) < size: + print(f"Page {page:3d}...", end=" ", flush=True) + + params_with_page = params.copy() + params_with_page["page"] = page + params_with_page["size"] = page_size + + try: + response = requests.get( + base_url, params=params_with_page, headers=headers, timeout=120 + ) + + if response.status_code == 429: + retry_after = int(response.headers.get("Retry-After", 60)) + print(f"\n⚠️ Rate limited! Waiting {retry_after}s...") + time.sleep(retry_after + 1) + continue + + response.raise_for_status() + consecutive_errors = 0 + + except (requests.Timeout, requests.RequestException) as e: + consecutive_errors += 1 + print(f"ERROR ({consecutive_errors}/3): {type(e).__name__}") + if consecutive_errors >= 3: + print("\nToo many errors. Stopping.") + break + time.sleep(5) + continue + + try: + data = response.json() + except json.JSONDecodeError as e: + print(f"JSON Error: {e}") + break + + hits = data.get("hits", {}).get("hits", []) + total = data.get("hits", {}).get("total", 0) + + if total_available is None: + total_available = total + + if not hits: + print("No more results") + break + + print( + f"{len(hits):3d} records | Total: {total_available:5d} | Fetched: {len(all_records) + len(hits):5d}" + ) + all_records.extend(hits) + + if len(all_records) >= size or len(hits) < page_size: + if len(hits) < page_size: + print(f"Reached end of results at page {page}") + break + + page += 1 + + # Conservative rate limiting + delay = 1.1 if not access_token else 0.7 + time.sleep(delay) + + print(f"\n{'=' * 70}") + print( + f"Total fetched: {len(all_records)} (available: {total_available or 'unknown'})" + ) + print(f"{'=' * 70}\n") + + return all_records[:size] + + +def enrich_with_oaipmh( + record_id: str, + access_token: str | None = None, + metadata_format: str = "oai_datacite", +) -> dict[str, Any] | None: + """Enrich dataset with additional metadata from OAI-PMH API. + + OAI-PMH advantages: + - Richer metadata formats (oai_datacite, datacite, dcat, oai_dc) + - Access to controlled vocabularies (subjects) + - Complete contributor information + - Related identifiers (publications, datasets) + - Grant/funding information + - More detailed descriptions + + Args: + record_id: Zenodo record ID + access_token: Optional auth token + metadata_format: Metadata format (oai_datacite recommended) + + Returns: + Parsed metadata dict or None if error + + Metadata formats: + oai_datacite: Most complete (recommended) + datacite: DataCite schema only + oai_dc: Dublin Core (minimal) + dcat: DCAT-AP format (includes file links) + marc21: Legacy format + + """ + try: + import xml.etree.ElementTree as ET + + oai_url = f"https://zenodo.org/oai2d?verb=GetRecord&identifier=oai:zenodo.org:{record_id}&metadataPrefix={metadata_format}" + + headers = {} + if access_token: + headers["Authorization"] = f"Bearer {access_token}" + + response = requests.get(oai_url, headers=headers, timeout=30) + response.raise_for_status() + + root = ET.fromstring(response.content) + + # Extract DataCite metadata if using oai_datacite format + if metadata_format == "oai_datacite": + namespaces = { + "oai": "http://www.openarchives.org/OAI/2.0/", + "oai_datacite": "http://schema.datacite.org/oai/oai-1.1/", + "datacite": "http://datacite.org/schema/kernel-4", + } + + resource = root.find(".//datacite:resource", namespaces) + if resource is None: + return None + + enriched = {} + + # Extract subjects (controlled vocabularies) + subjects = [] + for subject in resource.findall(".//datacite:subject", namespaces): + subject_data = {"term": subject.text} + if "subjectScheme" in subject.attrib: + subject_data["scheme"] = subject.attrib["subjectScheme"] + if "schemeURI" in subject.attrib: + subject_data["scheme_uri"] = subject.attrib["schemeURI"] + if "valueURI" in subject.attrib: + subject_data["value_uri"] = subject.attrib["valueURI"] + subjects.append(subject_data) + if subjects: + enriched["subjects"] = subjects + + # Extract contributors + contributors = [] + for contrib in resource.findall(".//datacite:contributor", namespaces): + contrib_name = contrib.find("datacite:contributorName", namespaces) + contrib_type = contrib.find("datacite:contributorType", namespaces) + if contrib_name is not None: + contrib_data = { + "name": contrib_name.text, + "type": contrib_type.text + if contrib_type is not None + else "Other", + } + # Get affiliation + affiliation = contrib.find("datacite:affiliation", namespaces) + if affiliation is not None: + contrib_data["affiliation"] = affiliation.text + contributors.append(contrib_data) + if contributors: + enriched["contributors"] = contributors + + # Extract related identifiers + related_ids = [] + for related in resource.findall( + ".//datacite:relatedIdentifier", namespaces + ): + if related.text: + related_data = { + "identifier": related.text, + "relation_type": related.attrib.get("relationType", ""), + "identifier_type": related.attrib.get( + "relatedIdentifierType", "" + ), + } + if "resourceTypeGeneral" in related.attrib: + related_data["resource_type"] = related.attrib[ + "resourceTypeGeneral" + ] + related_ids.append(related_data) + if related_ids: + enriched["related_identifiers"] = related_ids + + # Extract funding information + funding = [] + for funder in resource.findall(".//datacite:fundingReference", namespaces): + funder_name = funder.find("datacite:funderName", namespaces) + if funder_name is not None: + funding_data = {"funder_name": funder_name.text} + + award_number = funder.find("datacite:awardNumber", namespaces) + if award_number is not None: + funding_data["award_number"] = award_number.text + + award_title = funder.find("datacite:awardTitle", namespaces) + if award_title is not None: + funding_data["award_title"] = award_title.text + + funding.append(funding_data) + if funding: + enriched["funding"] = funding + + return enriched if enriched else None + + return None + + except Exception as e: + print(f"OAI-PMH enrichment failed for {record_id}: {e}", file=sys.stderr) + return None + + +def get_archive_preview_files( + record_id: str, filename: str, access_token: str | None = None +) -> list[str]: + """Extract file listing from Zenodo archive preview without downloading. + + Zenodo provides a preview endpoint that shows archive contents as HTML. + This allows us to inspect BIDS structure inside .zip files without downloading. + + Args: + record_id: Zenodo record ID + filename: Archive filename (e.g., "data.zip") + access_token: Optional auth token + + Returns: + List of filenames found inside the archive + + """ + try: + preview_url = f"https://zenodo.org/records/{record_id}/preview/{filename}" + params = {"include_deleted": "0"} + + headers = {} + if access_token: + headers["Authorization"] = f"Bearer {access_token}" + + response = requests.get(preview_url, params=params, headers=headers, timeout=30) + response.raise_for_status() + + # Simple HTML parsing to extract filenames + html_content = response.text.lower() + + # Extract filenames from the HTML structure + # Pattern: filename + import re + + file_pattern = r'[^<]*?([^<]+)' + folder_pattern = r'\s*]*>([^<]+)' + + files = re.findall(file_pattern, html_content) + folders = re.findall(folder_pattern, html_content) + + # Clean up extracted names + all_items = [] + for item in files: + cleaned = item.strip() + if cleaned: + all_items.append(cleaned) + + for folder in folders: + cleaned = folder.strip() + if cleaned: + all_items.append(cleaned + "/") + + return all_items + + except Exception: + # Silently fail - this is a best-effort enhancement + return [] + + +def extract_dataset_info( + record: dict, enrich_oaipmh: bool = False, access_token: str | None = None +) -> dict[str, Any]: + """Extract and optionally enrich dataset information. + + Handles InvenioRDM v1 format from REST API and optionally enriches + with OAI-PMH metadata for more complete information. + + NEW: Also extracts archive contents preview for better BIDS detection. + + Args: + record: REST API record dictionary + enrich_oaipmh: Whether to fetch additional metadata via OAI-PMH + access_token: Optional auth token for OAI-PMH + + Returns: + Comprehensive dataset dictionary + + """ + metadata = record.get("metadata", {}) + dataset_id = str(record.get("id", "")) + + # Extract DOI (InvenioRDM v1 format) + doi = record.get("pids", {}).get("doi", {}).get("identifier", "") + concept_doi = record.get("parent", {}).get("id", "") + + # Basic metadata + title = metadata.get("title", "") + description = metadata.get("description", "") + publication_date = metadata.get("publication_date", "") + + # Creators + creators = [] + for creator in metadata.get("creators", []): + if isinstance(creator, dict): + person = creator.get("person_or_org", {}) + creator_info = {"name": person.get("name", creator.get("name", ""))} + + # Affiliations + affiliations = creator.get("affiliations", []) + if affiliations and isinstance(affiliations[0], dict): + creator_info["affiliation"] = affiliations[0].get("name", "") + + # ORCID + for identifier in person.get("identifiers", []): + if identifier.get("scheme") == "orcid": + creator_info["orcid"] = identifier.get("identifier", "") + + creators.append(creator_info) + + # Keywords/subjects + keywords = [s.get("subject", s.get("id", "")) for s in metadata.get("subjects", [])] + + # Resource type + resource_type_data = metadata.get("resource_type", {}) + resource_type_str = resource_type_data.get("id", "") + resource_title = resource_type_data.get("title", {}).get("en", "") + + # License + rights = metadata.get("rights", []) + license_id = ( + rights[0].get("id", "") if rights and isinstance(rights[0], dict) else "" + ) + + # Access status + access_data = record.get("access", {}) + access_right = access_data.get("status", "") + + # Files (InvenioRDM v1 format) + files = [] + archive_contents = {} # Store archive preview contents + files_data = record.get("files", {}) + + if isinstance(files_data, dict): + file_entries = files_data.get("entries", {}) + for filename, file_info in file_entries.items(): + file_dict = { + "filename": file_info.get("key", filename), + "size_bytes": file_info.get("size", 0), + "checksum": file_info.get("checksum", ""), + "mimetype": file_info.get("mimetype", ""), + "download_url": record.get("links", {}).get("self", "") + + f"/files/{filename}/content", + } + files.append(file_dict) + + # Check if file is an archive - if so, try to get preview + archived_extensions = [ + ".zip", + ".tar.gz", + ".tgz", + ".tar", + ".rar", + ".7z", + ".gz", + ] + fn_lower = filename.lower() + if any(fn_lower.endswith(ext) for ext in archived_extensions): + # Try to get archive contents preview + preview_files = get_archive_preview_files( + dataset_id, filename, access_token + ) + if preview_files: + archive_contents[filename] = preview_files + + total_size_bytes = ( + files_data.get("total_bytes", 0) if isinstance(files_data, dict) else 0 + ) + total_size_mb = round(total_size_bytes / (1024 * 1024), 2) + + # Build dataset dictionary + dataset = { + "dataset_id": dataset_id, + "doi": doi, + "concept_doi": concept_doi, + "title": title, + "description": description, + "publication_date": publication_date, + "created": record.get("created", ""), + "modified": record.get("updated", ""), + "creators": creators, + "keywords": keywords, + "resource_type": resource_type_str, + "resource_title": resource_title, + "license": license_id, + "access_right": access_right, + "url": record.get("links", {}).get("self_html", ""), + "doi_url": f"https://doi.org/{doi}" if doi else "", + "files": files, + "file_count": len(files), + "total_size_mb": total_size_mb, + "archive_contents": archive_contents, # NEW: Archive preview contents + "has_archive_preview": len(archive_contents) > 0, # NEW: Flag for filtering + "source": "zenodo", + } + + # Enrich with OAI-PMH if requested + if enrich_oaipmh and dataset_id: + enriched = enrich_with_oaipmh(dataset_id, access_token) + if enriched: + dataset.update( + { + "enriched_subjects": enriched.get("subjects", []), + "contributors": enriched.get("contributors", []), + "related_identifiers": enriched.get("related_identifiers", []), + "funding": enriched.get("funding", []), + "oaipmh_enriched": True, + } + ) + + return dataset + + +def main() -> None: + parser = argparse.ArgumentParser( + description="Fetch EEG BIDS datasets from Zenodo with optional OAI-PMH enrichment.", + formatter_class=argparse.RawDescriptionHelpFormatter, + epilog=""" +AGGRESSIVE SEARCH STRATEGY - Maximum Recall: + +Query Performance (Tested with type=dataset filter): + Extended terminology → 1,570 results ✓ DEFAULT (Maximum recall) + All modalities OR BIDS → 1,391 results + Simple "EEG BIDS" → 904 results (old conservative approach) + +The aggressive query captures ALL neurophysiology datasets by using: + • Full terminology (electroencephalography, magnetoencephalography, etc.) + • All modalities (EEG, MEG, iEEG, ECoG, SEEG, EMG) + • BIDS variants (BIDS, "Brain Imaging Data Structure") + • Boolean OR logic for maximum coverage + +Expected Results Distribution: + - True BIDS datasets: ~60-70% (need validation) + - Neurophysiology non-BIDS: ~20-30% (can be converted) + - False positives: ~5-10% (will filter out) + +Filtering Strategy (Post-Processing): + 1. Check for BIDS-compliant file structure + 2. Validate metadata keywords (BIDS, EEG, MEG, etc.) + 3. Verify file extensions (.eeg, .vhdr, .fif, .set, .bdf, .edf) + 4. Analyze dataset descriptions for BIDS mentions + 5. Flag potential BIDS vs non-BIDS datasets + +OAI-PMH Enrichment (Optional): + Adds: controlled vocabularies, contributors, related identifiers, funding + Trade-off: ~2x slower (requires extra API call per dataset) + Recommended: Use --enrich-oaipmh for complete metadata extraction + +Examples: + # Maximum recall (default - gets ~1,570 datasets) + python scripts/ingestions/1_fetch_zenodo_enhanced.py + + # With OAI-PMH enrichment (slower but complete) + python scripts/ingestions/1_fetch_zenodo_enhanced.py --enrich-oaipmh + + # Conservative search (old approach) + python scripts/ingestions/1_fetch_zenodo_enhanced.py --query "EEG BIDS" --size 1000 + + # Custom modality search + python scripts/ingestions/1_fetch_zenodo_enhanced.py --query "MEG OR magnetoencephalography" +""", + ) + + parser.add_argument( + "--query", + type=str, + default='EEG OR electroencephalography OR MEG OR magnetoencephalography OR iEEG OR intracranial OR ECoG OR electrocorticography OR SEEG OR EMG OR electromyography OR BIDS OR "Brain Imaging Data Structure"', + help="Search query (default: AGGRESSIVE - ALL neurophysiology OR BIDS for maximum recall)", + ) + parser.add_argument( + "--output", + type=Path, + default=Path("consolidated/zenodo_datasets_aggressive.json"), + help="Output JSON file path (default: aggressive unfiltered results).", + ) + parser.add_argument( + "--size", + type=int, + default=2000, + help="Maximum number of results to fetch (default: 2000 to capture all ~1,570 aggressive results).", + ) + parser.add_argument( + "--resource-type", + type=str, + default="dataset", + help='Filter by resource type (default: "dataset").', + ) + parser.add_argument( + "--access-status", + type=str, + default="open", + help='Filter by access status (default: "open").', + ) + parser.add_argument( + "--sort", + type=str, + default="bestmatch", + help='Sort order (default: "bestmatch").', + ) + parser.add_argument( + "--access-token", + type=str, + default="v3dkycQdOlyc0gXXkeeroSIkpSyAgaTyzpsIJLw8lhQsoEw089MFICKqnxWz", + help="Zenodo Personal Access Token (default: temp test token).", + ) + parser.add_argument( + "--enrich-oaipmh", + action="store_true", + help="Enrich datasets with OAI-PMH metadata (slower but more complete).", + ) + parser.add_argument( + "--oaipmh-sample", + type=int, + default=0, + help="Only enrich first N datasets with OAI-PMH (0 = all if --enrich-oaipmh).", + ) + + args = parser.parse_args() + + # Search via REST API + records = search_zenodo_rest_api( + query=args.query, + size=args.size, + resource_type=args.resource_type or "", + access_status=args.access_status or "", + sort=args.sort, + access_token=args.access_token, + ) + + if not records: + print("No records found. Exiting.", file=sys.stderr) + sys.exit(1) + + # Extract dataset information + print("\nExtracting dataset information...") + if args.enrich_oaipmh: + oaipmh_limit = args.oaipmh_sample if args.oaipmh_sample > 0 else len(records) + print(f"OAI-PMH enrichment enabled for first {oaipmh_limit} datasets") + print("(This will be slower but provides richer metadata)\n") + + datasets = [] + for i, record in enumerate(records, 1): + try: + enrich = args.enrich_oaipmh and ( + args.oaipmh_sample == 0 or i <= args.oaipmh_sample + ) + dataset = extract_dataset_info( + record, enrich_oaipmh=enrich, access_token=args.access_token + ) + datasets.append(dataset) + + if enrich and i % 10 == 0: + print(f" Enriched {i}/{len(records)} datasets...") + except Exception as e: + print( + f"Warning: Error extracting record {record.get('id')}: {e}", + file=sys.stderr, + ) + continue + + # Save to JSON + args.output.parent.mkdir(parents=True, exist_ok=True) + with args.output.open("w") as fh: + json.dump(datasets, fh, indent=2) + + # Print statistics + print(f"\n{'=' * 70}") + print(f"Successfully saved {len(datasets)} datasets to {args.output}") + print(f"{'=' * 70}") + + # Modality analysis + modalities = { + "EEG": sum( + 1 + for d in datasets + if "EEG" in (d.get("title", "") + " ".join(d.get("keywords", []))).upper() + and "IEEG" + not in (d.get("title", "") + " ".join(d.get("keywords", []))).upper() + ), + "MEG": sum( + 1 + for d in datasets + if "MEG" in (d.get("title", "") + " ".join(d.get("keywords", []))).upper() + ), + "iEEG/ECoG": sum( + 1 + for d in datasets + if any( + x in (d.get("title", "") + " ".join(d.get("keywords", []))).upper() + for x in ["IEEG", "ECOG", "INTRACRANIAL"] + ) + ), + "EMG": sum( + 1 + for d in datasets + if "EMG" in (d.get("title", "") + " ".join(d.get("keywords", []))).upper() + ), + } + + print("\nModality Detection:") + for mod, count in modalities.items(): + print(f" {mod:15s}: {count:4d} datasets ({count / len(datasets) * 100:.1f}%)") + + # Metadata coverage + print("\nMetadata Coverage:") + print( + f" With DOI: {sum(1 for d in datasets if d.get('doi')):4d}/{len(datasets)} ({sum(1 for d in datasets if d.get('doi')) / len(datasets) * 100:.1f}%)" + ) + print( + f" With license: {sum(1 for d in datasets if d.get('license')):4d}/{len(datasets)} ({sum(1 for d in datasets if d.get('license')) / len(datasets) * 100:.1f}%)" + ) + print( + f" With keywords: {sum(1 for d in datasets if d.get('keywords')):4d}/{len(datasets)} ({sum(1 for d in datasets if d.get('keywords')) / len(datasets) * 100:.1f}%)" + ) + print( + f" With files: {sum(1 for d in datasets if d.get('file_count', 0) > 0):4d}/{len(datasets)} ({sum(1 for d in datasets if d.get('file_count', 0) > 0) / len(datasets) * 100:.1f}%)" + ) + + if args.enrich_oaipmh: + enriched_count = sum(1 for d in datasets if d.get("oaipmh_enriched")) + print( + f" OAI-PMH enriched: {enriched_count:4d}/{len(datasets)} ({enriched_count / len(datasets) * 100:.1f}%)" + ) + + # Total size + total_size_mb = sum(d.get("total_size_mb", 0) for d in datasets) + print(f"\nTotal Size: {total_size_mb / 1024:.2f} GB ({total_size_mb:.2f} MB)") + + print(f"{'=' * 70}") + + +if __name__ == "__main__": + main() diff --git a/scripts/ingestions/2_filter_zenodo_bids.py b/scripts/ingestions/2_filter_zenodo_bids.py new file mode 100644 index 00000000..3ad58180 --- /dev/null +++ b/scripts/ingestions/2_filter_zenodo_bids.py @@ -0,0 +1,645 @@ +"""Filter Zenodo aggressive results to identify genuine BIDS datasets. + +CRITICAL INSIGHT: A dataset can be BIDS-compliant without mentioning "BIDS"! + +Many neurophysiology datasets follow BIDS structure perfectly but never use +the term "BIDS" in their title, description, or keywords. Therefore, we must +prioritize FILE STRUCTURE over keyword mentions when classifying datasets. + +NEW FEATURE: Archive Preview Detection +------------------------------------- +Zenodo provides a preview endpoint that shows archive contents WITHOUT downloading! +We now inspect .zip files to detect BIDS structure inside archived datasets. + +This dramatically improves BIDS detection accuracy: +- OLD approach: 89% rejection (couldn't see inside archives) +- NEW approach: Expected 30-50% BIDS detection (can inspect archive contents) + +Example: https://zenodo.org/records/13790279/preview/database.zip +Returns HTML with complete file tree showing: + - dataset_description.json + - participants.tsv + - sub-01/sub-01_eeg.json + - sub-01/sub-01_channels.tsv + +This script post-processes the aggressive Zenodo fetch results to separate: +1. Genuine BIDS datasets (detected by structure OR keywords) +2. Neurophysiology datasets (convertible to BIDS) +3. False positives (not relevant) + +Filtering criteria based on BIDS specification analysis: + +PRIMARY INDICATORS (File Structure - Most Reliable): +- BIDS naming patterns: sub-XX, ses-XX, task-XX, run-XX +- Core files: dataset_description.json, participants.tsv +- Sidecars: *_eeg.json, *_channels.tsv, *_events.tsv +- Directory structure: code/, derivatives/, sourcedata/ +- NOW: Archive preview contents inspection! + +SECONDARY INDICATORS (Keywords - Less Reliable): +- Explicit mentions: "BIDS", "Brain Imaging Data Structure" +- Related terms: "BIDS-compliant", "BIDS format", "OpenNeuro" + +CLASSIFICATION PRIORITY: +1. Strong file structure (≥3 BIDS indicators) → BIDS strict +2. Moderate structure (≥2 indicators) → BIDS moderate +3. Weak structure (≥1 indicator) + neuro files → BIDS probable +4. No structure + neuro files → Neurophysiology (convertible) +5. No indicators → Rejected + +Input: consolidated/zenodo_datasets_aggressive.json (~1,570 records) +Outputs: + - consolidated/zenodo_datasets_bids.json (validated BIDS) + - consolidated/zenodo_datasets_neurophysiology.json (convertible) + - consolidated/zenodo_datasets_rejected.json (false positives) +""" + +import argparse +import json +import re +from pathlib import Path +from typing import Any + +# BIDS-specific indicators +BIDS_KEYWORDS = { + "strict": [ + "bids", + "brain imaging data structure", + "bids format", + "bids-compliant", + "bids specification", + "bids validator", + "openneuro", + ], + "moderate": [ + "bids-like", + "bids standard", + "neuroimaging data structure", + "standardized format", + ], +} + +BIDS_FILE_INDICATORS = [ + # Core BIDS files (definitive indicators) + "dataset_description.json", + "participants.tsv", + "participants.json", + # Modality-specific sidecars (strong indicators) + "_eeg.json", + "_meg.json", + "_ieeg.json", + "_channels.tsv", + "_electrodes.tsv", + "_events.tsv", + "_coordsystem.json", + # Task and run indicators + "_task-", + "_run-", + "_ses-", + "_sub-", + # BIDS metadata files + "README", + "CHANGES", + "code/", + "derivatives/", + "sourcedata/", + # Specific BIDS naming patterns + "_bold.nii", + "_T1w.nii", + "_dwi.nii", + "_eeg.eeg", + "_eeg.vhdr", + "_eeg.set", + "_meg.fif", + "_meg.ds", +] + +NEUROPHYSIOLOGY_EXTENSIONS = { + "eeg": [".eeg", ".vhdr", ".vmrk", ".edf", ".bdf", ".set", ".fdt", ".cnt", ".mff"], + "meg": [".fif", ".sqd", ".con", ".raw", ".ave", ".mrk", ".elp", ".hsp", ".ds"], + "ieeg": [".edf", ".eeg", ".vhdr", ".trc", ".bin"], + "emg": [".edf", ".cnt", ".poly5"], +} + +NEUROPHYSIOLOGY_TERMS = [ + "eeg", + "electroencephalography", + "electroencephalogram", + "meg", + "magnetoencephalography", + "magnetoencephalogram", + "ieeg", + "intracranial", + "ecog", + "electrocorticography", + "seeg", + "emg", + "electromyography", + "electromyogram", + "evoked potential", + "event-related potential", + "erp", + "resting state", + "task-based", + "paradigm", +] + + +def check_bids_keywords(dataset: dict[str, Any]) -> tuple[bool, str]: + """Check if dataset mentions BIDS in title, description, or keywords. + + Returns: + (is_bids, confidence_level) where confidence is 'strict' or 'moderate' + + """ + text = " ".join( + [ + dataset.get("title", ""), + dataset.get("description", ""), + " ".join(dataset.get("keywords", [])), + ] + ).lower() + + # Check strict BIDS keywords + for keyword in BIDS_KEYWORDS["strict"]: + if keyword in text: + return True, "strict" + + # Check moderate BIDS keywords + for keyword in BIDS_KEYWORDS["moderate"]: + if keyword in text: + return True, "moderate" + + return False, "none" + + +def check_description_for_bids_evidence(dataset: dict[str, Any]) -> int: + """Analyze description for BIDS structure evidence. + + Many archived datasets describe their BIDS structure in text without + mentioning "BIDS" explicitly. Look for telltale phrases. + + Returns: + Evidence score (0-3): 0=none, 1=weak, 2=moderate, 3=strong + + """ + description = dataset.get("description", "").lower() + title = dataset.get("title", "").lower() + combined = description + " " + title + + score = 0 + + # Strong evidence phrases + strong_evidence = [ + "participants.tsv", + "dataset_description.json", + "subject-level", + "session-level", + "organized according to", + "follows the structure", + "standardized format", + "sub-", + "sub-XX", + "task-", + ] + + for phrase in strong_evidence: + if phrase in combined: + score = max(score, 3) + break + + # Moderate evidence phrases + moderate_evidence = [ + "organized dataset", + "structured data", + "standardized data", + "metadata files", + "sidecar files", + "json metadata", + "channel locations", + "event markers", + ] + + if score < 3: + for phrase in moderate_evidence: + if phrase in combined: + score = max(score, 2) + break + + # Weak evidence + weak_evidence = [ + "well-organized", + "structured", + "metadata", + "annotations", + "documented", + ] + + if score < 2: + for phrase in weak_evidence: + if phrase in combined: + score = max(score, 1) + break + + return score + + +def check_bids_files(dataset: dict[str, Any]) -> tuple[int, list[str]]: + """Check how many BIDS-specific files are present. + + IMPORTANT: Checks both exact file matches AND BIDS naming patterns. + Many BIDS datasets don't have "bids" in metadata but follow BIDS structure. + + NEW FEATURE: If dataset has archive preview contents, we can inspect + the internal structure without downloading! This dramatically improves + BIDS detection accuracy for archived datasets. + + Returns: + (count, matched_files) + + """ + files = dataset.get("files", []) + filenames = [f.get("filename", "").lower() for f in files] + + matched = [] + + # NEW: Check archive contents if available + archive_contents = dataset.get("archive_contents", {}) + all_filenames = filenames.copy() + + if archive_contents: + # Add all files found inside archives + for archive_name, contents in archive_contents.items(): + all_filenames.extend([f.lower() for f in contents]) + + # Check if dataset is mostly archived (heuristic approach needed) + archived_extensions = [".zip", ".tar.gz", ".tgz", ".tar", ".rar", ".7z", ".gz"] + is_archived = any(fn.endswith(tuple(archived_extensions)) for fn in filenames) + has_preview = len(archive_contents) > 0 + + # Check for specific BIDS files (now including archive contents!) + for indicator in BIDS_FILE_INDICATORS: + if any(indicator.lower() in fn for fn in all_filenames): + matched.append(indicator) + + # Check for BIDS naming patterns (sub-XX/ses-XX/task-XX) + bids_patterns = [ + r"sub-[a-zA-Z0-9]+", # Subject ID + r"ses-[a-zA-Z0-9]+", # Session ID + r"task-[a-zA-Z0-9]+", # Task name + r"run-[0-9]+", # Run number + r"acq-[a-zA-Z0-9]+", # Acquisition + ] + + pattern_matches = set() + for fn in all_filenames: + for pattern in bids_patterns: + if re.search(pattern, fn): + pattern_matches.add(f"pattern:{pattern}") + + matched.extend(list(pattern_matches)) + + # If archived WITHOUT preview, check archive name for BIDS indicators + if is_archived and not has_preview: + for fn in filenames: + # Check if archive name suggests BIDS content + if any( + term in fn for term in ["bids", "openneuro", "ds0", "sub-", "dataset"] + ): + matched.append("archive:bids_indicator") + break + + # If we have archive preview, note this as additional evidence + if has_preview and any( + "sub-" in fn or "dataset_description" in fn for fn in all_filenames + ): + matched.append("archive_preview:confirmed") + + # Deduplicate + matched = list(set(matched)) + + return len(matched), matched + + +def check_neurophysiology_files(dataset: dict[str, Any]) -> tuple[str | None, int]: + """Check if dataset contains neurophysiology data files. + + NEW: Also checks archive preview contents if available. + + Returns: + (modality, extension_count) where modality is 'eeg', 'meg', 'ieeg', 'emg', or None + + """ + files = dataset.get("files", []) + filenames = [f.get("filename", "").lower() for f in files] + + # NEW: Add archive contents if available + archive_contents = dataset.get("archive_contents", {}) + if archive_contents: + for archive_name, contents in archive_contents.items(): + filenames.extend([f.lower() for f in contents]) + + modality_counts = {} + for modality, extensions in NEUROPHYSIOLOGY_EXTENSIONS.items(): + count = sum( + 1 for fn in filenames if any(fn.endswith(ext) for ext in extensions) + ) + if count > 0: + modality_counts[modality] = count + + if not modality_counts: + return None, 0 + + # Return modality with most files + primary_modality = max(modality_counts, key=modality_counts.get) + return primary_modality, modality_counts[primary_modality] + + +def check_neurophysiology_terms(dataset: dict[str, Any]) -> bool: + """Check if dataset mentions neurophysiology-related terms.""" + text = " ".join( + [ + dataset.get("title", ""), + dataset.get("description", ""), + " ".join(dataset.get("keywords", [])), + ] + ).lower() + + return any(term in text for term in NEUROPHYSIOLOGY_TERMS) + + +def classify_dataset(dataset: dict[str, Any]) -> tuple[str, dict[str, Any]]: + """Classify dataset as 'bids', 'neurophysiology', or 'rejected'. + + CRITICAL: A dataset can be BIDS-compliant without mentioning "BIDS"! + We prioritize file structure indicators over keyword mentions. + + NEW: For archived datasets with preview contents, we can now accurately + detect BIDS structure by inspecting the archive contents directly! + + For archived datasets without preview, we use description analysis to find BIDS evidence. + + Returns: + (category, metadata) where metadata contains classification details + + """ + # Check BIDS indicators + has_bids_keywords, keyword_confidence = check_bids_keywords(dataset) + bids_file_count, bids_files = check_bids_files(dataset) + description_score = check_description_for_bids_evidence(dataset) + + # Check neurophysiology indicators + modality, neuro_file_count = check_neurophysiology_files(dataset) + has_neuro_terms = check_neurophysiology_terms(dataset) + + # NEW: Check if we have archive preview + has_archive_preview = dataset.get("has_archive_preview", False) + archive_file_count = sum( + len(contents) for contents in dataset.get("archive_contents", {}).values() + ) + + metadata = { + "has_bids_keywords": has_bids_keywords, + "bids_keyword_confidence": keyword_confidence, + "bids_file_count": bids_file_count, + "bids_files_found": bids_files, + "description_bids_score": description_score, + "primary_modality": modality, + "neurophysiology_file_count": neuro_file_count, + "has_neurophysiology_terms": has_neuro_terms, + "has_archive_preview": has_archive_preview, # NEW + "archive_file_count": archive_file_count, # NEW + } + + # Classification logic - MULTIPLE PATHWAYS TO BIDS CLASSIFICATION + + # PATH 1: STRICT BIDS - Strong file structure evidence + # Many BIDS datasets don't mention "BIDS" but have perfect structure + # NOW WITH ARCHIVE PREVIEW: This is much more accurate! + if bids_file_count >= 3: + return "bids_strict", metadata + + # PATH 2: STRICT BIDS - Explicit BIDS keywords + some evidence + if ( + has_bids_keywords + and keyword_confidence == "strict" + and (bids_file_count >= 1 or description_score >= 2) + ): + return "bids_strict", metadata + + # PATH 3: MODERATE BIDS - Good file evidence OR strong description evidence + if bids_file_count >= 2 or (description_score >= 3 and has_neuro_terms): + return "bids_moderate", metadata + + # PATH 4: MODERATE BIDS - BIDS keywords + moderate evidence + if has_bids_keywords and (bids_file_count >= 1 or description_score >= 2): + return "bids_moderate", metadata + + # PATH 5: PROBABLE BIDS - Weak BIDS evidence + neurophysiology data + if (bids_file_count >= 1 or description_score >= 2) and modality: + return "bids_probable", metadata + + # NEUROPHYSIOLOGY: Has neuro files and terms but no BIDS structure + if ( + modality + and neuro_file_count > 0 + and has_neuro_terms + and bids_file_count == 0 + and description_score == 0 + ): + return "neurophysiology", metadata + + # REJECTED: No clear indicators + return "rejected", metadata + + +def main() -> None: + parser = argparse.ArgumentParser( + description="Filter aggressive Zenodo results to identify genuine BIDS datasets.", + formatter_class=argparse.RawDescriptionHelpFormatter, + ) + + parser.add_argument( + "--input", + type=Path, + default=Path("consolidated/zenodo_datasets_aggressive.json"), + help="Input JSON file from aggressive fetch.", + ) + parser.add_argument( + "--output-bids", + type=Path, + default=Path("consolidated/zenodo_datasets_bids.json"), + help="Output file for validated BIDS datasets.", + ) + parser.add_argument( + "--output-neurophysiology", + type=Path, + default=Path("consolidated/zenodo_datasets_neurophysiology.json"), + help="Output file for neurophysiology datasets (convertible to BIDS).", + ) + parser.add_argument( + "--output-rejected", + type=Path, + default=Path("consolidated/zenodo_datasets_rejected.json"), + help="Output file for rejected datasets (false positives).", + ) + parser.add_argument( + "--output-stats", + type=Path, + default=Path("consolidated/zenodo_filtering_stats.json"), + help="Output file for filtering statistics.", + ) + + args = parser.parse_args() + + # Load aggressive results + if not args.input.exists(): + print(f"Error: Input file {args.input} not found!") + print("Run 1_fetch_zenodo_enhanced.py first.") + return + + with args.input.open() as f: + datasets = json.load(f) + + print(f"{'=' * 70}") + print(f"Filtering {len(datasets)} aggressive Zenodo results") + print(f"{'=' * 70}\n") + + # Classify datasets + categories = { + "bids_strict": [], + "bids_moderate": [], + "bids_probable": [], + "neurophysiology": [], + "rejected": [], + } + + for i, dataset in enumerate(datasets, 1): + category, metadata = classify_dataset(dataset) + + # Add classification metadata to dataset + dataset["classification"] = {"category": category, **metadata} + + categories[category].append(dataset) + + if i % 100 == 0: + print(f" Processed {i}/{len(datasets)} datasets...") + + # Combine BIDS categories + bids_datasets = ( + categories["bids_strict"] + + categories["bids_moderate"] + + categories["bids_probable"] + ) + + # Save results + args.output_bids.parent.mkdir(parents=True, exist_ok=True) + + with args.output_bids.open("w") as f: + json.dump(bids_datasets, f, indent=2) + + with args.output_neurophysiology.open("w") as f: + json.dump(categories["neurophysiology"], f, indent=2) + + with args.output_rejected.open("w") as f: + json.dump(categories["rejected"], f, indent=2) + + # Calculate statistics + archive_preview_count = sum( + 1 for d in datasets if d.get("has_archive_preview", False) + ) + archive_preview_in_bids = sum( + 1 for d in bids_datasets if d.get("has_archive_preview", False) + ) + + stats = { + "total_input": len(datasets), + "bids_total": len(bids_datasets), + "bids_strict": len(categories["bids_strict"]), + "bids_moderate": len(categories["bids_moderate"]), + "bids_probable": len(categories["bids_probable"]), + "neurophysiology": len(categories["neurophysiology"]), + "rejected": len(categories["rejected"]), + "bids_percentage": round(len(bids_datasets) / len(datasets) * 100, 1), + "neurophysiology_percentage": round( + len(categories["neurophysiology"]) / len(datasets) * 100, 1 + ), + "rejected_percentage": round( + len(categories["rejected"]) / len(datasets) * 100, 1 + ), + "datasets_with_archive_preview": archive_preview_count, + "archive_preview_percentage": round( + archive_preview_count / len(datasets) * 100, 1 + ) + if datasets + else 0, + "bids_with_archive_preview": archive_preview_in_bids, + "bids_archive_preview_percentage": round( + archive_preview_in_bids / len(bids_datasets) * 100, 1 + ) + if bids_datasets + else 0, + } + + with args.output_stats.open("w") as f: + json.dump(stats, f, indent=2) + + # Print summary + print(f"\n{'=' * 70}") + print("FILTERING RESULTS") + print(f"{'=' * 70}") + print(f"Total input: {stats['total_input']:5d}") + print("") + print("Archive Preview Stats:") + print( + f" Datasets with preview: {stats['datasets_with_archive_preview']:4d} ({stats['archive_preview_percentage']:5.1f}%)" + ) + print( + f" BIDS with preview: {stats['bids_with_archive_preview']:4d} ({stats['bids_archive_preview_percentage']:5.1f}%)" + ) + print("") + print( + f"BIDS Datasets: {stats['bids_total']:5d} ({stats['bids_percentage']:5.1f}%)" + ) + print(f" - Strict (confident): {stats['bids_strict']:4d}") + print(f" - Moderate: {stats['bids_moderate']:4d}") + print(f" - Probable: {stats['bids_probable']:4d}") + print("") + print( + f"Neurophysiology: {stats['neurophysiology']:5d} ({stats['neurophysiology_percentage']:5.1f}%)" + ) + print(" (Convertible to BIDS)") + print("") + print( + f"Rejected: {stats['rejected']:5d} ({stats['rejected_percentage']:5.1f}%)" + ) + print(" (False positives)") + print(f"{'=' * 70}") + print("") + print("Output files:") + print(f" BIDS: {args.output_bids}") + print(f" Neurophysiology: {args.output_neurophysiology}") + print(f" Rejected: {args.output_rejected}") + print(f" Statistics: {args.output_stats}") + print(f"{'=' * 70}") + + # Sample analysis + if bids_datasets: + print("\nSample BIDS dataset (strict confidence):") + strict_samples = [d for d in categories["bids_strict"]] + if strict_samples: + sample = strict_samples[0] + print(f" Title: {sample.get('title', 'N/A')}") + print(f" DOI: {sample.get('doi', 'N/A')}") + print(f" Keywords: {', '.join(sample.get('keywords', [])[:5])}") + print(f" BIDS files found: {sample['classification']['bids_files_found']}") + print(f" Modality: {sample['classification']['primary_modality']}") + if sample.get("has_archive_preview"): + archive_count = sample["classification"].get("archive_file_count", 0) + print(f" Archive preview: ✓ ({archive_count} files inspected)") + else: + print(" Archive preview: ✗ (classified by keywords/description)") + + +if __name__ == "__main__": + main() diff --git a/scripts/ingestions/3_clone_openneuro_datasets.py b/scripts/ingestions/3_clone_openneuro_datasets.py new file mode 100644 index 00000000..5f90ebb9 --- /dev/null +++ b/scripts/ingestions/3_clone_openneuro_datasets.py @@ -0,0 +1,281 @@ +"""Clone OpenNeuro, NEMAR, and GIN datasets with timeout and error handling.""" + +import argparse +import json +import subprocess +import sys +import time +from pathlib import Path + + +def detect_source_type(dataset: dict) -> str: + """Detect dataset source based on fields. + + Args: + dataset: Dataset dictionary + + Returns: + 'openneuro', 'nemar', 'gin', or 'unknown' + + """ + # Check for explicit source field + if "source" in dataset: + return dataset["source"] + + # GIN datasets have clone_url with gin.g-node.org + if "clone_url" in dataset and "gin.g-node.org" in dataset["clone_url"]: + return "gin" + + # NEMAR datasets have clone_url with github.com/nemarDatasets + if "clone_url" in dataset and "nemarDatasets" in dataset["clone_url"]: + return "nemar" + + # Generic dataset with clone_url (could be NEMAR or GIN) + if "clone_url" in dataset or "ssh_url" in dataset: + # Default to nemar for backward compatibility + return "nemar" + + # OpenNeuro has modality field + if "modality" in dataset: + return "openneuro" + + return "unknown" + + +def get_clone_url(dataset: dict, source_type: str) -> str: + """Get the appropriate clone URL for the dataset. + + Args: + dataset: Dataset dictionary + source_type: 'openneuro', 'nemar', 'gin', or 'unknown' + + Returns: + Git clone URL + + """ + if source_type in ("nemar", "gin"): + # NEMAR and GIN datasets have clone_url in the JSON + return dataset.get("clone_url", dataset.get("ssh_url")) + elif source_type == "openneuro": + # OpenNeuro datasets need URL construction + dataset_id = dataset["dataset_id"] + return f"https://github.com/OpenNeuroDatasets/{dataset_id}" + else: + raise ValueError(f"Unknown source type: {source_type}") + + +def clone_dataset(dataset: dict, output_dir: Path, timeout: int) -> dict: + """Clone a single dataset with timeout. + + Args: + dataset: Dataset dictionary with fields depending on source + output_dir: Directory to clone into + timeout: Timeout in seconds + + Returns: + Result dictionary with status + + """ + dataset_id = dataset["dataset_id"] + source_type = detect_source_type(dataset) + + try: + url = get_clone_url(dataset, source_type) + except (KeyError, ValueError) as e: + return { + "status": "error", + "dataset_id": dataset_id, + "source": source_type, + "error": str(e), + } + + clone_dir = output_dir / dataset_id + + # Skip if already cloned + if clone_dir.exists(): + return { + "status": "skip", + "dataset_id": dataset_id, + "source": source_type, + "reason": "already exists", + } + + try: + # Run git clone with timeout + result = subprocess.run( + ["git", "clone", url, str(clone_dir)], + timeout=timeout, + capture_output=True, + text=True, + ) + + if result.returncode == 0: + return { + "status": "success", + "dataset_id": dataset_id, + "source": source_type, + } + else: + # Clean up partial clone on failure + if clone_dir.exists(): + import shutil + + shutil.rmtree(clone_dir, ignore_errors=True) + return { + "status": "failed", + "dataset_id": dataset_id, + "source": source_type, + "error": result.stderr[:200], + } + + except subprocess.TimeoutExpired: + # Clean up partial clone on timeout + if clone_dir.exists(): + import shutil + + shutil.rmtree(clone_dir, ignore_errors=True) + return { + "status": "timeout", + "dataset_id": dataset_id, + "source": source_type, + "timeout_seconds": timeout, + } + + except Exception as e: + return { + "status": "error", + "dataset_id": dataset_id, + "source": source_type, + "error": str(e)[:200], + } + + +def main() -> None: + parser = argparse.ArgumentParser( + description="Clone OpenNeuro and NEMAR datasets from consolidated listing." + ) + parser.add_argument( + "--output-dir", + type=Path, + default=Path("test_diggestion"), + help="Output directory for cloned repos (default: test_diggestion).", + ) + parser.add_argument( + "--timeout", + type=int, + default=300, + help="Timeout per clone in seconds (default: 300).", + ) + parser.add_argument( + "--datasets-file", + type=Path, + default=Path("consolidated/to_digest_openneuro_datasets.json"), + help="JSON file with dataset listings (supports both OpenNeuro and NEMAR formats).", + ) + parser.add_argument( + "--max-parallel", + type=int, + default=1, + help="Max parallel clones (currently single-threaded).", + ) + args = parser.parse_args() + + # Validate input file + if not args.datasets_file.exists(): + print(f"Error: {args.datasets_file} not found", file=sys.stderr) + sys.exit(1) + + # Load datasets + with args.datasets_file.open("r") as fh: + datasets = json.load(fh) + + total = len(datasets) + + print(f"Starting dataset cloning at {time.strftime('%Y-%m-%d %H:%M:%S')}") + print(f"Output directory: {args.output_dir}") + print(f"Timeout per clone: {args.timeout}s") + print(f"Total datasets: {total}") + print() + + # Create output directory + args.output_dir.mkdir(parents=True, exist_ok=True) + + # Clone datasets + results = { + "success": [], + "failed": [], + "timeout": [], + "skip": [], + "error": [], + } + + # Track by source + source_counts = {"openneuro": 0, "nemar": 0, "gin": 0, "unknown": 0} + + for idx, dataset in enumerate(datasets, start=1): + dataset_id = dataset["dataset_id"] + source_type = detect_source_type(dataset) + source_counts[source_type] += 1 + + print( + f"[{idx}/{total}] Cloning {dataset_id} ({source_type})...", + end=" ", + flush=True, + ) + + result = clone_dataset(dataset, args.output_dir, args.timeout) + status = result.pop("status") + results[status].append(result) + + if status == "success": + print("✓") + elif status == "skip": + print("⊘ (already exists)") + elif status == "timeout": + print(f"⏱ (timeout after {args.timeout}s)") + elif status == "failed": + print(f"✗ (error: {result.get('error', 'unknown')[:50]}...)") + else: + print(f"? (error: {result.get('error', 'unknown')[:50]}...)") + + # Summary + print() + print("=" * 60) + print(f"Cloning completed at {time.strftime('%Y-%m-%d %H:%M:%S')}") + print() + print("By Source:") + print(f" OpenNeuro: {source_counts['openneuro']}") + print(f" NEMAR: {source_counts['nemar']}") + print(f" GIN: {source_counts['gin']}") + if source_counts["unknown"]: + print(f" Unknown: {source_counts['unknown']}") + print() + print("By Status:") + print(f" Success: {len(results['success'])}") + print(f" Failed: {len(results['failed'])}") + print(f" Timeout: {len(results['timeout'])}") + print(f" Skipped: {len(results['skip'])}") + print(f" Errors: {len(results['error'])}") + print("=" * 60) + + # Save results + results_file = args.output_dir / "clone_results.json" + with results_file.open("w") as fh: + json.dump(results, fh, indent=2) + print() + print(f"Results saved to: {results_file}") + + # Save retry list (failed/timeout/error datasets with full metadata) + retry_datasets = [] + for status_list in [results["failed"], results["timeout"], results["error"]]: + retry_datasets.extend(status_list) + + if retry_datasets: + retry_file = args.output_dir / "retry.json" + with retry_file.open("w") as fh: + json.dump(retry_datasets, fh, indent=2) + print(f"Retry list saved to: {retry_file} ({len(retry_datasets)} datasets)") + + +if __name__ == "__main__": + main() From a989519faf2477cca6b07254db10b927756bb450 Mon Sep 17 00:00:00 2001 From: "github-actions[bot]" <41898282+github-actions[bot]@users.noreply.github.com> Date: Tue, 11 Nov 2025 14:09:34 +0000 Subject: [PATCH 19/34] chore: update OpenNeuro & NEMAR dataset listings and filtered to_digest files --- consolidated/nemardatasets_repos.json | 26 +++++++++---------- consolidated/openneuro_datasets.json | 10 +++++-- .../to_digest_nemardatasets_repos.json | 26 +++++++++---------- .../to_digest_openneuro_datasets.json | 6 +++++ 4 files changed, 40 insertions(+), 28 deletions(-) diff --git a/consolidated/nemardatasets_repos.json b/consolidated/nemardatasets_repos.json index 9e647b59..7898d84d 100644 --- a/consolidated/nemardatasets_repos.json +++ b/consolidated/nemardatasets_repos.json @@ -24,9 +24,9 @@ "description": "Meta Reality Labs Wrist Pose sEMG Dataset", "url": "https://github.com/nemarDatasets/nm000107", "created": "2025-10-07T00:16:09Z", - "modified": "2025-10-24T17:21:54Z", - "pushed": "2025-10-24T17:21:49Z", - "size_kb": 249, + "modified": "2025-11-08T15:17:18Z", + "pushed": "2025-11-08T15:02:45Z", + "size_kb": 255, "default_branch": "main", "topics": [ "bids", @@ -47,9 +47,9 @@ "description": "Meta Reality Labs Discrete Gestures sEMG Dataset", "url": "https://github.com/nemarDatasets/nm000105", "created": "2025-10-07T04:54:50Z", - "modified": "2025-10-24T17:19:54Z", - "pushed": "2025-10-24T17:19:49Z", - "size_kb": 1360, + "modified": "2025-11-08T15:17:38Z", + "pushed": "2025-11-08T15:04:10Z", + "size_kb": 1366, "default_branch": "main", "topics": [ "bids", @@ -70,9 +70,9 @@ "description": "Meta Reality Labs Handwriting sEMG Dataset", "url": "https://github.com/nemarDatasets/nm000106", "created": "2025-10-07T05:24:52Z", - "modified": "2025-10-24T17:20:38Z", - "pushed": "2025-10-24T17:20:35Z", - "size_kb": 2749, + "modified": "2025-11-08T15:17:29Z", + "pushed": "2025-11-08T15:05:41Z", + "size_kb": 2756, "default_branch": "main", "topics": [ "bids", @@ -93,9 +93,9 @@ "description": "Meta Reality Labs EMG2Qwerty Dataset", "url": "https://github.com/nemarDatasets/nm000104", "created": "2025-10-07T06:01:58Z", - "modified": "2025-10-24T17:18:53Z", - "pushed": "2025-10-24T17:18:50Z", - "size_kb": 57829, + "modified": "2025-11-08T15:17:48Z", + "pushed": "2025-11-08T15:03:19Z", + "size_kb": 57834, "default_branch": "main", "topics": [ "bids", @@ -116,7 +116,7 @@ "description": "Healthy Brain Network EEG - Not for Commercial Use", "url": "https://github.com/nemarDatasets/nm000103", "created": "2025-10-09T01:33:21Z", - "modified": "2025-10-27T15:32:21Z", + "modified": "2025-11-08T15:18:20Z", "pushed": "2025-10-09T16:05:00Z", "size_kb": 4330, "default_branch": "main", diff --git a/consolidated/openneuro_datasets.json b/consolidated/openneuro_datasets.json index aeedaf8e..ad980e6a 100644 --- a/consolidated/openneuro_datasets.json +++ b/consolidated/openneuro_datasets.json @@ -93,7 +93,7 @@ "dataset_id": "ds002718", "modality": "eeg", "created": "2020-04-21T20:15:53.277Z", - "modified": "2021-08-03T22:26:22.000Z" + "modified": "2025-11-08T05:07:40.000Z" }, { "dataset_id": "ds002720", @@ -1503,7 +1503,7 @@ "dataset_id": "ds005397", "modality": "eeg", "created": "2024-08-01T12:27:38.523Z", - "modified": "2024-12-02T08:31:42.000Z" + "modified": "2025-11-10T12:51:56.000Z" }, { "dataset_id": "ds005403", @@ -2087,6 +2087,12 @@ "created": "2025-10-29T19:00:26.774Z", "modified": "2025-10-29T23:48:25.000Z" }, + { + "dataset_id": "ds006923", + "modality": "eeg", + "created": "2025-11-11T00:27:28.823Z", + "modified": "2025-11-11T04:35:58.000Z" + }, { "dataset_id": "ds002799", "modality": "ieeg", diff --git a/consolidated/to_digest_nemardatasets_repos.json b/consolidated/to_digest_nemardatasets_repos.json index a0ef2206..207804aa 100644 --- a/consolidated/to_digest_nemardatasets_repos.json +++ b/consolidated/to_digest_nemardatasets_repos.json @@ -5,9 +5,9 @@ "description": "Meta Reality Labs Wrist Pose sEMG Dataset", "url": "https://github.com/nemarDatasets/nm000107", "created": "2025-10-07T00:16:09Z", - "modified": "2025-10-24T17:21:54Z", - "pushed": "2025-10-24T17:21:49Z", - "size_kb": 249, + "modified": "2025-11-08T15:17:18Z", + "pushed": "2025-11-08T15:02:45Z", + "size_kb": 255, "default_branch": "main", "topics": [ "bids", @@ -28,9 +28,9 @@ "description": "Meta Reality Labs Discrete Gestures sEMG Dataset", "url": "https://github.com/nemarDatasets/nm000105", "created": "2025-10-07T04:54:50Z", - "modified": "2025-10-24T17:19:54Z", - "pushed": "2025-10-24T17:19:49Z", - "size_kb": 1360, + "modified": "2025-11-08T15:17:38Z", + "pushed": "2025-11-08T15:04:10Z", + "size_kb": 1366, "default_branch": "main", "topics": [ "bids", @@ -51,9 +51,9 @@ "description": "Meta Reality Labs Handwriting sEMG Dataset", "url": "https://github.com/nemarDatasets/nm000106", "created": "2025-10-07T05:24:52Z", - "modified": "2025-10-24T17:20:38Z", - "pushed": "2025-10-24T17:20:35Z", - "size_kb": 2749, + "modified": "2025-11-08T15:17:29Z", + "pushed": "2025-11-08T15:05:41Z", + "size_kb": 2756, "default_branch": "main", "topics": [ "bids", @@ -74,9 +74,9 @@ "description": "Meta Reality Labs EMG2Qwerty Dataset", "url": "https://github.com/nemarDatasets/nm000104", "created": "2025-10-07T06:01:58Z", - "modified": "2025-10-24T17:18:53Z", - "pushed": "2025-10-24T17:18:50Z", - "size_kb": 57829, + "modified": "2025-11-08T15:17:48Z", + "pushed": "2025-11-08T15:03:19Z", + "size_kb": 57834, "default_branch": "main", "topics": [ "bids", @@ -97,7 +97,7 @@ "description": "Healthy Brain Network EEG - Not for Commercial Use", "url": "https://github.com/nemarDatasets/nm000103", "created": "2025-10-09T01:33:21Z", - "modified": "2025-10-27T15:32:21Z", + "modified": "2025-11-08T15:18:20Z", "pushed": "2025-10-09T16:05:00Z", "size_kb": 4330, "default_branch": "main", diff --git a/consolidated/to_digest_openneuro_datasets.json b/consolidated/to_digest_openneuro_datasets.json index 11614bf4..2c10fb12 100644 --- a/consolidated/to_digest_openneuro_datasets.json +++ b/consolidated/to_digest_openneuro_datasets.json @@ -575,6 +575,12 @@ "created": "2025-10-29T19:00:26.774Z", "modified": "2025-10-29T23:48:25.000Z" }, + { + "dataset_id": "ds006923", + "modality": "eeg", + "created": "2025-11-11T00:27:28.823Z", + "modified": "2025-11-11T04:35:58.000Z" + }, { "dataset_id": "ds002799", "modality": "ieeg", From a67911e9d9f9a5584174b3a998f30e5ac15318ce Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 16:09:04 +0100 Subject: [PATCH 20/34] renaming for the correct entities --- .../{1_fetch_github_organization.py => 1_fetch_nemardatasets.py} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename scripts/ingestions/{1_fetch_github_organization.py => 1_fetch_nemardatasets.py} (100%) diff --git a/scripts/ingestions/1_fetch_github_organization.py b/scripts/ingestions/1_fetch_nemardatasets.py similarity index 100% rename from scripts/ingestions/1_fetch_github_organization.py rename to scripts/ingestions/1_fetch_nemardatasets.py From e56da2cdb20e6b5b845786ed29ec6828657f9349 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 16:30:56 +0100 Subject: [PATCH 21/34] done with openneuro --- consolidated/openneuro_datasets.json | 122 ++++++++-- pyproject.toml | 3 +- .../ingestions/1_fetch_openneuro_datasets.py | 209 ++++++++++++------ 3 files changed, 252 insertions(+), 82 deletions(-) diff --git a/consolidated/openneuro_datasets.json b/consolidated/openneuro_datasets.json index ad980e6a..06ce172e 100644 --- a/consolidated/openneuro_datasets.json +++ b/consolidated/openneuro_datasets.json @@ -2283,115 +2283,199 @@ "dataset_id": "ds004977", "modality": "ieeg", "created": "2024-02-19T19:52:02.163Z", - "modified": "2024-05-13T17:47:41.000Z" + "modified": "2024-02-19T19:52:02.163Z" }, { "dataset_id": "ds004993", "modality": "ieeg", "created": "2024-02-25T23:36:29.775Z", - "modified": "2024-03-01T17:54:40.000Z" + "modified": "2024-02-25T23:36:29.775Z" }, { "dataset_id": "ds005007", "modality": "ieeg", "created": "2024-03-05T23:44:50.042Z", - "modified": "2024-03-07T17:44:30.000Z" + "modified": "2024-03-05T23:44:50.042Z" }, { "dataset_id": "ds005059", "modality": "ieeg", "created": "2024-04-03T21:09:33.244Z", - "modified": "2024-04-23T00:32:22.000Z" + "modified": "2024-04-03T21:09:33.244Z" }, { "dataset_id": "ds005083", "modality": "ieeg", "created": "2024-04-10T21:53:35.682Z", - "modified": "2024-04-10T22:00:08.000Z" + "modified": "2024-04-10T21:53:35.682Z" }, { "dataset_id": "ds005169", "modality": "ieeg", "created": "2024-05-22T09:00:55.253Z", - "modified": "2024-05-22T10:58:35.000Z" + "modified": "2024-05-22T09:00:55.253Z" }, { "dataset_id": "ds005398", "modality": "ieeg", "created": "2024-08-04T16:43:46.618Z", - "modified": "2024-08-15T03:01:26.000Z" + "modified": "2024-08-04T16:43:46.618Z" }, { "dataset_id": "ds005411", "modality": "ieeg", "created": "2024-08-13T16:37:26.160Z", - "modified": "2024-08-14T14:45:19.000Z" + "modified": "2024-08-13T16:37:26.160Z" }, { "dataset_id": "ds005415", "modality": "ieeg", "created": "2024-08-17T03:31:16.602Z", - "modified": "2024-10-25T12:49:06.000Z" + "modified": "2024-08-17T03:31:16.602Z" }, { "dataset_id": "ds005448", "modality": "ieeg", "created": "2024-09-03T06:27:56.217Z", - "modified": "2024-10-08T19:09:02.000Z" + "modified": "2024-09-03T06:27:56.217Z" }, { "dataset_id": "ds005489", "modality": "ieeg", "created": "2024-09-15T18:28:05.055Z", - "modified": "2024-09-17T23:14:43.000Z" + "modified": "2024-09-15T18:28:05.055Z" }, { "dataset_id": "ds005491", "modality": "ieeg", "created": "2024-09-16T20:43:53.335Z", - "modified": "2024-09-16T21:26:48.000Z" + "modified": "2024-09-16T20:43:53.335Z" }, { "dataset_id": "ds005494", "modality": "ieeg", "created": "2024-09-17T22:23:36.032Z", - "modified": "2024-09-25T15:44:34.000Z" + "modified": "2024-09-17T22:23:36.032Z" }, { "dataset_id": "ds005522", "modality": "ieeg", "created": "2024-09-24T15:54:45.157Z", - "modified": "2024-09-24T17:18:59.000Z" + "modified": "2024-09-24T15:54:45.157Z" }, { "dataset_id": "ds005523", "modality": "ieeg", "created": "2024-09-24T16:57:08.474Z", - "modified": "2024-09-24T18:53:29.000Z" + "modified": "2024-09-24T16:57:08.474Z" }, { "dataset_id": "ds005545", "modality": "ieeg", "created": "2024-09-30T21:57:55.144Z", - "modified": "2025-04-23T16:00:00.000Z" + "modified": "2024-09-30T21:57:55.144Z" }, { "dataset_id": "ds005557", "modality": "ieeg", "created": "2024-10-06T03:40:26.768Z", - "modified": "2024-10-06T04:38:57.000Z" + "modified": "2024-10-06T03:40:26.768Z" }, { "dataset_id": "ds005558", "modality": "ieeg", "created": "2024-10-06T04:32:14.781Z", - "modified": "2024-10-06T04:41:45.000Z" + "modified": "2024-10-06T04:32:14.781Z" }, { "dataset_id": "ds005574", "modality": "ieeg", "created": "2024-10-15T20:04:55.411Z", - "modified": "2025-02-17T13:52:37.000Z" + "modified": "2024-10-15T20:04:55.411Z" + }, + { + "dataset_id": "ds005592", + "modality": "ieeg", + "created": "2024-10-23T18:01:35.117Z", + "modified": "2024-10-23T18:01:35.117Z" + }, + { + "dataset_id": "ds005624", + "modality": "ieeg", + "created": "2024-11-07T06:58:53.218Z", + "modified": "2024-11-07T19:54:19.000Z" + }, + { + "dataset_id": "ds005670", + "modality": "ieeg", + "created": "2024-11-29T03:57:02.443Z", + "modified": "2024-11-29T05:57:42.000Z" + }, + { + "dataset_id": "ds005691", + "modality": "ieeg", + "created": "2024-12-03T08:55:55.749Z", + "modified": "2024-12-03T09:21:25.000Z" + }, + { + "dataset_id": "ds005931", + "modality": "ieeg", + "created": "2025-02-18T20:31:48.897Z", + "modified": "2025-03-06T22:41:58.000Z" + }, + { + "dataset_id": "ds005953", + "modality": "ieeg", + "created": "2025-03-03T15:16:54.906Z", + "modified": "2025-03-03T17:00:05.000Z" + }, + { + "dataset_id": "ds006065", + "modality": "ieeg", + "created": "2025-03-27T15:20:02.439Z", + "modified": "2025-03-29T20:06:49.000Z" + }, + { + "dataset_id": "ds006107", + "modality": "ieeg", + "created": "2025-04-08T20:12:46.118Z", + "modified": "2025-04-09T06:47:24.000Z" + }, + { + "dataset_id": "ds006233", + "modality": "ieeg", + "created": "2025-05-13T04:33:20.242Z", + "modified": "2025-05-19T12:00:57.000Z" + }, + { + "dataset_id": "ds006234", + "modality": "ieeg", + "created": "2025-05-13T05:51:34.168Z", + "modified": "2025-05-19T12:06:15.000Z" + }, + { + "dataset_id": "ds006253", + "modality": "ieeg", + "created": "2025-05-21T08:34:46.001Z", + "modified": "2025-07-25T09:13:28.000Z" + }, + { + "dataset_id": "ds006392", + "modality": "ieeg", + "created": "2025-06-25T20:49:36.890Z", + "modified": "2025-06-25T20:57:50.000Z" + }, + { + "dataset_id": "ds006519", + "modality": "ieeg", + "created": "2025-07-31T09:11:55.018Z", + "modified": "2025-07-31T09:16:09.000Z" + }, + { + "dataset_id": "ds006890", + "modality": "ieeg", + "created": "2025-11-03T13:21:47.212Z", + "modified": "2025-11-04T05:20:04.000Z" }, { "dataset_id": "ds000248", diff --git a/pyproject.toml b/pyproject.toml index 7858494d..58cbb3ac 100644 --- a/pyproject.toml +++ b/pyproject.toml @@ -87,7 +87,8 @@ docs = [ digestion = [ "pybids", - "gql", + "gql[requests]", + "requests_toolbelt", ] all = [ diff --git a/scripts/ingestions/1_fetch_openneuro_datasets.py b/scripts/ingestions/1_fetch_openneuro_datasets.py index 21fa3059..b62d0856 100644 --- a/scripts/ingestions/1_fetch_openneuro_datasets.py +++ b/scripts/ingestions/1_fetch_openneuro_datasets.py @@ -1,17 +1,15 @@ -"""Fetch OpenNeuro dataset IDs with metadata using gql.""" +"""Fetch OpenNeuro dataset IDs with metadata using requests library.""" import argparse import json from collections.abc import Iterator from pathlib import Path -from gql import Client, gql -from gql.transport.requests import RequestsHTTPTransport +import requests GRAPHQL_URL = "https://openneuro.org/crn/graphql" -DATASETS_QUERY = gql( - """ +DATASETS_QUERY = """ query ($modality: String!, $first: Int!, $after: String) { datasets(modality: $modality, first: $first, after: $after) { pageInfo { hasNextPage endCursor } @@ -19,49 +17,112 @@ node { id created - latestSnapshot { - created - } } } } } """ -) + + +def build_batch_modified_query(dataset_ids: list[str]) -> str: + """Build a batch query to fetch modified dates for multiple datasets.""" + query_parts = [] + for i, dataset_id in enumerate(dataset_ids): + # Create an alias for each dataset to avoid conflicts + query_parts.append( + f""" + ds{i}: dataset(id: "{dataset_id}") {{ + id + latestSnapshot {{ + created + }} + }}""" + ) + + return f""" +query {{ +{chr(10).join(query_parts)} +}} +""" + + +def fetch_batch_modified( + dataset_ids: list[str], timeout: float = 30.0 +) -> dict[str, str]: + """Fetch modified dates for a batch of datasets in a single query.""" + result = {} + + if not dataset_ids: + return result + + try: + query = build_batch_modified_query(dataset_ids) + payload = {"query": query} + response = requests.post(GRAPHQL_URL, json=payload, timeout=timeout) + data = response.json() + + if "errors" in data or "data" not in data: + return result + + response_data = data["data"] + + # Extract modified dates from batch response + for i, dataset_id in enumerate(dataset_ids): + alias = f"ds{i}" + if alias in response_data: + dataset = response_data[alias] + if dataset: + latest_snapshot = dataset.get("latestSnapshot") + if latest_snapshot: + created = latest_snapshot.get("created") + if created: + result[dataset_id] = created + except Exception as e: + print(f" Error fetching batch: {str(e)[:100]}") + + return result def fetch_datasets( page_size: int = 100, timeout: float = 30.0, - retries: int = 3, - max_consecutive_errors: int = 3, + max_consecutive_errors: int = 5, ) -> Iterator[dict]: - """Fetch all OpenNeuro datasets with id and modality.""" - transport = RequestsHTTPTransport( - url=GRAPHQL_URL, - timeout=timeout, - retries=retries, - verify=True, - ) - client = Client(transport=transport, fetch_schema_from_transport=False) - - modalities = ["eeg", "ieeg", "meg"] + """Fetch all OpenNeuro datasets with id and modality using requests.""" + # Use smaller page size for iEEG due to known API issue at offset 50 + modality_configs = { + "eeg": {"page_size": page_size, "max_errors": 3}, + "ieeg": {"page_size": 10, "max_errors": 5}, # Smaller for iEEG + "meg": {"page_size": page_size, "max_errors": 3}, + } - for modality in modalities: - cursor: str | None = None + for modality in ["eeg", "ieeg", "meg"]: + config = modality_configs[modality] + cursor = None consecutive_errors = 0 - error_cursors = set() # Track cursors that caused errors + current_page_size = config["page_size"] + print(f"Fetching {modality} datasets (page size: {current_page_size})...") while True: try: - result = client.execute( - DATASETS_QUERY, - variable_values={ + payload = { + "query": DATASETS_QUERY, + "variables": { "modality": modality, - "first": page_size, + "first": current_page_size, "after": cursor, }, - ) + } + + response = requests.post(GRAPHQL_URL, json=payload, timeout=timeout) + response.raise_for_status() + + result = response.json() + + # Check for GraphQL errors + if "errors" in result: + raise Exception(f"GraphQL Error: {result['errors'][0]['message']}") + # Reset error counter on successful fetch consecutive_errors = 0 @@ -69,44 +130,39 @@ def fetch_datasets( consecutive_errors += 1 error_msg = str(e) - # Check if it's a server-side 404 error for specific datasets - if "'Not Found'" in error_msg and cursor not in error_cursors: + # Check if it's a server-side error + if "Not Found" in error_msg or "INTERNAL_SERVER_ERROR" in error_msg: print( - f" Warning: Skipping {modality} page at cursor {cursor} due to server error (attempt {consecutive_errors}/{max_consecutive_errors})" + f" [{modality}] Server error (attempt {consecutive_errors}/{config['max_errors']})" ) - error_cursors.add(cursor) - - # Try to skip this problematic cursor by moving forward - if consecutive_errors < max_consecutive_errors: - # Try smaller page size to isolate the problematic dataset - if page_size > 10: - page_size = max(10, page_size // 2) - print( - f" Reducing page size to {page_size} to skip problematic dataset" - ) - continue - - # If we've tried multiple times, skip to next modality + + if consecutive_errors < config["max_errors"]: + print(" Skipping this batch and continuing...") + continue + + # If we've tried multiple times, move to next modality print( - f" Skipping remaining {modality} datasets after {consecutive_errors} consecutive errors" + f" [{modality}] Reached max consecutive errors, moving to next modality" ) break else: - # For other errors, log and retry with exponential backoff - print(f" Error fetching {modality} datasets: {error_msg[:200]}") - if consecutive_errors >= max_consecutive_errors: - print( - f" Too many consecutive errors ({consecutive_errors}), moving to next modality" - ) - break - continue + # For other errors, log and stop + print(f" [{modality}] Error: {error_msg[:100]}") + break + + data = result.get("data") + if not data: + print(f" [{modality}] No data in response") + break - page = result.get("datasets") + page = data.get("datasets") if not page: + print(f" [{modality}] No page data") break edges = page.get("edges", []) if not edges: + print(f" [{modality}] No edges in response") break # Process each dataset in the page @@ -115,13 +171,14 @@ def fetch_datasets( if not node: continue - # Get creation and last update dates + dataset_id = node.get("id") created = node.get("created") - latest_snapshot = node.get("latestSnapshot") - modified = latest_snapshot.get("created") if latest_snapshot else None + + # Get modified date (will be fetched separately if needed) + modified = created # Default to created date yield { - "dataset_id": node.get("id"), + "dataset_id": dataset_id, "modality": modality, "created": created, "modified": modified, @@ -130,6 +187,7 @@ def fetch_datasets( # Check if there are more pages page_info = page.get("pageInfo", {}) if not page_info.get("hasNextPage"): + print(f" [{modality}] Completed") break cursor = page_info.get("endCursor") @@ -146,18 +204,45 @@ def main() -> None: ) parser.add_argument("--page-size", type=int, default=100) parser.add_argument("--timeout", type=float, default=30.0) - parser.add_argument("--retries", type=int, default=5) + parser.add_argument( + "--fetch-modified", + action="store_true", + help="Fetch actual modified dates for each dataset (slower but complete)", + ) args = parser.parse_args() - # Fetch and save + # Fetch main dataset list datasets = list( fetch_datasets( page_size=args.page_size, timeout=args.timeout, - retries=args.retries, ) ) + # Optionally fetch actual modified dates + if args.fetch_modified: + print(f"\nFetching actual modified dates for {len(datasets)} datasets...") + batch_size = 20 # Batch 20 datasets per query + + for batch_start in range(0, len(datasets), batch_size): + batch_end = min(batch_start + batch_size, len(datasets)) + batch = datasets[batch_start:batch_end] + dataset_ids = [d["dataset_id"] for d in batch] + + # Fetch modified dates for this batch + modified_dates = fetch_batch_modified(dataset_ids, timeout=args.timeout) + + # Update datasets with fetched modified dates + for dataset in batch: + dataset_id = dataset["dataset_id"] + if dataset_id in modified_dates: + dataset["modified"] = modified_dates[dataset_id] + + if batch_end % 100 == 0 or batch_end == len(datasets): + print( + f" Fetched modified dates for {batch_end}/{len(datasets)} datasets" + ) + args.output.parent.mkdir(parents=True, exist_ok=True) with args.output.open("w", encoding="utf-8") as fh: json.dump(datasets, fh, indent=2) From 81b92a81c01d4a8f373af2b181f748ea0f9bbad5 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 17:00:53 +0100 Subject: [PATCH 22/34] scidb for later --- scripts/ingestions/1_fetch_scidb.py | 63 +++++++++++++++++++++++++---- 1 file changed, 56 insertions(+), 7 deletions(-) diff --git a/scripts/ingestions/1_fetch_scidb.py b/scripts/ingestions/1_fetch_scidb.py index e6ce78ba..fcc29a30 100644 --- a/scripts/ingestions/1_fetch_scidb.py +++ b/scripts/ingestions/1_fetch_scidb.py @@ -4,18 +4,41 @@ using the SciDB query service API. It retrieves comprehensive metadata including DOIs, CSTR identifiers, descriptions, authors, and file information. +Supports simple queries and advanced boolean queries using AND, OR, NOT operators. + Output: consolidated/scidb_datasets.json """ import argparse import json import sys -import time from pathlib import Path from typing import Any import requests +# Predefined query templates for neuroimaging research +QUERY_TEMPLATES = { + "eeg_bids": "EEG BIDS", + "neuroimaging": ("(EEG OR MEG OR iEEG OR ECoG OR EMG) AND (BIDS OR neuroimaging)"), + # TODO: Revisit query structure - SciDB may require different query syntax + # Current structure may not correctly combine boolean operators + # See: SCIDB_QUERY_TEMPLATES.md for details and testing notes + # "comprehensive": ( + # '(("EEG" OR "electroencephalography" OR "MEG" OR "magnetoencephalography" ' + # 'OR "iEEG" OR "intracranial EEG" OR "ECoG" OR "electrocorticography" ' + # 'OR "SEEG" OR "stereo EEG" OR "EMG" OR "electromyography") ' + # 'AND ' + # '("BIDS" OR "Brain Imaging Data Structure" OR "BIDS-EEG" OR "BIDS-MEG" ' + # 'OR "BIDS-iEEG" OR "BIDS specification" OR "BIDS extension" ' + # 'OR "BIDS derivatives" OR "BIDS apps" OR "BIDS validator" OR "BIDS converter")) ' + # 'OR ' + # '(("EEG-BIDS" OR "MEG-BIDS" OR "iEEG-BIDS" OR "EMG-BIDS") ' + # 'AND ' + # '("data sharing" OR "open data" OR "FAIR principles" OR "neuroimaging standardization"))' + # ), +} + def search_scidb( query: str, @@ -122,8 +145,11 @@ def search_scidb( page += 1 - # Be nice to the API - time.sleep(0.5) + # Return all if size is 0 or negative, otherwise trim to size + if size <= 0: + return all_datasets + else: + return all_datasets[:size] print(f"\nTotal datasets fetched: {len(all_datasets)}") return all_datasets[:size] # Trim to exact size @@ -245,13 +271,25 @@ def extract_dataset_info(record: dict) -> dict[str, Any]: def main() -> None: parser = argparse.ArgumentParser( - description="Fetch EEG BIDS datasets from SciDB (Science Data Bank)." + description="Fetch EEG BIDS datasets from SciDB (Science Data Bank).", + epilog="Query templates: eeg_bids, neuroimaging | TODO: Add comprehensive template after query syntax validation", ) parser.add_argument( "--query", type=str, - default="EEG BIDS", - help='Search query (default: "EEG BIDS").', + default="eeg_bids", + help=( + 'Search query or template name (default: "eeg_bids"). ' + "Available templates: eeg_bids, neuroimaging. " + "Use --list-queries to see all templates. " + "Or provide a custom query with boolean operators (AND, OR, NOT). " + "TODO: comprehensive template syntax may need adjustment for SciDB API." + ), + ) + parser.add_argument( + "--list-queries", + action="store_true", + help="List all available query templates and exit.", ) parser.add_argument( "--output", @@ -279,9 +317,20 @@ def main() -> None: args = parser.parse_args() + # Handle list-queries + if args.list_queries: + print("Available query templates:\n") + for name, query in QUERY_TEMPLATES.items(): + print(f" {name}:") + print(f" {query}\n") + sys.exit(0) + + # Resolve query template or use custom query + query = QUERY_TEMPLATES.get(args.query, args.query) + # Search SciDB records = search_scidb( - query=args.query, + query=query, size=args.size, page_size=args.page_size, public_only=not args.include_restricted, From 5e984d17a9cba568b17474012005060b5d32ff89 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 17:03:17 +0100 Subject: [PATCH 23/34] updating the fetch for zenodo --- scripts/ingestions/1_fetch_zenodo.py | 24 ++++++++++++++++-------- 1 file changed, 16 insertions(+), 8 deletions(-) diff --git a/scripts/ingestions/1_fetch_zenodo.py b/scripts/ingestions/1_fetch_zenodo.py index 984a7903..f3871457 100644 --- a/scripts/ingestions/1_fetch_zenodo.py +++ b/scripts/ingestions/1_fetch_zenodo.py @@ -1,8 +1,16 @@ -"""Fetch EEG BIDS datasets from Zenodo. +"""Fetch neuroimaging datasets from Zenodo. -This script searches Zenodo for datasets containing both "EEG" and "BIDS" keywords -using the Zenodo REST API. It retrieves comprehensive metadata including DOIs, -descriptions, file information, and download URLs. +This script searches Zenodo for datasets combining neuroimaging modalities +(EEG, MEG, iEEG, ECoG, SEEG, EMG) with BIDS standards using the Zenodo REST API. +It retrieves comprehensive metadata including DOIs, descriptions, file information, +and download URLs. + +Search Strategy: +- Modalities: EEG, electroencephalography, MEG, magnetoencephalography, iEEG, + intracranial EEG, ECoG, electrocorticography, SEEG, stereo EEG, + EMG, electromyography +- Standards: BIDS, Brain Imaging Data Structure, neuroimaging +- Logic: AND operator for balanced recall and precision Output: consolidated/zenodo_datasets.json """ @@ -398,11 +406,11 @@ def main() -> None: parser.add_argument( "--query", type=str, - default="EEG BIDS", + default='(EEG OR electroencephalography OR MEG OR magnetoencephalography OR iEEG OR "intracranial EEG" OR ECoG OR electrocorticography OR SEEG OR "stereo EEG" OR EMG OR electromyography) AND (BIDS OR "Brain Imaging Data Structure" OR neuroimaging)', help=( - 'Search query (default: "EEG BIDS" for broad matching). ' - "Note: Using explicit AND/OR operators reduces results significantly due to stricter matching. " - "The default query naturally includes EEG/MEG/iEEG/ECoG variants through fuzzy matching." + "Search query (default: comprehensive neuroimaging + BIDS for balanced recall and precision). " + "Searches across all modalities (EEG, MEG, iEEG, ECoG, SEEG, EMG) combined with BIDS standards. " + "Use quotes for multi-word terms. Example: '\"intracranial EEG\" AND BIDS'" ), ) parser.add_argument( From 2ab49630afb0c98f120d374593a49df219bc0f44 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 17:16:50 +0100 Subject: [PATCH 24/34] figure share --- scripts/ingestions/1_fetch_figshare.py | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/scripts/ingestions/1_fetch_figshare.py b/scripts/ingestions/1_fetch_figshare.py index 3e481e1e..d7ccb2d2 100644 --- a/scripts/ingestions/1_fetch_figshare.py +++ b/scripts/ingestions/1_fetch_figshare.py @@ -78,8 +78,8 @@ def search_figshare( print(f"Got {len(articles)} articles") all_articles.extend(articles) - # Check if we've reached the requested size - if len(all_articles) >= size: + # Check if we've reached the requested size (only if size > 0) + if size > 0 and len(all_articles) >= size: print(f"Reached limit ({len(all_articles)} articles)") break @@ -94,7 +94,8 @@ def search_figshare( time.sleep(0.5) print(f"\nTotal articles fetched: {len(all_articles)}") - return all_articles[:size] # Trim to exact size + # Return all articles if size=0, otherwise trim to exact size + return all_articles if size <= 0 else all_articles[:size] def get_article_details(article_id: int) -> dict[str, Any]: From 4f26ea21053590c5081f84e44328dda34c31139e Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 17:17:18 +0100 Subject: [PATCH 25/34] updating the json --- consolidated/eegmanylabs_datasets.json | 54 + consolidated/figshare_datasets.json | 1982 +++ .../figshare_datasets_detailed_test.json | 1982 +++ consolidated/figshare_datasets_test.json | 393 + consolidated/scidb_datasets.json | 13095 ++++++++++++++++ 5 files changed, 17506 insertions(+) create mode 100644 consolidated/eegmanylabs_datasets.json create mode 100644 consolidated/figshare_datasets.json create mode 100644 consolidated/figshare_datasets_detailed_test.json create mode 100644 consolidated/figshare_datasets_test.json create mode 100644 consolidated/scidb_datasets.json diff --git a/consolidated/eegmanylabs_datasets.json b/consolidated/eegmanylabs_datasets.json new file mode 100644 index 00000000..c88157cb --- /dev/null +++ b/consolidated/eegmanylabs_datasets.json @@ -0,0 +1,54 @@ +[ + { + "dataset_id": "EEGManyLabs_Replication_ClarkHillyard1996_Raw", + "full_name": "EEGManyLabs/EEGManyLabs_Replication_ClarkHillyard1996_Raw", + "description": "", + "url": "https://gin.g-node.org/EEGManyLabs/EEGManyLabs_Replication_ClarkHillyard1996_Raw", + "clone_url": "https://gin.g-node.org/EEGManyLabs/EEGManyLabs_Replication_ClarkHillyard1996_Raw.git", + "ssh_url": "git@gin.g-node.org:EEGManyLabs/EEGManyLabs_Replication_ClarkHillyard1996_Raw.git", + "stars": 0, + "forks": 0, + "updated": "", + "source": "gin", + "organization": "EEGManyLabs" + }, + { + "dataset_id": "EEGManyLabs_Replication_Eimer1996_Processed", + "full_name": "EEGManyLabs/EEGManyLabs_Replication_Eimer1996_Processed", + "description": "", + "url": "https://gin.g-node.org/EEGManyLabs/EEGManyLabs_Replication_Eimer1996_Processed", + "clone_url": "https://gin.g-node.org/EEGManyLabs/EEGManyLabs_Replication_Eimer1996_Processed.git", + "ssh_url": "git@gin.g-node.org:EEGManyLabs/EEGManyLabs_Replication_Eimer1996_Processed.git", + "stars": 0, + "forks": 0, + "updated": "", + "source": "gin", + "organization": "EEGManyLabs" + }, + { + "dataset_id": "EEGManyLabs_Replication_HajcakHolroyd2005", + "full_name": "EEGManyLabs/EEGManyLabs_Replication_HajcakHolroyd2005", + "description": "", + "url": "https://gin.g-node.org/EEGManyLabs/EEGManyLabs_Replication_HajcakHolroyd2005", + "clone_url": "https://gin.g-node.org/EEGManyLabs/EEGManyLabs_Replication_HajcakHolroyd2005.git", + "ssh_url": "git@gin.g-node.org:EEGManyLabs/EEGManyLabs_Replication_HajcakHolroyd2005.git", + "stars": 0, + "forks": 0, + "updated": "", + "source": "gin", + "organization": "EEGManyLabs" + }, + { + "dataset_id": "EEGManyLabs_Replication_Eimer1996_Raw", + "full_name": "EEGManyLabs/EEGManyLabs_Replication_Eimer1996_Raw", + "description": "", + "url": "https://gin.g-node.org/EEGManyLabs/EEGManyLabs_Replication_Eimer1996_Raw", + "clone_url": "https://gin.g-node.org/EEGManyLabs/EEGManyLabs_Replication_Eimer1996_Raw.git", + "ssh_url": "git@gin.g-node.org:EEGManyLabs/EEGManyLabs_Replication_Eimer1996_Raw.git", + "stars": 0, + "forks": 0, + "updated": "", + "source": "gin", + "organization": "EEGManyLabs" + } +] \ No newline at end of file diff --git a/consolidated/figshare_datasets.json b/consolidated/figshare_datasets.json new file mode 100644 index 00000000..18bb0895 --- /dev/null +++ b/consolidated/figshare_datasets.json @@ -0,0 +1,1982 @@ +[ + { + "dataset_id": "30227503", + "doi": "10.6084/m9.figshare.30227503.v1", + "title": "EEG Dataset for Visual Imagery", + "description": "

1.Research context

This dataset contains high-resolution EEG recordings collected from 22 healthy adult participants performing visual imagery (VI) tasks.

Participants imagined ten commonly encountered images across three semantic categories: geometric figures (circle, square, pentagram), animals (dog, fish, bird), and objects (cup, chair, watch, scissors). Each participant completed up to two sessions on separate days (\u226548 hours apart). However, sub-09 and sub-10 completed only the first session (ses-01) due to personal reasons, and thus have no available data for ses-02. Additionally, the animal imagery data of sub-08 in ses-02 was excluded from analysis because of poor signal quality, which introduced substantial noise contamination and led to unreliable classification results.

EEG was recorded with a 34-channel cap (32 active EEG channels + AFz ground + CPz reference) at 1000 Hz.

2.Data overview

Subjects: 22 healthy adults(5 females, age 20-23)

Task:

AVI(animal visual imagery): Imagine animal images(dog, fish, bird; 120 trials/session)

FVI(animal visual imagery): Imagine figure images(circle, square, pentagram; 120 trials/session)

OVI(animal visual imagery): Imagine object images(cup, chair, watch, scissors; 160 trials/session)

3. Experimental Design

The paradigm was implemented using Psychtoolbox-3 and presented on a screen with a resolution of 1920\u00d71080 pixels. Each recording session lasted between 37 and 56 minutes and comprised four VI blocks for each task category. Flexible rest periods of 2 to 4 minutes were provided between blocks to mitigate the effects of fatigue. In the figure and animal categories, each image was presented 40 times, yielding a total of 120 trials per category.

Each trial lasted 17 seconds and followed a structured sequence\uff1a

  • Fixation Cross\u200b: 3 s. A central fixation cross (\"+\") is displayed on the screen. To cue participants to remain alert and relaxed, preparing them for the trial.
  • Visual perception: 4 s. Participants are instructed to observe and memorize the image.
  • Mask: 2 s. A visual mask is briefly displayed.To eliminate any residual visual aftereffects from the presented image.
  • Visual imagery: 4 s.The screen turns black. Participants perform mental imagery of the previously shown image.
  • Rest: 4 s. The word \"Rest\" is displayed on the screen.Participants are instructed to stop any mental imagery and rest.

4.File structure

The data are organized according to the EEG-BIDS convention to maximize interoperability. Raw EEG (*.bdf) and BIDS sidecars: *_channels.tsv, *_events.tsv, *_eeg.json, etc.


", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-10-01T15:00:47Z", + "created_date": "2025-10-01T15:00:47Z", + "modified_date": "2025-10-01T15:02:02Z", + "authors": [ + { + "name": "Jing'ao Gao", + "id": 22323919, + "orcid": "0009-0004-7718-5477" + } + ], + "tags": [ + "brain\u2013computer interface (BCI)", + "visual imagery", + "EEG" + ], + "categories": [ + { + "id": 24736, + "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", + "parent_id": 24724, + "path": "/24457/24724/24736", + "source_id": "320904", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/EEG_Dataset_for_Visual_Imagery/30227503", + "api_url": "https://api.figshare.com/v2/articles/30227503", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 58328968, + "name": "sub-01.zip", + "size_bytes": 627579802, + "download_url": "https://ndownloader.figshare.com/files/58328968", + "md5": "cac3615e077e6e6ee61a874a61b855c7" + }, + { + "id": 58329043, + "name": "sub-02.zip", + "size_bytes": 514200571, + "download_url": "https://ndownloader.figshare.com/files/58329043", + "md5": "8ffb18f780080a5bea08fa0fed2947e4" + }, + { + "id": 58329064, + "name": "sub-03.zip", + "size_bytes": 529205614, + "download_url": "https://ndownloader.figshare.com/files/58329064", + "md5": "7e0e7b2a2dd97e75a3960064388f1f1a" + }, + { + "id": 58329169, + "name": "sub-04.zip", + "size_bytes": 460800934, + "download_url": "https://ndownloader.figshare.com/files/58329169", + "md5": "14cd26bc910acf23b859dbcfc948c2db" + }, + { + "id": 58329229, + "name": "sub-05.zip", + "size_bytes": 550239127, + "download_url": "https://ndownloader.figshare.com/files/58329229", + "md5": "cc18d93412f6ce377803ecb45dea4cac" + }, + { + "id": 58329265, + "name": "sub-06.zip", + "size_bytes": 531052214, + "download_url": "https://ndownloader.figshare.com/files/58329265", + "md5": "970ad0e72bcf43a66cdec1078d9474c8" + }, + { + "id": 58329289, + "name": "sub-07.zip", + "size_bytes": 578747124, + "download_url": "https://ndownloader.figshare.com/files/58329289", + "md5": "5091b499668ca5de2329772803268852" + }, + { + "id": 58336849, + "name": "sub-09.zip", + "size_bytes": 276612863, + "download_url": "https://ndownloader.figshare.com/files/58336849", + "md5": "c454e75572614f31a9c313bb0857efbd" + }, + { + "id": 58336852, + "name": "sub-10.zip", + "size_bytes": 312132554, + "download_url": "https://ndownloader.figshare.com/files/58336852", + "md5": "d0a83f3b2ed67da0cc1088c7af3f4560" + }, + { + "id": 58337044, + "name": "sub-11.zip", + "size_bytes": 638262513, + "download_url": "https://ndownloader.figshare.com/files/58337044", + "md5": "fb1c08ee849ace8d30988e32630be165" + } + ], + "file_count": 10, + "total_size_mb": 4786.33, + "source": "figshare" + }, + { + "dataset_id": "29987758", + "doi": "10.6084/m9.figshare.29987758.v2", + "title": "EEG dataset for multi-class Chinese character stroke and pinyin vowel handwriting imagery (16 subjects, CCS-HI & SV-HI)", + "description": "

Version History

Version 2.0 (October 15, 2025)

  • Event label correction: Corrected a scaling inconsistency in the event tags within the file sub-13_ses-02_task-CCSHI_eeg.bdf. The event codes now correctly align with the task paradigm's coding logic.
  • Metadata update: Corrected the handedness metadata for participant sub-06 in participants. tsv from \"L\" to \"R\", to address a typographical error in the original metadata.
  • Quality assurance: The entire dataset underwent a full BIDS validation following these modifications to confirm compliance with the BIDS standard.

No changes to the associated study's results or conclusions are necessitated by these updates.

1. Research Context

This dataset addresses a critical gap in Brain-Computer Interface (BCI) research: most existing resources focus on English-language tasks or simple motor imagery, while Chinese character strokes and Pinyin monophthong handwriting remain understudied. By providing data for two complementary handwriting imagery tasks\u2014

Chinese Character Stroke Handwriting Imagery (CCS-HI): Imagining writing 5 basic Chinese character strokes( \u4e00,\u4e28,\u4e3f,\u31cf,\u3125) ;

Pinyin Single Vowel Handwriting Imagery (SV-HI): Imagining writing 6 Pinyin monophthongs (a, o, e, i, u, \u00fc)\u2014

we enable investigations into:

The neural mechanisms of handwriting imagery for Chinese strokes vs. Pinyin characters;

Cross-session generalization (a critical challenge for real-world BCI deployment).

2. Data Overview

Subjects: 16 healthy adults (3 females, age 22\u201332, right-handed, no neurological disorders). Note: In Version 2.0, handedness for one subject was corrected from \u201cL\u201d to \u201cR\u201d to reflect accurate right-handedness; all participants remain confirmed as right-handed.

Tasks:

CCS-HI: Imagine writing 5 Chinese strokes (\u4e00\uff0c\u4e28\uff0c\u4e3f\uff0c\u31cf, \u3125\uff1b200 trials/session).

SV-HI: Imagine writing 6 Pinyin monophthongs (a, o, e, i, u, \u00fc; 240 trials/session).

Sessions: 2 independent sessions (\u226524 hours apart).

Session 1: Used for training and 5-fold cross-validation.

Session 2: Held out as an independent test set for cross-session evaluation.

3. Experimental Design

3.1 Pre-Experiment Preparation

Prior to data collection, all subjects were fully informed of the experimental protocol (including task requirements and response methods) and shown a demonstration video of handwriting imagery tasks to ensure understanding. Written informed consent was obtained from all participants.

3.2 EEG Acquisition

Device: Neuracle NeuSenW amplifier with a 32-channel Ag/AgCl electrode cap.

Electrode Layout: Strictly following the international 10-10 system. Detailed 3D coordinates and nomenclature of each electrode are provided in the accompanying electrodes.tsv file.

Sampling Rate: 1000 Hz (downsampled to 250 Hz during preprocessing).

Electrode Impedance: Maintained below 10 k\u03a9 for all channels during recording.

Calibration: All equipment was professionally calibrated before the experiment to ensure data quality and reproducibility.

3.3 Task Paradigm

3.2.1 General Trial Structure (CCS-HI & SV-HI)

Each single trial included four sequential phases, with the total duration varying slightly by task:

1. Fixation + Auditory Cue: 2 seconds

A white fixation cross was displayed on a black screen to stabilize subjects\u2019 attention;

An auditory beep (500 Hz, 100 ms) was synchronized with the start of the cross, serving as a trial initiation signal.

2. Task Cue Phase: Duration differs by task (key distinction)

2.1 For CCS-HI: 2.8 seconds

A dynamic animation of the target Chinese character stroke (e.g., \u4e00\uff0c\u4e28) was played, demonstrating the stroke\u2019s writing trajectory.

2.2 For SV-HI: 3.2 seconds

A dynamic animation of the target Pinyin monophthong (e.g., a, o) was played; the extended duration was designed to accommodate the relatively higher complexity of visualizing Pinyin character shapes.

3. Handwriting Imagery Phase: 4 seconds

Subjects were instructed to imagine writing the target stroke (CCS-HI) or Pinyin monophthong (SV-HI) following the trajectory shown in the task cue, without any actual limb movement.

4. Rest Interval: 3 seconds

A blank black screen was presented to allow subjects to recover and reset attention for the next trial.

3.2.2 Trial Duration Summary

  • Total duration per trial (CCS-HI): 2 s (fixation) + 2.8 s (cue) + 4 s (imagery) + 3 s (rest) = 11.8 seconds.
  • Total duration per trial (SV-HI): 2 s (fixation) + 3.2 s (cue) + 4 s (imagery) + 3 s (rest) = 12.2 seconds.

4. Preprocessing & Trial Integrity

The publicly released dataset contains raw EEG data (no preprocessing); preprocessing (via MNE-Python, code in code folder) was only conducted for model training/testing: 1\u201340 Hz Butterworth bandpass filtering + 50 Hz notch filtering for noise reduction, manual bad channel labeling (EEGLAB) and spherical spline interpolation (per BIDS _channels.tsv), downsampling from 1000 Hz to 250 Hz, z-score normalization per trial, and epoch extraction of the 0\u20134 s imagery period (for both tasks). Trial integrity checks confirmed most sessions met standards (200 trials/session for CCS-HI, 240 for SV-HI), with two exceptions: Subject 06 (SV-HI, Ses-2: 225 trials, trigger error) and Subject 13 (CCS-HI, Ses-2: 162 trials, fatigue). All retained trials passed quality checks, and missing trials were evenly distributed across categories (max deviation \u22642 trials, <5% threshold), so no class balancing was needed.


5. File Structure (BIDS-Compliant)

Following corrections to event labels and participant metadata in Version 2.0, the dataset underwent full BIDS compliance re-verification to ensure data structure and metadata consistency.

The dataset follows the BIDS standard: the root directory stores core metadata (e.g., dataset_description.json for dataset info, participants.tsv for demographics, electrodes.tsv for 32-channel 10-10 system coordinates, task-specific _events.json), 16 subject folders (e.g., sub-01) each contain ses-01/ses-02 with eeg/ subfolders (by CCS-HI/SV-HI tasks) holding _channels.tsv (bad channels), _eeg.bdf (raw Neuracle EEG), _eeg.json (acquisition params), _events.tsv (task alignment); supplementary folders include stimuli (visual cues) and code (preprocessing/model scripts with docs).

6. Usage & Citation

6.1 Data Access & Extraction

The HI-EEG dataset (CCS-HI/SV-HI tasks) is available via Figshare: https://doi.org/10.6084/m9.figshare.29987758(raw data access). To ensure successful decompression of the split-volume compressed files, follow these guidelines:

  • File Composition: The dataset is split into 4 interlinked files (all required for full extraction):

1. Main archive: `CCS-SV-HI-EEG_BIDS.zip`

2. Split volumes: `CCS-SV-HI-EEG_BIDS.z01`, `CCS-SV-HI-EEG_BIDS.z02`, `CCS-SV-HI-EEG_BIDS.z03`

  • Pre-Extraction Requirement: Download all 4 files and place them in the **same directory** (do not rename files or move them to subfolders).
  • Tool & Operation:

1. Use split-volume compatible software (RECOMMENDED: 7-Zip, open-source & free: https://www.7-zip.org/; avoid default system extractors like Windows Explorer/macOS Archive Utility).

2. Double-click the main `.zip` file (`CCS-SV-HI-EEG_BIDS.zip`) \u2014 the software will automatically merge `.z01`\u2013`.z03` into the full BIDS folder (matching the structure described in Section 5).

  • Critical Note: Extraction will fail if any split file is missing; the decompressed folder retains the BIDS structure (no additional organization needed).


6.2 Trial Integrity & Usage Details

Note two trial integrity details: sub-06 (SV-HI, ses-02) retains 225 trials (15 missing, trigger sync error) and sub-13 (CCS-HI, ses-02) retains 162 trials (38 missing, subject fatigue)\u2014missing trials are evenly distributed across categories (max deviation \u22642 trials, <5% imbalance, no class balancing needed).


For data loading/analysis, use EEGLAB (MATLAB) or MNE-Python 1.7.0 (Python); for decoding, use scikit-learn 1.6.1 or PyTorch 2.0.0+cu117 (all verified versions). Related code is in the repository\u2019s code directory; refer to the README in code for environment configuration and script workflow.


6.3 Citation

Cite the associated publication (DOI to be added) when using this dataset.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-09-19T15:59:05Z", + "created_date": "2025-09-19T15:59:06Z", + "modified_date": "2025-09-19T15:59:06Z", + "authors": [ + { + "name": "Fan Wang", + "id": 22125886, + "orcid": "" + } + ], + "tags": [ + "EEG dataset, Electroencephalography (EEG), Brain-Computer Interface (BCI), Motor imagery, Handwriting imagery, Chinese Character Stroke Handwriting Imagery, Pinyin Single Vowel Handwriting Imagery, BIDS, Neural decoding, Cross-session generalization" + ], + "categories": [ + { + "id": 24736, + "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", + "parent_id": 24724, + "path": "/24457/24724/24736", + "source_id": "320904", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/_b_EEG_dataset_for_multi-class_Chinese_character_stroke_and_pinyin_vowel_handwriting_imagery_16_subjects_CCS-HI_SV-HI_b_/29987758", + "api_url": "https://api.figshare.com/v2/articles/29987758", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 58098019, + "name": "CCS-SV-HI-EEG_BIDS.z01", + "size_bytes": 2147483648, + "download_url": "https://ndownloader.figshare.com/files/58098019", + "md5": "d5de1e8c986b11dbe03eba44f411a210" + }, + { + "id": 58098085, + "name": "CCS-SV-HI-EEG_BIDS.z02", + "size_bytes": 2147483648, + "download_url": "https://ndownloader.figshare.com/files/58098085", + "md5": "5ee65f275c2441bcb582ce75359b73d9" + }, + { + "id": 58098535, + "name": "CCS-SV-HI-EEG_BIDS.z03", + "size_bytes": 2147483648, + "download_url": "https://ndownloader.figshare.com/files/58098535", + "md5": "b08f2e60a0f6873730edecad17122211" + }, + { + "id": 58098733, + "name": "CCS-SV-HI-EEG_BIDS.zip", + "size_bytes": 935865017, + "download_url": "https://ndownloader.figshare.com/files/58098733", + "md5": "193d407fd44e41bac94064f34f2d541a" + } + ], + "file_count": 4, + "total_size_mb": 7036.51, + "source": "figshare" + }, + { + "dataset_id": "28740260", + "doi": "10.6084/m9.figshare.28740260.v3", + "title": "Enhancing classification of a large lower-limb motor imagery EEG dataset for BCI in knee pain patients", + "description": "

We present the first large-scale, standardized EEG dataset (30 patients, 150 sessions, 15,000 trials) specifically designed for lower-limb motor imagery (MI) in knee pain patients, addressing a critical gap in clinical BCI research. Chronic knee pain alters cortical plasticity, yet our data demonstrate preserved MI capability in patients\u2014a finding with direct implications for rehabilitation BCI development. Our proposed Optimal Time-Frequency Window Riemannian Geometric Distance (OTFWRGD) algorithm achieves 86.41% classification accuracy, significantly outperforming traditional methods (CSP+LDA: 51.43%; FBCSP+SVM: 55.71%; EEGNet: 76.21%). The dataset adheres to EEG-BIDS standards and is fully accessible via Figshare, including raw/preprocessed EEG, stimuli, and analysis code.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-06-20T07:03:15Z", + "created_date": "2025-06-20T07:03:15Z", + "modified_date": "2025-08-06T06:22:04Z", + "authors": [ + { + "name": "Chongwen Zuo", + "id": 21546541, + "orcid": "" + } + ], + "tags": [ + "Brain Computer Interface in Rehabilitation", + "motor imagery EEG signals", + "Electroencephalogram wavelet analysis", + "Machine learning algorighms" + ], + "categories": [ + { + "id": 29161, + "title": "Deep learning", + "parent_id": 29152, + "path": "/28798/29152/29161", + "source_id": "461103", + "taxonomy_id": 100 + }, + { + "id": 27031, + "title": "Rehabilitation", + "parent_id": 27004, + "path": "/27001/27004/27031", + "source_id": "420109", + "taxonomy_id": 100 + }, + { + "id": 24739, + "title": "Neurology and neuromuscular diseases", + "parent_id": 24724, + "path": "/24457/24724/24739", + "source_id": "320905", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/Enhancing_classification_of_a_large_lower-limb_motor_imagery_EEG_dataset_for_BCI_in_knee_pain_patients/28740260", + "api_url": "https://api.figshare.com/v2/articles/28740260", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 53639936, + "name": "dataset_description.json", + "size_bytes": 2319, + "download_url": "https://ndownloader.figshare.com/files/53639936", + "md5": "8bdbc04333db1556efff4b143b3763f1" + }, + { + "id": 53639939, + "name": "Task-motor-imagery_channels.tsv", + "size_bytes": 714, + "download_url": "https://ndownloader.figshare.com/files/53639939", + "md5": "24908f3ccc7b6580d93c248d05953f49" + }, + { + "id": 53639948, + "name": "Task-motor-imagery_coordsystem.json", + "size_bytes": 361, + "download_url": "https://ndownloader.figshare.com/files/53639948", + "md5": "94654141207c04ceb2aa215b28bd6c18" + }, + { + "id": 53639951, + "name": "Task-motor-imagery_eeg.json", + "size_bytes": 558, + "download_url": "https://ndownloader.figshare.com/files/53639951", + "md5": "62411ce9d08bf6837299f9ee872e0d16" + }, + { + "id": 53639957, + "name": "Task-motor-imagery_events.json", + "size_bytes": 952, + "download_url": "https://ndownloader.figshare.com/files/53639957", + "md5": "fdb6b07352d03e92927d7af489240600" + }, + { + "id": 53639960, + "name": "README.md", + "size_bytes": 7464, + "download_url": "https://ndownloader.figshare.com/files/53639960", + "md5": "ad976564c45901801f2c5cca5a97969e" + }, + { + "id": 53639963, + "name": "Right-Leg.mp4", + "size_bytes": 608477, + "download_url": "https://ndownloader.figshare.com/files/53639963", + "md5": "a0fd3a82e751c3bf5a05b9593c83aef3" + }, + { + "id": 53639966, + "name": "Left-Leg.mp4", + "size_bytes": 566258, + "download_url": "https://ndownloader.figshare.com/files/53639966", + "md5": "454fe7b9f9946e6fb0d843cf4b62a105" + }, + { + "id": 53639969, + "name": "REST.jpg", + "size_bytes": 18293, + "download_url": "https://ndownloader.figshare.com/files/53639969", + "md5": "ad6a3b2a032b7582239de5bcc0b30d94" + }, + { + "id": 53639972, + "name": "Red_Ball.JPG", + "size_bytes": 20667, + "download_url": "https://ndownloader.figshare.com/files/53639972", + "md5": "a4c9257b5859107634bd708463e67e60" + } + ], + "file_count": 10, + "total_size_mb": 1.17, + "source": "figshare" + }, + { + "dataset_id": "28169963", + "doi": "10.6084/m9.figshare.28169963.v1", + "title": "Example manifest for the BIDS Siena Scalp EEG Database for evaluation with the SzCORE framework.", + "description": "

This is a manifest that describe which patients and runs are used across train/dev/test sets when using SzCORE evaluation (Dan et al., 2024) with this dataset.

References:

Dan, J., Pale, U., Amirshahi, A., Cappelletti, W., Ingolfsson, T. M., Wang, X., Cossettini, A., Bernini, A., Benini, L., Beniczky, S., Atienza, D., & Ryvlin, P. (2024). SzCORE: Seizure Community Open\u2010Source Research Evaluation framework for the validation of electroencephalography \u2010based automated seizure detection algorithms. Epilepsia, epi.18113. https://doi.org/10.1111/epi.18113

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-06-16T06:34:46Z", + "created_date": "2025-06-16T06:34:46Z", + "modified_date": "2025-06-16T06:34:47Z", + "authors": [ + { + "name": "Johnson Zhou", + "id": 19371541, + "orcid": "0009-0001-9030-3624" + } + ], + "tags": [ + "seizure detection performance" + ], + "categories": [ + { + "id": 24736, + "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", + "parent_id": 24724, + "path": "/24457/24724/24736", + "source_id": "320904", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/Example_manifest_for_the_BIDS_Siena_Scalp_EEG_Database_for_evaluation_with_the_SzCORE_framework_/28169963", + "api_url": "https://api.figshare.com/v2/articles/28169963", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 55402895, + "name": "siena.yaml", + "size_bytes": 6331, + "download_url": "https://ndownloader.figshare.com/files/55402895", + "md5": "f21b2aaba168598b78ef17bc2f5708ab" + } + ], + "file_count": 1, + "total_size_mb": 0.01, + "source": "figshare" + }, + { + "dataset_id": "27301629", + "doi": "10.6084/m9.figshare.27301629.v1", + "title": "An EEG-EMG Dataset from a Standardized Reaching Task for Biomarker Research in Upper Limb Assessment", + "description": "This work introduces a bimodal dataset designed to explore electrophysiological biomarkers for assessing assistive technologies in neurorehabilitation. Data were collected from 40 healthy participants performing 10 repetitions of three standardized reaching tasks assisted by an upper-limb exoskeleton. To standardize and simulate natural upper-limb movements relevant to daily activities, a custom-designed touch panel was used. High-density EEG (hd-EEG) and surface EMG (sEMG) were recorded to capture neuromechanical responses.\nThe dataset adheres to Brain Imaging Data Structure (BIDS) standard, in alignment with FAIR principles. We provide subject-level analyses of event-related spectral perturbation (ERSP), inter-trial coherence (ITC), and event-related synchronization/desynchronization (ERS/ERD) for EEG, along with time- and frequency-domain decomposition for EMG.\nBeyond evaluating assistive technologies, this dataset can be used for biosignal processing research, particularly for artifact removal and denoising techniques. It is also valuable for machine learning-based feature extraction, classification, and studying neuromechanical modulations during goal-oriented movements. Additionally, it can support research on human-robot interaction in non-clinical settings, hybrid brain-computer interfaces (BCIs) for robotic control and biomechanical modeling of upper-limb movements.", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-05-21T07:01:58Z", + "created_date": "2025-05-21T07:01:58Z", + "modified_date": "2025-05-21T07:01:59Z", + "authors": [ + { + "name": "Florencia Garro", + "id": 19947215, + "orcid": "0000-0001-8845-0281" + }, + { + "name": "Elena Fenoglio", + "id": 19947224, + "orcid": "0009-0002-2779-6574" + }, + { + "name": "Indya Ceroni", + "id": 19947230, + "orcid": "0000-0003-1251-1185" + }, + { + "name": "Inna Forsiuk", + "id": 19947239, + "orcid": "" + }, + { + "name": "Michele Canepa", + "id": 19958176, + "orcid": "0000-0002-6168-0332" + }, + { + "name": "Michael Mozzon", + "id": 19947248, + "orcid": "" + }, + { + "name": "Agnese Bruschi", + "id": 19947278, + "orcid": "" + }, + { + "name": "Francesco Zippo", + "id": 19947340, + "orcid": "" + }, + { + "name": "Matteo Laffranchi", + "id": 19958177, + "orcid": "0000-0003-1189-281X" + }, + { + "name": "Lorenzo De Michieli", + "id": 19958194, + "orcid": "0000-0001-7158-3002" + }, + { + "name": "Stefano Buccelli", + "id": 6924944, + "orcid": "" + }, + { + "name": "Michela Chiappalone", + "id": 19958197, + "orcid": "0000-0003-1427-5147" + }, + { + "name": "Marianna Semprini", + "id": 19947527, + "orcid": "0000-0001-5504-0251" + } + ], + "tags": [ + "Human Machine Interaction", + "assistive technology", + "Motor control", + "signal processing" + ], + "categories": [ + { + "id": 536, + "title": "Biomedical Engineering not elsewhere classified", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 535, + "title": "Rehabilitation Engineering", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 566, + "title": "Signal Processing", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 151, + "title": "Biomarkers", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC BY", + "url": "https://springernature.figshare.com/articles/dataset/An_EEG-EMG_Dataset_from_a_Standardized_Reaching_Task_for_Biomarker_Research_in_Upper_Limb_Assessment/27301629", + "api_url": "https://api.figshare.com/v2/articles/27301629", + "resource_title": "An EEG-EMG dataset from a standardized reaching task for biomarker research in upper limb assessment", + "resource_doi": "10.1038/s41597-025-05042-4", + "files": [ + { + "id": 49987098, + "name": "dataset_description.json", + "size_bytes": 790, + "download_url": "https://ndownloader.figshare.com/files/49987098", + "md5": "ffae34d599528e8cf07c8babfcec0360" + }, + { + "id": 49987101, + "name": "code.zip", + "size_bytes": 31389, + "download_url": "https://ndownloader.figshare.com/files/49987101", + "md5": "ce00a9cfe860f26483e51590106f8885" + }, + { + "id": 49987440, + "name": "participants.tsv", + "size_bytes": 765, + "download_url": "https://ndownloader.figshare.com/files/49987440", + "md5": "5d4c4189929630c3433e593cc308dcc3" + }, + { + "id": 49987443, + "name": "Derivatives.zip", + "size_bytes": 19095668221, + "download_url": "https://ndownloader.figshare.com/files/49987443", + "md5": "fe84f389a09af9c00824e7298af5b387" + }, + { + "id": 49987452, + "name": "README.txt", + "size_bytes": 348, + "download_url": "https://ndownloader.figshare.com/files/49987452", + "md5": "919cbe3d50f05556d05e6b92f1377fe5" + }, + { + "id": 49987455, + "name": "sub-01.zip", + "size_bytes": 331789106, + "download_url": "https://ndownloader.figshare.com/files/49987455", + "md5": "97de3022b180214d5e8314b99aeb7f4e" + }, + { + "id": 49987458, + "name": "sub-02.zip", + "size_bytes": 257838297, + "download_url": "https://ndownloader.figshare.com/files/49987458", + "md5": "0596ccaf757eaebec4e1361aaf572906" + }, + { + "id": 49987461, + "name": "sub-03.zip", + "size_bytes": 311044434, + "download_url": "https://ndownloader.figshare.com/files/49987461", + "md5": "893a4a3c236fb4153666b1b192d5b1cd" + }, + { + "id": 49987464, + "name": "sub-04.zip", + "size_bytes": 407679289, + "download_url": "https://ndownloader.figshare.com/files/49987464", + "md5": "eea5feed53f0f0470a8d876f3f450f28" + }, + { + "id": 49987467, + "name": "sub-05.zip", + "size_bytes": 280786858, + "download_url": "https://ndownloader.figshare.com/files/49987467", + "md5": "0076a105de6a95b7e23b83290aefafb4" + } + ], + "file_count": 10, + "total_size_mb": 19726.6, + "source": "figshare" + }, + { + "dataset_id": "25192793", + "doi": "10.6084/m9.figshare.25192793.v1", + "title": "Dynamic Causal Modelling of Face Processing with fMRI and M/EEG", + "description": "

This dataset consists of BIDS-formatted fMRI and M/EEG data from Wakeman & Henson (2015) that have been processed for DCM analysis. Multimodal data from fMRI, EEG, MEG magnetometers and MEG planar gradiometers from all 16 subjects have been processed with the analysis pipeline presented in Henson et al (2019). This dataset was prepared for demonstration of group-level estimation and inference of DCMs from fMRI and M/EEG data. The raw data can be found here: https://openneuro.org/datasets/ds000117

fMRI data is provided in two formats:

  1. fMRI_ProcessedData_Individual_Runs.tar.xz contains processed data per run per participant, about 8.9GB total.
  2. fMRI_DCMreadyData_VOI_TimeCourses.tar contains VOI time courses for 3 regions - bilateral EVC, and left and right FFA, obtained after reparametrizing and concatenating processed data per run. This totals up to about 440MB.

M/EEG data consists of averaged evoked sensor data for two conditions - faces and scrambled faces. Individual subjects' T1 images were used for creating head models. Forward models (leadfields) for all subjects are included in the dataset, which is provided in two formats:

  1. MEEG_DCMreadyData_with_GainMatrix.tar.xz consists of sensor data and leadfields - sufficient for inverting MEG, but not EEG data since forward models for the latter need BEM surfaces. This is compact, about 390MB.
  2. MEEG_DCMreadyData_with_GainMatrix_BEM.tar.xz consists of sensor data, leadfields and BEM surfaces - can be used for inverting either MEG or EEG data. This is considerably larger in size, about 2.5GB.

All four data packages listed above have corresponding file lists for inspection, as well as SHA256 and MD5 checksums for verification of data integrity. Note that the data are highly compressed and will expand to about twice their size on decompression. Please use 7zip on Windows or `tar -xvf filename` on Linux to extract. Scripts used to produce this dataset from the raw data, as well as as scripts demonstrating group DCM analysis can be found here: https://github.com/pranaysy/MultimodalDCM.

For more information or queries, please get in touch, or open an issue on the GitHub repository linked above.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2024-02-08T22:21:26Z", + "created_date": "2024-02-08T22:21:26Z", + "modified_date": "2024-02-08T22:21:26Z", + "authors": [ + { + "name": "Pranay Yadav", + "id": 13795687, + "orcid": "" + }, + { + "name": "Rik Henson", + "id": 6288980, + "orcid": "" + } + ], + "tags": [ + "dynamic causal modeling (DCM)", + "Dynamic Causal Model", + "Face Processing", + "MEG Data", + "Inverse Modelling", + "EEG Data", + "SPM12", + "Tutorial", + "Computational Modelling", + "Bayesian modelling and inference", + "BIDS format", + "Neuroscience", + "fMRI Data", + "BOLD imaging", + "Open Science", + "Open Source", + "Generative Modelling", + "Biophysical Modelling", + "Jansen-Rit", + "neurophysiology and the brain" + ], + "categories": [ + { + "id": 24736, + "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", + "parent_id": 24724, + "path": "/24457/24724/24736", + "source_id": "320904", + "taxonomy_id": 100 + }, + { + "id": 30334, + "title": "Cognitive neuroscience", + "parent_id": 30325, + "path": "/30292/30325/30334", + "source_id": "520203", + "taxonomy_id": 100 + }, + { + "id": 24208, + "title": "Bioinformatics and computational biology not elsewhere classified", + "parent_id": 24181, + "path": "/24130/24181/24208", + "source_id": "310299", + "taxonomy_id": 100 + }, + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + }, + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + } + ], + "license": "Apache 2.0", + "url": "https://figshare.com/articles/dataset/Dynamic_Causal_Modelling_of_Face_Processing_with_fMRI_and_M_EEG/25192793", + "api_url": "https://api.figshare.com/v2/articles/25192793", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 44476757, + "name": "fMRI_DCMreadyData_VOI_TimeCourses.tar.xz", + "size_bytes": 464080424, + "download_url": "https://ndownloader.figshare.com/files/44476757", + "md5": "95aa721b5a143eec9d1902955d85cea4" + }, + { + "id": 44477318, + "name": "fMRI_DCMreadyData_VOI_TimeCourses_FileList.txt", + "size_bytes": 6328, + "download_url": "https://ndownloader.figshare.com/files/44477318", + "md5": "5d89d50c59a6a4f0de5d1dad4400c4ca" + }, + { + "id": 44476754, + "name": "MEEG_DCMreadyData_with_GainMatrix.tar.xz", + "size_bytes": 409096144, + "download_url": "https://ndownloader.figshare.com/files/44476754", + "md5": "f3b58c7eb9540c78b52bed790dd7695f" + }, + { + "id": 44477327, + "name": "MEEG_DCMreadyData_with_GainMatrix_FileList.txt", + "size_bytes": 5820, + "download_url": "https://ndownloader.figshare.com/files/44477327", + "md5": "0b157a6cde51d1cc44983e91a64339ca" + }, + { + "id": 44476886, + "name": "fMRI_ProcessedData_Individual_Runs.tar.xz", + "size_bytes": 9514845812, + "download_url": "https://ndownloader.figshare.com/files/44476886", + "md5": "c56267f7eae40f0f5c522e2b5408259c" + }, + { + "id": 44477321, + "name": "fMRI_ProcessedData_Individual_Runs_FileList.txt", + "size_bytes": 31212, + "download_url": "https://ndownloader.figshare.com/files/44477321", + "md5": "ffb4e48f1c034856b10f96bf63ac67e5" + }, + { + "id": 44476769, + "name": "MEEG_DCMreadyData_with_GainMatrix_BEM.tar.xz", + "size_bytes": 2702628888, + "download_url": "https://ndownloader.figshare.com/files/44476769", + "md5": "eb2dc0fd42ff40b88f58314370b811d5" + }, + { + "id": 44477324, + "name": "MEEG_DCMreadyData_with_GainMatrix_BEM_FileList.txt", + "size_bytes": 9688, + "download_url": "https://ndownloader.figshare.com/files/44477324", + "md5": "57361d3344733b3f9ee4bd137f713f7e" + }, + { + "id": 44477174, + "name": "Checksums_SHA256.txt", + "size_bytes": 433, + "download_url": "https://ndownloader.figshare.com/files/44477174", + "md5": "76472236511bf7ad3a05793881fc1945" + }, + { + "id": 44477177, + "name": "Cheksums_MD5.txt", + "size_bytes": 305, + "download_url": "https://ndownloader.figshare.com/files/44477177", + "md5": "abc23529ae4eef8187099ae85c01f4f2" + } + ], + "file_count": 10, + "total_size_mb": 12484.27, + "source": "figshare" + }, + { + "dataset_id": "25037045", + "doi": "10.6084/m9.figshare.25037045.v4", + "title": "Movie annotations for: Multimodal single-neuron, intracranial EEG, and fMRI brain responses during movie watching in human patients", + "description": "

Movie annotations for the manuscript: \"Multimodal brain responses during movie watching: single-neuron, intracranial EEG, and fMRI in human patients\"

Authors: Umit Keles, Julien Dubois, Kevin J. M. Le, J. Michael Tyszka, David A. Kahn, Chrystal M. Reed, Jeffrey M. Chung, Adam N. Mamelak, Ralph Adolphs, Ueli Rutishauser

Abstract: We present a multimodal dataset of intracranial recordings, fMRI, and eye tracking in 20 participants during movie watching. Recordings consist of single neurons, local field potential, and intracranial EEG activity acquired from depth electrodes targeting the amygdala, hippocampus, and medial frontal cortex implanted for monitoring of epileptic seizures. Participants watched an 8-min long excerpt from the video \"Bang! You're Dead\" and performed a recognition memory test for movie content. 3\u2009T fMRI activity was recorded prior to surgery in 11 of these participants while performing the same task. This NWB- and BIDS-formatted dataset includes spike times, field potential activity, behavior, eye tracking, electrode locations, demographics, and functional and structural MRI scans. For technical validation, we provide signal quality metrics, assess eye tracking quality, behavior, the tuning of cells and high-frequency broadband power field potentials to familiarity and event boundaries, and show brain-wide inter-subject correlations for fMRI. This dataset will facilitate the investigation of brain activity during movie watching, recognition memory, and the neural basis of the fMRI-BOLD signal.

This dataset accompanies the following data descriptor: Keles, U., Dubois, J., Le, K.J.M., Tyszka, J.M., Kahn, D.A., Reed, C.M., Chung, J.M., Mamelak, A.N., Adolphs, R. and Rutishauser, U. Multimodal single-neuron, intracranial EEG, and fMRI brain responses during movie watching in human patients. Sci Data 11, 214 (2024). https://doi.org/10.1038/s41597-024-03029-1

Related code: https://github.com/rutishauserlab/bmovie-release-NWB-BIDS

Intracranial recording data: https://dandiarchive.org/dandiset/000623

fMRI data: https://openneuro.org/datasets/ds004798/


", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2024-01-30T21:17:01Z", + "created_date": "2024-01-30T21:17:01Z", + "modified_date": "2024-02-27T20:41:49Z", + "authors": [ + { + "name": "Umit Keles", + "id": 17821706, + "orcid": "" + }, + { + "name": "Julien Dubois", + "id": 351876, + "orcid": "" + }, + { + "name": "Kevin J. M. Le", + "id": 17821725, + "orcid": "" + }, + { + "name": "J. Michael Tyszka", + "id": 4523851, + "orcid": "" + }, + { + "name": "David A. Kahn", + "id": 11534227, + "orcid": "" + }, + { + "name": "Chrystal M. Reed", + "id": 5011316, + "orcid": "" + }, + { + "name": "Jeffrey M. Chung", + "id": 5011319, + "orcid": "" + }, + { + "name": "Adam N. Mamelak", + "id": 281705, + "orcid": "" + }, + { + "name": "Ralph Adolphs", + "id": 217684, + "orcid": "" + }, + { + "name": "Ueli Rutishauser", + "id": 686011, + "orcid": "" + } + ], + "tags": [ + "movie watching" + ], + "categories": [ + { + "id": 30334, + "title": "Cognitive neuroscience", + "parent_id": 30325, + "path": "/30292/30325/30334", + "source_id": "520203", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/Movie_annotations_for_the_manuscript_Multimodal_brain_responses_during_movie_watching_single-neuron_intracranial_EEG_and_fMRI_in_human_patients_/25037045", + "api_url": "https://api.figshare.com/v2/articles/25037045", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 44169479, + "name": "short_faceannots.pkl", + "size_bytes": 3425448, + "download_url": "https://ndownloader.figshare.com/files/44169479", + "md5": "09bd7eadf825a430499ec8050bdaad45" + }, + { + "id": 44169482, + "name": "scenecut_info.csv", + "size_bytes": 4399, + "download_url": "https://ndownloader.figshare.com/files/44169482", + "md5": "29d6b38f08cc0d9b3bf90ca8973440b5" + }, + { + "id": 44169485, + "name": "scanner_questionnaire.csv", + "size_bytes": 685, + "download_url": "https://ndownloader.figshare.com/files/44169485", + "md5": "dea1d613df915daeb76ee93a9d6955ba" + } + ], + "file_count": 3, + "total_size_mb": 3.27, + "source": "figshare" + }, + { + "dataset_id": "22260892", + "doi": "10.3389/fnbeh.2023.1147140.s001", + "title": "Data_Sheet_1_Neural mechanisms of expert persuasion on willingness to pay for sugar.pdf", + "description": "

Introduction: Sugar consumption is associated with many negative health consequences. It is, therefore, important to understand what can effectively influence individuals to consume less sugar. We recently showed that a healthy eating call by a health expert can significantly decrease the willingness to pay (WTP) for sugar-containing food. Here, we investigate which aspects of neural responses to the same healthy eating call can predict the efficacy of expert persuasion.

Methods: Forty-five healthy participants performed two blocks of a bidding task, in which they had to bid on sugar-containing, sugar-free and non-edible products, while their electroencephalography (EEG) was recorded. In between the two blocks, they listened to a healthy eating call by a nutritionist emphasizing the risks of sugar consumption.

Results: We found that after listening to the healthy eating call, participants significantly decreased their WTP for sugar-containing products. Moreover, a higher intersubject correlation of EEG (a measure of engagement) during listening to the healthy eating call resulted in a larger decrease in WTP for sugar-containing food. Whether or not a participant\u2019s valuation of a product was highly influenced by the healthy eating call could also be predicted by spatiotemporal patterns of EEG responses to the healthy eating call, using a machine learning classification model. Finally, the healthy eating call increased the amplitude of the P300 component of the visual event-related potential in response to sugar-containing food.

Disussion: Overall, our results shed light on the neural basis of expert persuasion and demonstrate that EEG is a powerful tool to design and assess health-related advertisements before they are released to the public.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2023-03-13T04:21:28Z", + "created_date": "2023-03-13T04:21:28Z", + "modified_date": "2023-06-09T11:10:41Z", + "authors": [ + { + "name": "Ioannis Ntoumanis", + "id": 11904629, + "orcid": "" + }, + { + "name": "Alina Davydova", + "id": 14781514, + "orcid": "" + }, + { + "name": "Julia Sheronova", + "id": 14781517, + "orcid": "" + }, + { + "name": "Ksenia Panidi", + "id": 5991186, + "orcid": "" + }, + { + "name": "Vladimir Kosonogov", + "id": 4415392, + "orcid": "" + }, + { + "name": "Anna N. Shestakova", + "id": 11518855, + "orcid": "" + }, + { + "name": "Iiro P. J\u00e4\u00e4skel\u00e4inen", + "id": 11904638, + "orcid": "" + }, + { + "name": "Vasily Klucharev", + "id": 5906300, + "orcid": "" + } + ], + "tags": [ + "expert persuasion", + "sugar", + "EEG", + "healthy eating", + "machine learning", + "intersubject correlation", + "willingness to pay", + "social influence" + ], + "categories": [ + { + "id": 448, + "title": "Computer Perception, Memory and Attention", + "parent_id": 18, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 449, + "title": "Decision Making", + "parent_id": 18, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 362, + "title": "Central Nervous System", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 11, + "title": "Behavioral Neuroscience", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 15, + "title": "Neuroscience", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 341, + "title": "Exercise Physiology", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 342, + "title": "Motor Control", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC BY 4.0", + "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Neural_mechanisms_of_expert_persuasion_on_willingness_to_pay_for_sugar_pdf/22260892", + "api_url": "https://api.figshare.com/v2/articles/22260892", + "resource_title": "Neural mechanisms of expert persuasion on willingness to pay for sugar", + "resource_doi": "10.3389/fnbeh.2023.1147140", + "files": [ + { + "id": 39563839, + "name": "Data_Sheet_1_Neural mechanisms of expert persuasion on willingness to pay for sugar.pdf", + "size_bytes": 249229, + "download_url": "https://ndownloader.figshare.com/files/39563839", + "md5": "b15a032fe592ca85309f641ed62f57de" + } + ], + "file_count": 1, + "total_size_mb": 0.24, + "source": "figshare" + }, + { + "dataset_id": "21342066", + "doi": "10.6084/m9.figshare.21342066.v1", + "title": "Face processing M/EEG data for Dynamic Causal Modelling (Faces vs Scrambled)", + "description": "

\u00a0

\n

This dataset consists of BIDS-formatted M/EEG data from Wakeman & Henson (2015) that have been processed for DCM analysis. Multimodal data from EEG, MEG magnetometers and MEG planar gradiometers from all 16 subjects have been processed with the analysis pipeline presented in Henson et al (2019). Individual subjects' T1 images were used for creating head models. Forward models (leadfields) for all subjects are included in the dataset.

\n

The file 'derivatives_dcm_ready_with_gainmat_all_subjects.zip' consists of dcm-ready data for all 16 subjects\u00a0

\n

Each subject's data consists of 3 files:

\n
    \n
  1. SPM sidecar data file: wmaMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.dat
  2. \n
  3. SPM data header file: wmaMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.mat
  4. \n
  5. Gain matrix (forward model): SPMgainmatrix_wmaMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg_1.mat
  6. \n
\n

*XX here indicates zero-padded subject number (01, 02, ...). Supplied filelist.txt contains the full filelist and folder hierarchy inside the compressed zip archive.

\n


\n

This dataset was prepared for demonstration of group-level estimation and inference of DCMs from M/EEG data. The raw data can be found here: https://openneuro.org/datasets/ds000117

\n

Scripts used to produce this dataset from the raw data, as well as as scripts demonstrating group DCM analysis can be found here:https://github.com/pranaysy/cognestic22_multimodal_dcm

\n


\n

For more information or queries, please get in touch, or open an issue on the GitHub repository linked above.

\n


\n

Note: This dataset differs from https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling/21130297 in that this one has two conditions: famous and unfamiliar faces have been merged into one condition and scrambled faces. The linked one has three conditions: famous faces, unfamiliar faces and scrambled faces.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-10-16T13:49:44Z", + "created_date": "2022-10-16T13:49:44Z", + "modified_date": "2023-06-06T05:19:31Z", + "authors": [ + { + "name": "Pranay Yadav", + "id": 13795687, + "orcid": "" + }, + { + "name": "Rik Henson", + "id": 6288980, + "orcid": "" + } + ], + "tags": [ + "Dynamic Causal Model", + "Face Processing", + "MEG data", + "EEG data", + "SPM12", + "Tutorial", + "Computational modelling", + "BIDS-Processed", + "Neuroscience", + "Neurocognitive Patterns and Neural Networks", + "Neuroscience and Physiological Psychology" + ], + "categories": [ + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + }, + { + "id": 30334, + "title": "Cognitive neuroscience", + "parent_id": 30325, + "path": "/30292/30325/30334", + "source_id": "520203", + "taxonomy_id": 100 + }, + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + } + ], + "license": "Apache 2.0", + "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling_Faces_vs_Scrambled_/21342066", + "api_url": "https://api.figshare.com/v2/articles/21342066", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 37875888, + "name": "derivatives_dcm_ready_with_gainmat_all_subjects.zip", + "size_bytes": 400639550, + "download_url": "https://ndownloader.figshare.com/files/37875888", + "md5": "b42323efb77f3ca81c851adb7a786656" + }, + { + "id": 37875891, + "name": "filelist.txt", + "size_bytes": 5916, + "download_url": "https://ndownloader.figshare.com/files/37875891", + "md5": "1067066a38032633dd6bedf6b9500408" + } + ], + "file_count": 2, + "total_size_mb": 382.09, + "source": "figshare" + }, + { + "dataset_id": "21130297", + "doi": "10.6084/m9.figshare.21130297.v2", + "title": "Face processing M/EEG data for Dynamic Causal Modelling", + "description": "

This dataset consists of BIDS-formatted M/EEG data from Wakeman & Henson (2015) that have been processed for DCM analysis. Multimodal data from EEG, MEG magnetometers and MEG planar gradiometers from all 16 subjects have been processed with the analysis pipeline presented in Henson et al (2019). Individual subjects' T1 images were used for creating head models. Forward models (leadfields) for all subjects are included in the dataset.

\n


\n

The file 'derivatives_dcm_ready_with_gainmat_all_subjects.zip' consists of dcm-ready data for all 16 subjects, while the file 'derivatives_dcm_ready_with_gainmat_single_subjects.zip' consists of dcm-ready data for a single subject (sub-01).\u00a0

\n


\n

Each subject's data consists of 3 files:

\n
    \n
  1. SPM sidecar data file: maMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.dat
  2. \n
  3. SPM data header file: maMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.mat
  4. \n
  5. Gain matrix (forward model): SPMgainmatrix_maMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg_1.mat
  6. \n
\n

*XX here indicates zero-padded subject number (01, 02, ...). Supplied filelist.txt contains the full filelist and folder hierarchy inside the compressed zip archive.

\n


\n

This dataset was prepared for demonstration of group-level estimation and inference of DCMs from M/EEG data. The raw data can be found here: https://openneuro.org/datasets/ds000117

\n


\n

Scripts used to produce this dataset from the raw data, as well as as scripts demonstrating group DCM analysis can be found here: https://github.com/pranaysy/DCM-MEEG-Demo

\n


\n

For more information or queries, please get in touch, or open an issue on the GitHub repository linked above.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-09-28T13:14:33Z", + "created_date": "2022-09-28T13:14:33Z", + "modified_date": "2023-06-03T11:36:51Z", + "authors": [ + { + "name": "Pranay Yadav", + "id": 13795687, + "orcid": "" + }, + { + "name": "Rik Henson", + "id": 6288980, + "orcid": "" + } + ], + "tags": [ + "Dynamic Causal Model", + "Face Processing", + "MEG data", + "EEG data", + "SPM12", + "Tutorial", + "Computational modelling", + "BIDS-Processed", + "Neuroscience and Physiological Psychology", + "Neuroscience", + "Neurocognitive Patterns and Neural Networks" + ], + "categories": [ + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + }, + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + }, + { + "id": 30334, + "title": "Cognitive neuroscience", + "parent_id": 30325, + "path": "/30292/30325/30334", + "source_id": "520203", + "taxonomy_id": 100 + } + ], + "license": "Apache 2.0", + "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling/21130297", + "api_url": "https://api.figshare.com/v2/articles/21130297", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 37483753, + "name": "derivatives_dcm_ready_with_gainmat_all_subjects.zip", + "size_bytes": 403333442, + "download_url": "https://ndownloader.figshare.com/files/37483753", + "md5": "2ae4a93385552ff012f06fa918619ef7" + }, + { + "id": 37483833, + "name": "filelist.txt", + "size_bytes": 5363, + "download_url": "https://ndownloader.figshare.com/files/37483833", + "md5": "5f3a6a2fd3b3d96c690e478643fd04d9" + }, + { + "id": 37636502, + "name": "derivatives_dcm_ready_with_gainmat_single_subject.zip", + "size_bytes": 25152399, + "download_url": "https://ndownloader.figshare.com/files/37636502", + "md5": "4bbfe99715558d2965386df31590ee77" + } + ], + "file_count": 3, + "total_size_mb": 408.64, + "source": "figshare" + }, + { + "dataset_id": "19776004", + "doi": "10.6084/m9.figshare.19776004.v1", + "title": "EEG Dataset for RSVP and P300 Speller Brain-Computer Interfaces", + "description": "BIDS-EEG format for the entire dataset", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-07-06T14:32:43Z", + "created_date": "2022-07-06T14:32:43Z", + "modified_date": "2022-07-06T14:33:33Z", + "authors": [ + { + "name": "Sung Chan Jun", + "id": 11884040, + "orcid": "" + }, + { + "name": "Kyungho Won", + "id": 5648575, + "orcid": "" + }, + { + "name": "Moonyoung Kwon", + "id": 11884043, + "orcid": "" + }, + { + "name": "Minkyu Ahn", + "id": 488737, + "orcid": "" + } + ], + "tags": [ + "brain-computer interface", + "P300 speller", + "RSVP", + "EEG" + ], + "categories": [ + { + "id": 42, + "title": "Biological Engineering", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 16, + "title": "Physiology", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 15, + "title": "Neuroscience", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC0", + "url": "https://springernature.figshare.com/articles/dataset/EEG_Dataset_for_RSVP_and_P300_Speller_Brain-Computer_Interfaces/19776004", + "api_url": "https://api.figshare.com/v2/articles/19776004", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 35134714, + "name": "Won2022_BIDS.zip", + "size_bytes": 9827675902, + "download_url": "https://ndownloader.figshare.com/files/35134714", + "md5": "9377d13d4fb3ffd35055b997813c5d94" + } + ], + "file_count": 1, + "total_size_mb": 9372.4, + "source": "figshare" + }, + { + "dataset_id": "14891607", + "doi": "10.17045/sthlmuni.14891607.v1", + "title": "Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia", + "description": "

Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia

\n


\n

1. Title of Dataset:

\n

Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia

\n


\n

2. Author Information

\n

\u00a0\u00a0\u00a0Principal Investigator Contact Information

\n

Name: Stefan Wiens

\n

Institution: Department of Psychology, Stockholm University, Sweden

\n

Internet: https://www.su.se/profiles/swiens-1.184142

\n

Email: sws@psychology.su.se

\n


\n

3. Date of data collection:\u00a0

\n

Subjects (N = 70 patients and N = 53 controls) were tested between 2015-sep-30 and 2016-jan-15.

\n


\n

4. Geographic location of data collection: Department of Psychology, Stockholm, Sweden

\n


\n

5. Information about funding sources that supported the collection of the data:

\n

Marcus och Amalia Wallenbergs minnesfond (2019-0102)

\n


\n

SHARING/ACCESS INFORMATION

\n

1. Licenses/restrictions placed on the data: CC BY 4.0

\n

2. Links to publications that cite or use the data: Wiens, S., Eklund, R., Szychowska, M., Miloff, A., Cosme, D., Pierzchajlo, S., & Carlbring, P. (2022). Electrophysiological correlates of in vivo and virtual reality exposure therapy in spider phobia. Psychophysiology. https://doi.org/10.1111/psyp.14117

\n

3. Links to other publicly accessible locations of the data: N/A

\n

4. Links/relationships to ancillary data sets: N/A

\n

5. Was data derived from another source? No

\n

6. Recommended citation for this dataset: Eklund R., & Wiens S. (2022). Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia. Stockholm: Stockholm University. https://doi.org/10.17045/sthlmuni.14891607

\n


\n

DATA & FILE OVERVIEW

\n

The files contain the raw data, scripts, and results of main and supplementary analyses of the electroencephalography (EEG) study reported in the main publication.

\n

VR_spider_LMM.html, VR_spider_LMM_exclude_target_trials.html, VR_spider_analyze_clinical_data: Main results files (also included in R_scripts.zip)

\n

supplement_CritiqueOfLeutgebStudies.pdf: Critique of previous studies

\n

supplement_PilotStudy.pdf: Description of pilot study

\n

data_bids.zip: EEG data in bids format

\n

MNE-python.zip: MNE-python scripts to preprocess EEG data together with preprocessed data

\n

R_scripts.zip: R scripts to analyze the EEG mean amplitudes and behavioral data

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-06-14T14:26:25Z", + "created_date": "2022-06-14T14:26:25Z", + "modified_date": "2023-05-30T21:25:43Z", + "authors": [ + { + "name": "Stefan Wiens", + "id": 3862558, + "orcid": "0000-0003-4531-4313" + }, + { + "name": "Rasmus Eklund", + "id": 4543201, + "orcid": "" + } + ], + "tags": [ + "spider phobia", + "EEG", + "treatment", + "LPP", + "EPN", + "Clinical Psychology", + "Biological Psychology (Neuropsychology, Psychopharmacology, Physiological Psychology)", + "Neuroscience and Physiological Psychology" + ], + "categories": [ + { + "id": 30358, + "title": "Clinical psychology", + "parent_id": 30352, + "path": "/30292/30352/30358", + "source_id": "520302", + "taxonomy_id": 100 + }, + { + "id": 30340, + "title": "Psychopharmacology", + "parent_id": 30325, + "path": "/30292/30325/30340", + "source_id": "520205", + "taxonomy_id": 100 + }, + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://su.figshare.com/articles/dataset/Open_data_Electrophysiological_correlates_of_in-vivo_and_virtual_reality_therapy_in_spider_phobia/14891607", + "api_url": "https://api.figshare.com/v2/articles/14891607", + "resource_title": "Electrophysiological correlates of in vivo and virtual reality exposure therapy in spider phobia", + "resource_doi": "10.1111/psyp.14117", + "files": [ + { + "id": 35876660, + "name": "readme.txt", + "size_bytes": 2432, + "download_url": "https://ndownloader.figshare.com/files/35876660", + "md5": "74244cbcb03aacdcc6e60ea51c656e36" + }, + { + "id": 35099563, + "name": "VR_spider_LMM.html", + "size_bytes": 4954246, + "download_url": "https://ndownloader.figshare.com/files/35099563", + "md5": "5c2439e0d53e970a3d2a261860a42c2c" + }, + { + "id": 35099560, + "name": "VR_spider_analyze_clinical_data.html", + "size_bytes": 1251595, + "download_url": "https://ndownloader.figshare.com/files/35099560", + "md5": "520a69675a78c9e531b5bf0ca09a8f81" + }, + { + "id": 31642838, + "name": "VR_spider_LMM_exclude_target_trials.html", + "size_bytes": 5030529, + "download_url": "https://ndownloader.figshare.com/files/31642838", + "md5": "8791f202694872717b64691c29974c0c" + }, + { + "id": 31642823, + "name": "supplement_CritiqueOfLeutgebStudies.pdf", + "size_bytes": 95218, + "download_url": "https://ndownloader.figshare.com/files/31642823", + "md5": "a73e2f94c87186fd3ad042f29f025ba8" + }, + { + "id": 31642826, + "name": "supplement_PilotStudy.pdf", + "size_bytes": 42005, + "download_url": "https://ndownloader.figshare.com/files/31642826", + "md5": "1d218ee77c864334445dcae9d90be5a9" + }, + { + "id": 35871053, + "name": "R_scripts.zip", + "size_bytes": 2961325290, + "download_url": "https://ndownloader.figshare.com/files/35871053", + "md5": "29c7816a8c4b660069356c15fe4530ab" + }, + { + "id": 35875994, + "name": "data_bids.zip", + "size_bytes": 4329288013, + "download_url": "https://ndownloader.figshare.com/files/35875994", + "md5": "29f2ea8ad414d68c28e6754beb24f365" + }, + { + "id": 35876855, + "name": "MNE-python.zip", + "size_bytes": 3131464012, + "download_url": "https://ndownloader.figshare.com/files/35876855", + "md5": "80a7b61d7eb277d037c8a62caebdd78e" + } + ], + "file_count": 9, + "total_size_mb": 9950.12, + "source": "figshare" + }, + { + "dataset_id": "19046345", + "doi": "10.6084/m9.figshare.19046345.v1", + "title": "BIDS dataset for BIDS Manager-Pipeline", + "description": "This folder contains data organised in BIDS format to test BIDS Manager-Pipeline (https://github.com/Dynamap/BIDS_Manager/tree/dev).", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-01-25T11:54:23Z", + "created_date": "2022-01-25T11:54:23Z", + "modified_date": "2023-05-31T00:08:06Z", + "authors": [ + { + "name": "Aude Jegou", + "id": 11993306, + "orcid": "" + }, + { + "name": "Nicolas Roehri", + "id": 3817144, + "orcid": "0000-0002-6948-1055" + }, + { + "name": "Samuel Medina Villalon", + "id": 8257659, + "orcid": "" + } + ], + "tags": [ + "BIDS data", + "iEEG (intracranial EEG)", + "MRI", + "Data Structures", + "Neuroscience" + ], + "categories": [ + { + "id": 29221, + "title": "Data structures and algorithms", + "parent_id": 29206, + "path": "/28798/29206/29221", + "source_id": "461305", + "taxonomy_id": 100 + }, + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/BIDS_dataset_for_BIDS_Manager-Pipeline/19046345", + "api_url": "https://api.figshare.com/v2/articles/19046345", + "resource_title": "", + "resource_doi": "", + "files": [ + { + "id": 33868130, + "name": "BIDS_dataset.zip", + "size_bytes": 331648088, + "download_url": "https://ndownloader.figshare.com/files/33868130", + "md5": "" + } + ], + "file_count": 1, + "total_size_mb": 316.28, + "source": "figshare" + }, + { + "dataset_id": "7834442", + "doi": "10.6084/m9.figshare.7834442.v10", + "title": "Corticothalamic communication under analgesia, sedation and gradual ischemia: a multimodal model of controlled gradual cerebral ischemia in pig", + "description": "

Brain injuries and ensuing neurological abnormalities due to chronic hypoxia are among the most frequent causes and difficult to detect reliably. Prevention strategies require novel accurate methods. We showed that electrocorticogram's mutual information properties (ECoG) contain information about corticothalamic communication, which can be quantified without invasive insertion of the thalamic electrodes.

Here we present the method and the data set to derive ECoG/EEG biomarkers of corticothalamic communication under normal, sedation and hypoxic/ischemic conditions.

We hypothesize that the proposed biomarkers of corticothalamic communication derived from EEG alone will signal increased risk for or an imminent brain injury from short periods of data (less than 10 min).

We present signal-analytical approaches to derive a signature of coupling between the ECoG and electrothalamogram (EThG) signals that were recorded under conditions of gradual ischemia in juvenile pigs.

We hope this data set will contribute to development of new brain monitoring technologies to improve prevention of neurological injuries.

All experiments have been approved by the responsible animal ethics committee.


BIDS version of the dataset can also be found on OpenNeuro:

DOI:

10.18112/openneuro.ds003380.v1.0.0

Publication: https://www.nature.com/articles/s41597-020-00781-y
", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2021-11-02T04:40:43Z", + "created_date": "2021-11-02T04:40:43Z", + "modified_date": "2023-05-31T11:12:33Z", + "authors": [ + { + "name": "Martin Frasch", + "id": 5754731, + "orcid": "0000-0003-3159-6321" + }, + { + "name": "Reinhard Bauer", + "id": 6449496, + "orcid": "0000-0002-4294-3758" + } + ], + "tags": [ + "sus scrofa", + "EEG", + "brain ischemia\u2013diagnosis", + "signal analysis methods", + "Neuroscience" + ], + "categories": [ + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/Corticothalamic_communication_under_analgesia_sedation_and_gradual_ischemia_a_multimodal_model_of_controlled_gradual_cerebral_ischemia_in_pig/7834442", + "api_url": "https://api.figshare.com/v2/articles/7834442", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 31296412, + "name": "readme.txt", + "size_bytes": 2151, + "download_url": "https://ndownloader.figshare.com/files/31296412", + "md5": "ec8deb2b0ba3b842430e09e32392a204" + }, + { + "id": 24956495, + "name": "Roadmap_for_file_assessment.ods", + "size_bytes": 24389, + "download_url": "https://ndownloader.figshare.com/files/24956495", + "md5": "6ba73d45daaa7a4e1bd4710a1b050bae" + }, + { + "id": 24960203, + "name": "study_data_overview_and_measured_parameters.ods", + "size_bytes": 51960, + "download_url": "https://ndownloader.figshare.com/files/24960203", + "md5": "4161bd39aca670f32e7936d1ba330b72" + }, + { + "id": 24960167, + "name": "BIDS.zip", + "size_bytes": 1514575863, + "download_url": "https://ndownloader.figshare.com/files/24960167", + "md5": "1102c1c204913ece25b6c723c71c82dd" + }, + { + "id": 24754505, + "name": "channel_locations.locs", + "size_bytes": 161, + "download_url": "https://ndownloader.figshare.com/files/24754505", + "md5": "d781cf3692c385330dc72481661f3fb8" + }, + { + "id": 24959216, + "name": "Raw_data_all_states_16_channels_2000Hz_EDF.zip", + "size_bytes": 1511656713, + "download_url": "https://ndownloader.figshare.com/files/24959216", + "md5": "156dc6e329c34370c605d8f5159ed9c4" + }, + { + "id": 25516904, + "name": "STUDY_EEGLAB_all_data.zip", + "size_bytes": 2116086275, + "download_url": "https://ndownloader.figshare.com/files/25516904", + "md5": "46e01cacc31a55e8daec15d683e4af59" + }, + { + "id": 25014944, + "name": "Results_Figshare.zip", + "size_bytes": 160485972, + "download_url": "https://ndownloader.figshare.com/files/25014944", + "md5": "6b8ff8b094a3bd8034a31207e84e8425" + }, + { + "id": 24949709, + "name": "Validation_HRV_analysis_sedation_ischemia_recovery.zip", + "size_bytes": 369102, + "download_url": "https://ndownloader.figshare.com/files/24949709", + "md5": "f0d55c9c269cf1cf85366d6cf68877e6" + }, + { + "id": 21664011, + "name": "ECOG-ECG.zip", + "size_bytes": 70097827, + "download_url": "https://ndownloader.figshare.com/files/21664011", + "md5": "80ba3220eaaf3d5fa586992919e06d95" + } + ], + "file_count": 10, + "total_size_mb": 5124.43, + "source": "figshare" + }, + { + "dataset_id": "14795988", + "doi": "10.3389/fpsyt.2021.682495.s001", + "title": "Data_Sheet_1_Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies.docx", + "description": "

Neuroscience studies require considerable bioinformatic support and expertise. Numerous high-dimensional and multimodal datasets must be preprocessed and integrated to create robust and reproducible analysis pipelines. We describe a common data elements and scalable data management infrastructure that allows multiple analytics workflows to facilitate preprocessing, analysis and sharing of large-scale multi-level data. The process uses the Brain Imaging Data Structure (BIDS) format and supports MRI, fMRI, EEG, clinical, and laboratory data. The infrastructure provides support for other datasets such as Fitbit and flexibility for developers to customize the integration of new types of data. Exemplar results from 200+ participants and 11 different pipelines demonstrate the utility of the infrastructure.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2021-06-17T04:52:50Z", + "created_date": "2021-06-17T04:52:50Z", + "modified_date": "2023-06-03T05:20:01Z", + "authors": [ + { + "name": "Rayus Kuplicki", + "id": 9128045, + "orcid": "" + }, + { + "name": "James Touthang", + "id": 10984074, + "orcid": "" + }, + { + "name": "Obada Al Zoubi", + "id": 5472614, + "orcid": "" + }, + { + "name": "Ahmad Mayeli", + "id": 5472617, + "orcid": "" + }, + { + "name": "Masaya Misaki", + "id": 521986, + "orcid": "" + }, + { + "name": "NeuroMAP-Investigators", + "id": 10984077, + "orcid": "" + }, + { + "name": "Robin L. Aupperle", + "id": 10655887, + "orcid": "" + }, + { + "name": "T. Kent Teague", + "id": 10984080, + "orcid": "" + }, + { + "name": "Brett A. McKinney", + "id": 10113322, + "orcid": "" + }, + { + "name": "Martin P. Paulus", + "id": 9128051, + "orcid": "" + }, + { + "name": "Jerzy Bodurka", + "id": 344741, + "orcid": "" + } + ], + "tags": [ + "human brain", + "neuroimaging", + "multi-level assessment", + "large-scale studies", + "common data element", + "data processing pipelines", + "scalable analytics", + "bids format" + ], + "categories": [ + { + "id": 319, + "title": "Psychiatry (incl. Psychotherapy)", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC BY 4.0", + "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Common_Data_Elements_Scalable_Data_Management_Infrastructure_and_Analytics_Workflows_for_Large-Scale_Neuroimaging_Studies_docx/14795988", + "api_url": "https://api.figshare.com/v2/articles/14795988", + "resource_title": "Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies", + "resource_doi": "10.3389/fpsyt.2021.682495", + "files": [ + { + "id": 28447524, + "name": "Data_Sheet_1_Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies.docx", + "size_bytes": 402225, + "download_url": "https://ndownloader.figshare.com/files/28447524", + "md5": "fd6bb2acbb87ad16d6d339c44d1f0e28" + } + ], + "file_count": 1, + "total_size_mb": 0.38, + "source": "figshare" + }, + { + "dataset_id": "13067018", + "doi": "10.17045/sthlmuni.13067018.v1", + "title": "Open data: The early but not the late neural correlate of auditory awareness reflects lateralized experiences", + "description": "GENERAL INFORMATION


1. Title of Dataset:
Open data: The early but not the late neural correlate of auditory awareness re\ufb02ects lateralized experiences.


2. Author Information
A. Principal Investigator Contact Information
Name: Stefan Wiens
Institution: Department of Psychology, Stockholm University, Sweden
Internet: https://www.su.se/profiles/swiens-1.184142
Email: sws@psychology.su.se


B. Associate or Co-investigator Contact Information
Name: Rasmus Eklund
Institution: Department of Psychology, Stockholm University, Sweden
Internet: https://www.su.se/profiles/raek2031-1.223133
Email: rasmus.eklund@psychology.su.se

C. Associate or Co-investigator Contact Information
Name: Billy Gerdfeldter
Institution: Department of Psychology, Stockholm University, Sweden
Internet: https://www.su.se/profiles/bige1544-1.403208
Email: billy.gerdfeldter@psychology.su.se


3. Date of data collection:
Subjects (N = 28) were tested between 2020-03-04 and 2020-09-18.


4. Geographic location of data collection: Department of Psychology, Stockholm, Sweden


5. Information about funding sources that supported the collection of the data:
Marianne and Marcus Wallenberg (Grant 2019-0102)


SHARING/ACCESS INFORMATION


1. Licenses/restrictions placed on the data: CC BY 4.0


2. Links to publications that cite or use the data: Eklund R., Gerdfeldter B., & Wiens S. (2021). The early but not the late neural correlate of auditory awareness re\ufb02ects lateralized experiences. Neuropsychologia. https://doi.org/


The study was preregistered:
https://doi.org/10.17605/OSF.IO/PSRJF

3. Links to other publicly accessible locations of the data: N/A


4. Links/relationships to ancillary data sets: N/A


5. Was data derived from another source? No


6. Recommended citation for this dataset: Eklund R., Gerdfeldter B., & Wiens S. (2020). Open data: The early but not the late neural correlate of auditory awareness re\ufb02ects lateralized experiences. Stockholm: Stockholm University. https://doi.org/10.17045/sthlmuni.13067018


DATA & FILE OVERVIEW


File List:
The files contain the downsampled data in bids format, scripts, and results of main and supplementary analyses of the electroencephalography (EEG) study. Links to the hardware and software are provided under methodological information.


AAN_LRclick_experiment_scripts.zip: contains the Python files to run the experiment


AAN_LRclick_bids_EEG.zip: contains EEG data files for each subject in .eeg format.


AAN_LRclick_behavior_log.zip: contains log files of the EEG session (generated by Python)


AAN_LRclick_EEG_scripts.zip: Python-MNE scripts to process and to analyze the EEG data


AAN_LRclick_results.zip: contains summary data files, figures, and tables that are created by Python-MNE.


METHODOLOGICAL INFORMATION


1. Description of methods used for collection/generation of data:
The auditory stimuli were 4-ms clicks.
The experiment was programmed in Python: https://www.python.org/ and used extra functions from here: https://github.com/stamnosslin/mn
The EEG data were recorded with an Active Two BioSemi system (BioSemi, Amsterdam, Netherlands; www.biosemi.com) and converted to .eeg format.
For more information, see linked publication.


2. Methods for processing the data:
We computed event-related potentials. See linked publication


3. Instrument- or software-specific information needed to interpret the data:
MNE-Python (Gramfort A., et al., 2013): https://mne.tools/stable/index.html#


4. Standards and calibration information, if appropriate:
For information, see linked publication.


5. Environmental/experimental conditions:
For information, see linked publication.


6. Describe any quality-assurance procedures performed on the data:
For information, see linked publication.


7. People involved with sample collection, processing, analysis and/or submission:


- Data collection: Rasmus Eklund with assistance from Billy Gerdfeldter.
- Data processing, analysis, and submission: Rasmus Eklund


DATA-SPECIFIC INFORMATION:
All relevant information can be found in the MNE-Python scripts (in EEG_scripts folder) that process the EEG data. For example, we added notes to explain what different variables mean.


The folder structure needs to be as follows:
AAN_LRclick (main folder)
--->data
--->--->bids (AAN_LRclick_bids_EEG)
--->--->log (AAN_LRclick_behavior_log)
--->MNE (AAN_LRclick_EEG_scripts)
--->results (AAN_LRclick_results)


To run the MNE-Python scripts:
Anaconda was used with MNE-Python 0.22 (see installation at https://mne.tools/stable/index.html# ).
For preprocess.py and analysis.py, the complete scripts should be run (from anaconda prompt).
", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2021-06-02T13:32:37Z", + "created_date": "2021-06-02T13:32:37Z", + "modified_date": "2023-05-31T22:32:58Z", + "authors": [ + { + "name": "Stefan Wiens", + "id": 3862558, + "orcid": "0000-0003-4531-4313" + }, + { + "name": "Rasmus Eklund", + "id": 4543201, + "orcid": "" + }, + { + "name": "Billy Gerdfeldter", + "id": 9509663, + "orcid": "0000-0002-3222-8056" + } + ], + "tags": [ + "EEG", + "ERP", + "consciousness", + "awareness", + "neural correlates", + "auditory awareness negativity", + "localization", + "Biological Psychology (Neuropsychology, Psychopharmacology, Physiological Psychology)", + "Neuroscience and Physiological Psychology" + ], + "categories": [ + { + "id": 30340, + "title": "Psychopharmacology", + "parent_id": 30325, + "path": "/30292/30325/30340", + "source_id": "520205", + "taxonomy_id": 100 + }, + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://su.figshare.com/articles/dataset/Open_data_The_early_but_not_the_late_neural_correlate_of_auditory_awareness_reflects_lateralized_experiences/13067018", + "api_url": "https://api.figshare.com/v2/articles/13067018", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 28253502, + "name": "AAN_LRclick_supplementary.pdf", + "size_bytes": 11229073, + "download_url": "https://ndownloader.figshare.com/files/28253502", + "md5": "4e647b9e2ac301382865357a361ed1d7" + }, + { + "id": 28253490, + "name": "AAN_LRclick_README_figshare.txt", + "size_bytes": 5509, + "download_url": "https://ndownloader.figshare.com/files/28253490", + "md5": "68ed6607b533b6bfc1b4ea57defd0404" + }, + { + "id": 28253487, + "name": "AAN_LRclick_experiment_scripts.zip", + "size_bytes": 98188, + "download_url": "https://ndownloader.figshare.com/files/28253487", + "md5": "0649627c35b60b79247ac12284573435" + }, + { + "id": 28253484, + "name": "AAN_LRclick_bids_EEG.zip", + "size_bytes": 3803984168, + "download_url": "https://ndownloader.figshare.com/files/28253484", + "md5": "33cd4c2a95571aed3f21b0eaaa14f456" + }, + { + "id": 28253394, + "name": "AAN_LRclick_behavior_log.zip", + "size_bytes": 125592, + "download_url": "https://ndownloader.figshare.com/files/28253394", + "md5": "039b65662fe8a1fb6ed68b2a9116462c" + }, + { + "id": 28253481, + "name": "AAN_LRclick_EEG_scripts.zip", + "size_bytes": 21420, + "download_url": "https://ndownloader.figshare.com/files/28253481", + "md5": "43e6036113cb7aa1cac3c6eb70967798" + }, + { + "id": 28253499, + "name": "AAN_LRclick_results.zip", + "size_bytes": 13064391, + "download_url": "https://ndownloader.figshare.com/files/28253499", + "md5": "482586da49466c037c6c493ea4342336" + } + ], + "file_count": 7, + "total_size_mb": 3651.17, + "source": "figshare" + }, + { + "dataset_id": "8033726", + "doi": "10.3389/fnins.2019.00300.s001", + "title": "Data_Sheet_1_Multimodal Integration of M/EEG and f/MRI Data in SPM12.pdf", + "description": "

We describe the steps involved in analysis of multi-modal, multi-subject human neuroimaging data using the SPM12 free and open source software (https://www.fil.ion.ucl.ac.uk/spm/) and a publically-available dataset organized according to the Brain Imaging Data Structure (BIDS) format (https://openneuro.org/datasets/ds000117/). The dataset contains electroencephalographic (EEG), magnetoencephalographic (MEG), and functional and structural magnetic resonance imaging (MRI) data from 16 subjects who undertook multiple runs of a simple task performed on a large number of famous, unfamiliar and scrambled faces. We demonstrate: (1) batching and scripting of preprocessing of multiple runs/subjects of combined MEG and EEG data, (2) creation of trial-averaged evoked responses, (3) source-reconstruction of the power (induced and evoked) across trials within a time-frequency window around the \u201cN/M170\u201d evoked component, using structural MRI for forward modeling and simultaneous inversion (fusion) of MEG and EEG data, (4) group-based optimisation of spatial priors during M/EEG source reconstruction using fMRI data on the same paradigm, and (5) statistical mapping across subjects of cortical source power increases for faces vs. scrambled faces.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2019-04-24T05:47:20Z", + "created_date": "2019-04-24T05:47:20Z", + "modified_date": "2023-05-30T12:13:24Z", + "authors": [ + { + "name": "Richard N. Henson", + "id": 6628652, + "orcid": "" + }, + { + "name": "Hunar Abdulrahman", + "id": 6628655, + "orcid": "" + }, + { + "name": "Guillaume Flandin", + "id": 1369476, + "orcid": "" + }, + { + "name": "Vladimir Litvak", + "id": 42646, + "orcid": "" + } + ], + "tags": [ + "MEG", + "EEG", + "fMRI", + "multimodal", + "fusion", + "SPM", + "inversion", + "faces" + ], + "categories": [ + { + "id": 320, + "title": "Radiology and Organ Imaging", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 449, + "title": "Decision Making", + "parent_id": 18, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 370, + "title": "Clinical Nursing: Tertiary (Rehabilitative)", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 947, + "title": "Image Processing", + "parent_id": 52, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 360, + "title": "Autonomic Nervous System", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 361, + "title": "Cellular Nervous System", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 42, + "title": "Biological Engineering", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 365, + "title": "Sensory Systems", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 362, + "title": "Central Nervous System", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 15, + "title": "Neuroscience", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 306, + "title": "Endocrinology", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 179, + "title": "Artificial Intelligence and Image Processing", + "parent_id": 52, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 566, + "title": "Signal Processing", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 535, + "title": "Rehabilitation Engineering", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 536, + "title": "Biomedical Engineering not elsewhere classified", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 155, + "title": "Stem Cells", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 700, + "title": "Neurogenetics", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 61, + "title": "Developmental Biology", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC BY 4.0", + "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Multimodal_Integration_of_M_EEG_and_f_MRI_Data_in_SPM12_pdf/8033726", + "api_url": "https://api.figshare.com/v2/articles/8033726", + "resource_title": "Multimodal Integration of M/EEG and f/MRI Data in SPM12", + "resource_doi": "10.3389/fnins.2019.00300", + "files": [ + { + "id": 14963753, + "name": "Data_Sheet_1_Multimodal Integration of M/EEG and f/MRI Data in SPM12.pdf", + "size_bytes": 368858, + "download_url": "https://ndownloader.figshare.com/files/14963753", + "md5": "7385c9a3e291930a2424c235e6474667" + } + ], + "file_count": 1, + "total_size_mb": 0.35, + "source": "figshare" + } +] \ No newline at end of file diff --git a/consolidated/figshare_datasets_detailed_test.json b/consolidated/figshare_datasets_detailed_test.json new file mode 100644 index 00000000..18bb0895 --- /dev/null +++ b/consolidated/figshare_datasets_detailed_test.json @@ -0,0 +1,1982 @@ +[ + { + "dataset_id": "30227503", + "doi": "10.6084/m9.figshare.30227503.v1", + "title": "EEG Dataset for Visual Imagery", + "description": "

1.Research context

This dataset contains high-resolution EEG recordings collected from 22 healthy adult participants performing visual imagery (VI) tasks.

Participants imagined ten commonly encountered images across three semantic categories: geometric figures (circle, square, pentagram), animals (dog, fish, bird), and objects (cup, chair, watch, scissors). Each participant completed up to two sessions on separate days (\u226548 hours apart). However, sub-09 and sub-10 completed only the first session (ses-01) due to personal reasons, and thus have no available data for ses-02. Additionally, the animal imagery data of sub-08 in ses-02 was excluded from analysis because of poor signal quality, which introduced substantial noise contamination and led to unreliable classification results.

EEG was recorded with a 34-channel cap (32 active EEG channels + AFz ground + CPz reference) at 1000 Hz.

2.Data overview

Subjects: 22 healthy adults(5 females, age 20-23)

Task:

AVI(animal visual imagery): Imagine animal images(dog, fish, bird; 120 trials/session)

FVI(animal visual imagery): Imagine figure images(circle, square, pentagram; 120 trials/session)

OVI(animal visual imagery): Imagine object images(cup, chair, watch, scissors; 160 trials/session)

3. Experimental Design

The paradigm was implemented using Psychtoolbox-3 and presented on a screen with a resolution of 1920\u00d71080 pixels. Each recording session lasted between 37 and 56 minutes and comprised four VI blocks for each task category. Flexible rest periods of 2 to 4 minutes were provided between blocks to mitigate the effects of fatigue. In the figure and animal categories, each image was presented 40 times, yielding a total of 120 trials per category.

Each trial lasted 17 seconds and followed a structured sequence\uff1a

  • Fixation Cross\u200b: 3 s. A central fixation cross (\"+\") is displayed on the screen. To cue participants to remain alert and relaxed, preparing them for the trial.
  • Visual perception: 4 s. Participants are instructed to observe and memorize the image.
  • Mask: 2 s. A visual mask is briefly displayed.To eliminate any residual visual aftereffects from the presented image.
  • Visual imagery: 4 s.The screen turns black. Participants perform mental imagery of the previously shown image.
  • Rest: 4 s. The word \"Rest\" is displayed on the screen.Participants are instructed to stop any mental imagery and rest.

4.File structure

The data are organized according to the EEG-BIDS convention to maximize interoperability. Raw EEG (*.bdf) and BIDS sidecars: *_channels.tsv, *_events.tsv, *_eeg.json, etc.


", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-10-01T15:00:47Z", + "created_date": "2025-10-01T15:00:47Z", + "modified_date": "2025-10-01T15:02:02Z", + "authors": [ + { + "name": "Jing'ao Gao", + "id": 22323919, + "orcid": "0009-0004-7718-5477" + } + ], + "tags": [ + "brain\u2013computer interface (BCI)", + "visual imagery", + "EEG" + ], + "categories": [ + { + "id": 24736, + "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", + "parent_id": 24724, + "path": "/24457/24724/24736", + "source_id": "320904", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/EEG_Dataset_for_Visual_Imagery/30227503", + "api_url": "https://api.figshare.com/v2/articles/30227503", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 58328968, + "name": "sub-01.zip", + "size_bytes": 627579802, + "download_url": "https://ndownloader.figshare.com/files/58328968", + "md5": "cac3615e077e6e6ee61a874a61b855c7" + }, + { + "id": 58329043, + "name": "sub-02.zip", + "size_bytes": 514200571, + "download_url": "https://ndownloader.figshare.com/files/58329043", + "md5": "8ffb18f780080a5bea08fa0fed2947e4" + }, + { + "id": 58329064, + "name": "sub-03.zip", + "size_bytes": 529205614, + "download_url": "https://ndownloader.figshare.com/files/58329064", + "md5": "7e0e7b2a2dd97e75a3960064388f1f1a" + }, + { + "id": 58329169, + "name": "sub-04.zip", + "size_bytes": 460800934, + "download_url": "https://ndownloader.figshare.com/files/58329169", + "md5": "14cd26bc910acf23b859dbcfc948c2db" + }, + { + "id": 58329229, + "name": "sub-05.zip", + "size_bytes": 550239127, + "download_url": "https://ndownloader.figshare.com/files/58329229", + "md5": "cc18d93412f6ce377803ecb45dea4cac" + }, + { + "id": 58329265, + "name": "sub-06.zip", + "size_bytes": 531052214, + "download_url": "https://ndownloader.figshare.com/files/58329265", + "md5": "970ad0e72bcf43a66cdec1078d9474c8" + }, + { + "id": 58329289, + "name": "sub-07.zip", + "size_bytes": 578747124, + "download_url": "https://ndownloader.figshare.com/files/58329289", + "md5": "5091b499668ca5de2329772803268852" + }, + { + "id": 58336849, + "name": "sub-09.zip", + "size_bytes": 276612863, + "download_url": "https://ndownloader.figshare.com/files/58336849", + "md5": "c454e75572614f31a9c313bb0857efbd" + }, + { + "id": 58336852, + "name": "sub-10.zip", + "size_bytes": 312132554, + "download_url": "https://ndownloader.figshare.com/files/58336852", + "md5": "d0a83f3b2ed67da0cc1088c7af3f4560" + }, + { + "id": 58337044, + "name": "sub-11.zip", + "size_bytes": 638262513, + "download_url": "https://ndownloader.figshare.com/files/58337044", + "md5": "fb1c08ee849ace8d30988e32630be165" + } + ], + "file_count": 10, + "total_size_mb": 4786.33, + "source": "figshare" + }, + { + "dataset_id": "29987758", + "doi": "10.6084/m9.figshare.29987758.v2", + "title": "EEG dataset for multi-class Chinese character stroke and pinyin vowel handwriting imagery (16 subjects, CCS-HI & SV-HI)", + "description": "

Version History

Version 2.0 (October 15, 2025)

  • Event label correction: Corrected a scaling inconsistency in the event tags within the file sub-13_ses-02_task-CCSHI_eeg.bdf. The event codes now correctly align with the task paradigm's coding logic.
  • Metadata update: Corrected the handedness metadata for participant sub-06 in participants. tsv from \"L\" to \"R\", to address a typographical error in the original metadata.
  • Quality assurance: The entire dataset underwent a full BIDS validation following these modifications to confirm compliance with the BIDS standard.

No changes to the associated study's results or conclusions are necessitated by these updates.

1. Research Context

This dataset addresses a critical gap in Brain-Computer Interface (BCI) research: most existing resources focus on English-language tasks or simple motor imagery, while Chinese character strokes and Pinyin monophthong handwriting remain understudied. By providing data for two complementary handwriting imagery tasks\u2014

Chinese Character Stroke Handwriting Imagery (CCS-HI): Imagining writing 5 basic Chinese character strokes( \u4e00,\u4e28,\u4e3f,\u31cf,\u3125) ;

Pinyin Single Vowel Handwriting Imagery (SV-HI): Imagining writing 6 Pinyin monophthongs (a, o, e, i, u, \u00fc)\u2014

we enable investigations into:

The neural mechanisms of handwriting imagery for Chinese strokes vs. Pinyin characters;

Cross-session generalization (a critical challenge for real-world BCI deployment).

2. Data Overview

Subjects: 16 healthy adults (3 females, age 22\u201332, right-handed, no neurological disorders). Note: In Version 2.0, handedness for one subject was corrected from \u201cL\u201d to \u201cR\u201d to reflect accurate right-handedness; all participants remain confirmed as right-handed.

Tasks:

CCS-HI: Imagine writing 5 Chinese strokes (\u4e00\uff0c\u4e28\uff0c\u4e3f\uff0c\u31cf, \u3125\uff1b200 trials/session).

SV-HI: Imagine writing 6 Pinyin monophthongs (a, o, e, i, u, \u00fc; 240 trials/session).

Sessions: 2 independent sessions (\u226524 hours apart).

Session 1: Used for training and 5-fold cross-validation.

Session 2: Held out as an independent test set for cross-session evaluation.

3. Experimental Design

3.1 Pre-Experiment Preparation

Prior to data collection, all subjects were fully informed of the experimental protocol (including task requirements and response methods) and shown a demonstration video of handwriting imagery tasks to ensure understanding. Written informed consent was obtained from all participants.

3.2 EEG Acquisition

Device: Neuracle NeuSenW amplifier with a 32-channel Ag/AgCl electrode cap.

Electrode Layout: Strictly following the international 10-10 system. Detailed 3D coordinates and nomenclature of each electrode are provided in the accompanying electrodes.tsv file.

Sampling Rate: 1000 Hz (downsampled to 250 Hz during preprocessing).

Electrode Impedance: Maintained below 10 k\u03a9 for all channels during recording.

Calibration: All equipment was professionally calibrated before the experiment to ensure data quality and reproducibility.

3.3 Task Paradigm

3.2.1 General Trial Structure (CCS-HI & SV-HI)

Each single trial included four sequential phases, with the total duration varying slightly by task:

1. Fixation + Auditory Cue: 2 seconds

A white fixation cross was displayed on a black screen to stabilize subjects\u2019 attention;

An auditory beep (500 Hz, 100 ms) was synchronized with the start of the cross, serving as a trial initiation signal.

2. Task Cue Phase: Duration differs by task (key distinction)

2.1 For CCS-HI: 2.8 seconds

A dynamic animation of the target Chinese character stroke (e.g., \u4e00\uff0c\u4e28) was played, demonstrating the stroke\u2019s writing trajectory.

2.2 For SV-HI: 3.2 seconds

A dynamic animation of the target Pinyin monophthong (e.g., a, o) was played; the extended duration was designed to accommodate the relatively higher complexity of visualizing Pinyin character shapes.

3. Handwriting Imagery Phase: 4 seconds

Subjects were instructed to imagine writing the target stroke (CCS-HI) or Pinyin monophthong (SV-HI) following the trajectory shown in the task cue, without any actual limb movement.

4. Rest Interval: 3 seconds

A blank black screen was presented to allow subjects to recover and reset attention for the next trial.

3.2.2 Trial Duration Summary

  • Total duration per trial (CCS-HI): 2 s (fixation) + 2.8 s (cue) + 4 s (imagery) + 3 s (rest) = 11.8 seconds.
  • Total duration per trial (SV-HI): 2 s (fixation) + 3.2 s (cue) + 4 s (imagery) + 3 s (rest) = 12.2 seconds.

4. Preprocessing & Trial Integrity

The publicly released dataset contains raw EEG data (no preprocessing); preprocessing (via MNE-Python, code in code folder) was only conducted for model training/testing: 1\u201340 Hz Butterworth bandpass filtering + 50 Hz notch filtering for noise reduction, manual bad channel labeling (EEGLAB) and spherical spline interpolation (per BIDS _channels.tsv), downsampling from 1000 Hz to 250 Hz, z-score normalization per trial, and epoch extraction of the 0\u20134 s imagery period (for both tasks). Trial integrity checks confirmed most sessions met standards (200 trials/session for CCS-HI, 240 for SV-HI), with two exceptions: Subject 06 (SV-HI, Ses-2: 225 trials, trigger error) and Subject 13 (CCS-HI, Ses-2: 162 trials, fatigue). All retained trials passed quality checks, and missing trials were evenly distributed across categories (max deviation \u22642 trials, <5% threshold), so no class balancing was needed.


5. File Structure (BIDS-Compliant)

Following corrections to event labels and participant metadata in Version 2.0, the dataset underwent full BIDS compliance re-verification to ensure data structure and metadata consistency.

The dataset follows the BIDS standard: the root directory stores core metadata (e.g., dataset_description.json for dataset info, participants.tsv for demographics, electrodes.tsv for 32-channel 10-10 system coordinates, task-specific _events.json), 16 subject folders (e.g., sub-01) each contain ses-01/ses-02 with eeg/ subfolders (by CCS-HI/SV-HI tasks) holding _channels.tsv (bad channels), _eeg.bdf (raw Neuracle EEG), _eeg.json (acquisition params), _events.tsv (task alignment); supplementary folders include stimuli (visual cues) and code (preprocessing/model scripts with docs).

6. Usage & Citation

6.1 Data Access & Extraction

The HI-EEG dataset (CCS-HI/SV-HI tasks) is available via Figshare: https://doi.org/10.6084/m9.figshare.29987758(raw data access). To ensure successful decompression of the split-volume compressed files, follow these guidelines:

  • File Composition: The dataset is split into 4 interlinked files (all required for full extraction):

1. Main archive: `CCS-SV-HI-EEG_BIDS.zip`

2. Split volumes: `CCS-SV-HI-EEG_BIDS.z01`, `CCS-SV-HI-EEG_BIDS.z02`, `CCS-SV-HI-EEG_BIDS.z03`

  • Pre-Extraction Requirement: Download all 4 files and place them in the **same directory** (do not rename files or move them to subfolders).
  • Tool & Operation:

1. Use split-volume compatible software (RECOMMENDED: 7-Zip, open-source & free: https://www.7-zip.org/; avoid default system extractors like Windows Explorer/macOS Archive Utility).

2. Double-click the main `.zip` file (`CCS-SV-HI-EEG_BIDS.zip`) \u2014 the software will automatically merge `.z01`\u2013`.z03` into the full BIDS folder (matching the structure described in Section 5).

  • Critical Note: Extraction will fail if any split file is missing; the decompressed folder retains the BIDS structure (no additional organization needed).


6.2 Trial Integrity & Usage Details

Note two trial integrity details: sub-06 (SV-HI, ses-02) retains 225 trials (15 missing, trigger sync error) and sub-13 (CCS-HI, ses-02) retains 162 trials (38 missing, subject fatigue)\u2014missing trials are evenly distributed across categories (max deviation \u22642 trials, <5% imbalance, no class balancing needed).


For data loading/analysis, use EEGLAB (MATLAB) or MNE-Python 1.7.0 (Python); for decoding, use scikit-learn 1.6.1 or PyTorch 2.0.0+cu117 (all verified versions). Related code is in the repository\u2019s code directory; refer to the README in code for environment configuration and script workflow.


6.3 Citation

Cite the associated publication (DOI to be added) when using this dataset.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-09-19T15:59:05Z", + "created_date": "2025-09-19T15:59:06Z", + "modified_date": "2025-09-19T15:59:06Z", + "authors": [ + { + "name": "Fan Wang", + "id": 22125886, + "orcid": "" + } + ], + "tags": [ + "EEG dataset, Electroencephalography (EEG), Brain-Computer Interface (BCI), Motor imagery, Handwriting imagery, Chinese Character Stroke Handwriting Imagery, Pinyin Single Vowel Handwriting Imagery, BIDS, Neural decoding, Cross-session generalization" + ], + "categories": [ + { + "id": 24736, + "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", + "parent_id": 24724, + "path": "/24457/24724/24736", + "source_id": "320904", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/_b_EEG_dataset_for_multi-class_Chinese_character_stroke_and_pinyin_vowel_handwriting_imagery_16_subjects_CCS-HI_SV-HI_b_/29987758", + "api_url": "https://api.figshare.com/v2/articles/29987758", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 58098019, + "name": "CCS-SV-HI-EEG_BIDS.z01", + "size_bytes": 2147483648, + "download_url": "https://ndownloader.figshare.com/files/58098019", + "md5": "d5de1e8c986b11dbe03eba44f411a210" + }, + { + "id": 58098085, + "name": "CCS-SV-HI-EEG_BIDS.z02", + "size_bytes": 2147483648, + "download_url": "https://ndownloader.figshare.com/files/58098085", + "md5": "5ee65f275c2441bcb582ce75359b73d9" + }, + { + "id": 58098535, + "name": "CCS-SV-HI-EEG_BIDS.z03", + "size_bytes": 2147483648, + "download_url": "https://ndownloader.figshare.com/files/58098535", + "md5": "b08f2e60a0f6873730edecad17122211" + }, + { + "id": 58098733, + "name": "CCS-SV-HI-EEG_BIDS.zip", + "size_bytes": 935865017, + "download_url": "https://ndownloader.figshare.com/files/58098733", + "md5": "193d407fd44e41bac94064f34f2d541a" + } + ], + "file_count": 4, + "total_size_mb": 7036.51, + "source": "figshare" + }, + { + "dataset_id": "28740260", + "doi": "10.6084/m9.figshare.28740260.v3", + "title": "Enhancing classification of a large lower-limb motor imagery EEG dataset for BCI in knee pain patients", + "description": "

We present the first large-scale, standardized EEG dataset (30 patients, 150 sessions, 15,000 trials) specifically designed for lower-limb motor imagery (MI) in knee pain patients, addressing a critical gap in clinical BCI research. Chronic knee pain alters cortical plasticity, yet our data demonstrate preserved MI capability in patients\u2014a finding with direct implications for rehabilitation BCI development. Our proposed Optimal Time-Frequency Window Riemannian Geometric Distance (OTFWRGD) algorithm achieves 86.41% classification accuracy, significantly outperforming traditional methods (CSP+LDA: 51.43%; FBCSP+SVM: 55.71%; EEGNet: 76.21%). The dataset adheres to EEG-BIDS standards and is fully accessible via Figshare, including raw/preprocessed EEG, stimuli, and analysis code.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-06-20T07:03:15Z", + "created_date": "2025-06-20T07:03:15Z", + "modified_date": "2025-08-06T06:22:04Z", + "authors": [ + { + "name": "Chongwen Zuo", + "id": 21546541, + "orcid": "" + } + ], + "tags": [ + "Brain Computer Interface in Rehabilitation", + "motor imagery EEG signals", + "Electroencephalogram wavelet analysis", + "Machine learning algorighms" + ], + "categories": [ + { + "id": 29161, + "title": "Deep learning", + "parent_id": 29152, + "path": "/28798/29152/29161", + "source_id": "461103", + "taxonomy_id": 100 + }, + { + "id": 27031, + "title": "Rehabilitation", + "parent_id": 27004, + "path": "/27001/27004/27031", + "source_id": "420109", + "taxonomy_id": 100 + }, + { + "id": 24739, + "title": "Neurology and neuromuscular diseases", + "parent_id": 24724, + "path": "/24457/24724/24739", + "source_id": "320905", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/Enhancing_classification_of_a_large_lower-limb_motor_imagery_EEG_dataset_for_BCI_in_knee_pain_patients/28740260", + "api_url": "https://api.figshare.com/v2/articles/28740260", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 53639936, + "name": "dataset_description.json", + "size_bytes": 2319, + "download_url": "https://ndownloader.figshare.com/files/53639936", + "md5": "8bdbc04333db1556efff4b143b3763f1" + }, + { + "id": 53639939, + "name": "Task-motor-imagery_channels.tsv", + "size_bytes": 714, + "download_url": "https://ndownloader.figshare.com/files/53639939", + "md5": "24908f3ccc7b6580d93c248d05953f49" + }, + { + "id": 53639948, + "name": "Task-motor-imagery_coordsystem.json", + "size_bytes": 361, + "download_url": "https://ndownloader.figshare.com/files/53639948", + "md5": "94654141207c04ceb2aa215b28bd6c18" + }, + { + "id": 53639951, + "name": "Task-motor-imagery_eeg.json", + "size_bytes": 558, + "download_url": "https://ndownloader.figshare.com/files/53639951", + "md5": "62411ce9d08bf6837299f9ee872e0d16" + }, + { + "id": 53639957, + "name": "Task-motor-imagery_events.json", + "size_bytes": 952, + "download_url": "https://ndownloader.figshare.com/files/53639957", + "md5": "fdb6b07352d03e92927d7af489240600" + }, + { + "id": 53639960, + "name": "README.md", + "size_bytes": 7464, + "download_url": "https://ndownloader.figshare.com/files/53639960", + "md5": "ad976564c45901801f2c5cca5a97969e" + }, + { + "id": 53639963, + "name": "Right-Leg.mp4", + "size_bytes": 608477, + "download_url": "https://ndownloader.figshare.com/files/53639963", + "md5": "a0fd3a82e751c3bf5a05b9593c83aef3" + }, + { + "id": 53639966, + "name": "Left-Leg.mp4", + "size_bytes": 566258, + "download_url": "https://ndownloader.figshare.com/files/53639966", + "md5": "454fe7b9f9946e6fb0d843cf4b62a105" + }, + { + "id": 53639969, + "name": "REST.jpg", + "size_bytes": 18293, + "download_url": "https://ndownloader.figshare.com/files/53639969", + "md5": "ad6a3b2a032b7582239de5bcc0b30d94" + }, + { + "id": 53639972, + "name": "Red_Ball.JPG", + "size_bytes": 20667, + "download_url": "https://ndownloader.figshare.com/files/53639972", + "md5": "a4c9257b5859107634bd708463e67e60" + } + ], + "file_count": 10, + "total_size_mb": 1.17, + "source": "figshare" + }, + { + "dataset_id": "28169963", + "doi": "10.6084/m9.figshare.28169963.v1", + "title": "Example manifest for the BIDS Siena Scalp EEG Database for evaluation with the SzCORE framework.", + "description": "

This is a manifest that describe which patients and runs are used across train/dev/test sets when using SzCORE evaluation (Dan et al., 2024) with this dataset.

References:

Dan, J., Pale, U., Amirshahi, A., Cappelletti, W., Ingolfsson, T. M., Wang, X., Cossettini, A., Bernini, A., Benini, L., Beniczky, S., Atienza, D., & Ryvlin, P. (2024). SzCORE: Seizure Community Open\u2010Source Research Evaluation framework for the validation of electroencephalography \u2010based automated seizure detection algorithms. Epilepsia, epi.18113. https://doi.org/10.1111/epi.18113

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-06-16T06:34:46Z", + "created_date": "2025-06-16T06:34:46Z", + "modified_date": "2025-06-16T06:34:47Z", + "authors": [ + { + "name": "Johnson Zhou", + "id": 19371541, + "orcid": "0009-0001-9030-3624" + } + ], + "tags": [ + "seizure detection performance" + ], + "categories": [ + { + "id": 24736, + "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", + "parent_id": 24724, + "path": "/24457/24724/24736", + "source_id": "320904", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/Example_manifest_for_the_BIDS_Siena_Scalp_EEG_Database_for_evaluation_with_the_SzCORE_framework_/28169963", + "api_url": "https://api.figshare.com/v2/articles/28169963", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 55402895, + "name": "siena.yaml", + "size_bytes": 6331, + "download_url": "https://ndownloader.figshare.com/files/55402895", + "md5": "f21b2aaba168598b78ef17bc2f5708ab" + } + ], + "file_count": 1, + "total_size_mb": 0.01, + "source": "figshare" + }, + { + "dataset_id": "27301629", + "doi": "10.6084/m9.figshare.27301629.v1", + "title": "An EEG-EMG Dataset from a Standardized Reaching Task for Biomarker Research in Upper Limb Assessment", + "description": "This work introduces a bimodal dataset designed to explore electrophysiological biomarkers for assessing assistive technologies in neurorehabilitation. Data were collected from 40 healthy participants performing 10 repetitions of three standardized reaching tasks assisted by an upper-limb exoskeleton. To standardize and simulate natural upper-limb movements relevant to daily activities, a custom-designed touch panel was used. High-density EEG (hd-EEG) and surface EMG (sEMG) were recorded to capture neuromechanical responses.\nThe dataset adheres to Brain Imaging Data Structure (BIDS) standard, in alignment with FAIR principles. We provide subject-level analyses of event-related spectral perturbation (ERSP), inter-trial coherence (ITC), and event-related synchronization/desynchronization (ERS/ERD) for EEG, along with time- and frequency-domain decomposition for EMG.\nBeyond evaluating assistive technologies, this dataset can be used for biosignal processing research, particularly for artifact removal and denoising techniques. It is also valuable for machine learning-based feature extraction, classification, and studying neuromechanical modulations during goal-oriented movements. Additionally, it can support research on human-robot interaction in non-clinical settings, hybrid brain-computer interfaces (BCIs) for robotic control and biomechanical modeling of upper-limb movements.", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-05-21T07:01:58Z", + "created_date": "2025-05-21T07:01:58Z", + "modified_date": "2025-05-21T07:01:59Z", + "authors": [ + { + "name": "Florencia Garro", + "id": 19947215, + "orcid": "0000-0001-8845-0281" + }, + { + "name": "Elena Fenoglio", + "id": 19947224, + "orcid": "0009-0002-2779-6574" + }, + { + "name": "Indya Ceroni", + "id": 19947230, + "orcid": "0000-0003-1251-1185" + }, + { + "name": "Inna Forsiuk", + "id": 19947239, + "orcid": "" + }, + { + "name": "Michele Canepa", + "id": 19958176, + "orcid": "0000-0002-6168-0332" + }, + { + "name": "Michael Mozzon", + "id": 19947248, + "orcid": "" + }, + { + "name": "Agnese Bruschi", + "id": 19947278, + "orcid": "" + }, + { + "name": "Francesco Zippo", + "id": 19947340, + "orcid": "" + }, + { + "name": "Matteo Laffranchi", + "id": 19958177, + "orcid": "0000-0003-1189-281X" + }, + { + "name": "Lorenzo De Michieli", + "id": 19958194, + "orcid": "0000-0001-7158-3002" + }, + { + "name": "Stefano Buccelli", + "id": 6924944, + "orcid": "" + }, + { + "name": "Michela Chiappalone", + "id": 19958197, + "orcid": "0000-0003-1427-5147" + }, + { + "name": "Marianna Semprini", + "id": 19947527, + "orcid": "0000-0001-5504-0251" + } + ], + "tags": [ + "Human Machine Interaction", + "assistive technology", + "Motor control", + "signal processing" + ], + "categories": [ + { + "id": 536, + "title": "Biomedical Engineering not elsewhere classified", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 535, + "title": "Rehabilitation Engineering", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 566, + "title": "Signal Processing", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 151, + "title": "Biomarkers", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC BY", + "url": "https://springernature.figshare.com/articles/dataset/An_EEG-EMG_Dataset_from_a_Standardized_Reaching_Task_for_Biomarker_Research_in_Upper_Limb_Assessment/27301629", + "api_url": "https://api.figshare.com/v2/articles/27301629", + "resource_title": "An EEG-EMG dataset from a standardized reaching task for biomarker research in upper limb assessment", + "resource_doi": "10.1038/s41597-025-05042-4", + "files": [ + { + "id": 49987098, + "name": "dataset_description.json", + "size_bytes": 790, + "download_url": "https://ndownloader.figshare.com/files/49987098", + "md5": "ffae34d599528e8cf07c8babfcec0360" + }, + { + "id": 49987101, + "name": "code.zip", + "size_bytes": 31389, + "download_url": "https://ndownloader.figshare.com/files/49987101", + "md5": "ce00a9cfe860f26483e51590106f8885" + }, + { + "id": 49987440, + "name": "participants.tsv", + "size_bytes": 765, + "download_url": "https://ndownloader.figshare.com/files/49987440", + "md5": "5d4c4189929630c3433e593cc308dcc3" + }, + { + "id": 49987443, + "name": "Derivatives.zip", + "size_bytes": 19095668221, + "download_url": "https://ndownloader.figshare.com/files/49987443", + "md5": "fe84f389a09af9c00824e7298af5b387" + }, + { + "id": 49987452, + "name": "README.txt", + "size_bytes": 348, + "download_url": "https://ndownloader.figshare.com/files/49987452", + "md5": "919cbe3d50f05556d05e6b92f1377fe5" + }, + { + "id": 49987455, + "name": "sub-01.zip", + "size_bytes": 331789106, + "download_url": "https://ndownloader.figshare.com/files/49987455", + "md5": "97de3022b180214d5e8314b99aeb7f4e" + }, + { + "id": 49987458, + "name": "sub-02.zip", + "size_bytes": 257838297, + "download_url": "https://ndownloader.figshare.com/files/49987458", + "md5": "0596ccaf757eaebec4e1361aaf572906" + }, + { + "id": 49987461, + "name": "sub-03.zip", + "size_bytes": 311044434, + "download_url": "https://ndownloader.figshare.com/files/49987461", + "md5": "893a4a3c236fb4153666b1b192d5b1cd" + }, + { + "id": 49987464, + "name": "sub-04.zip", + "size_bytes": 407679289, + "download_url": "https://ndownloader.figshare.com/files/49987464", + "md5": "eea5feed53f0f0470a8d876f3f450f28" + }, + { + "id": 49987467, + "name": "sub-05.zip", + "size_bytes": 280786858, + "download_url": "https://ndownloader.figshare.com/files/49987467", + "md5": "0076a105de6a95b7e23b83290aefafb4" + } + ], + "file_count": 10, + "total_size_mb": 19726.6, + "source": "figshare" + }, + { + "dataset_id": "25192793", + "doi": "10.6084/m9.figshare.25192793.v1", + "title": "Dynamic Causal Modelling of Face Processing with fMRI and M/EEG", + "description": "

This dataset consists of BIDS-formatted fMRI and M/EEG data from Wakeman & Henson (2015) that have been processed for DCM analysis. Multimodal data from fMRI, EEG, MEG magnetometers and MEG planar gradiometers from all 16 subjects have been processed with the analysis pipeline presented in Henson et al (2019). This dataset was prepared for demonstration of group-level estimation and inference of DCMs from fMRI and M/EEG data. The raw data can be found here: https://openneuro.org/datasets/ds000117

fMRI data is provided in two formats:

  1. fMRI_ProcessedData_Individual_Runs.tar.xz contains processed data per run per participant, about 8.9GB total.
  2. fMRI_DCMreadyData_VOI_TimeCourses.tar contains VOI time courses for 3 regions - bilateral EVC, and left and right FFA, obtained after reparametrizing and concatenating processed data per run. This totals up to about 440MB.

M/EEG data consists of averaged evoked sensor data for two conditions - faces and scrambled faces. Individual subjects' T1 images were used for creating head models. Forward models (leadfields) for all subjects are included in the dataset, which is provided in two formats:

  1. MEEG_DCMreadyData_with_GainMatrix.tar.xz consists of sensor data and leadfields - sufficient for inverting MEG, but not EEG data since forward models for the latter need BEM surfaces. This is compact, about 390MB.
  2. MEEG_DCMreadyData_with_GainMatrix_BEM.tar.xz consists of sensor data, leadfields and BEM surfaces - can be used for inverting either MEG or EEG data. This is considerably larger in size, about 2.5GB.

All four data packages listed above have corresponding file lists for inspection, as well as SHA256 and MD5 checksums for verification of data integrity. Note that the data are highly compressed and will expand to about twice their size on decompression. Please use 7zip on Windows or `tar -xvf filename` on Linux to extract. Scripts used to produce this dataset from the raw data, as well as as scripts demonstrating group DCM analysis can be found here: https://github.com/pranaysy/MultimodalDCM.

For more information or queries, please get in touch, or open an issue on the GitHub repository linked above.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2024-02-08T22:21:26Z", + "created_date": "2024-02-08T22:21:26Z", + "modified_date": "2024-02-08T22:21:26Z", + "authors": [ + { + "name": "Pranay Yadav", + "id": 13795687, + "orcid": "" + }, + { + "name": "Rik Henson", + "id": 6288980, + "orcid": "" + } + ], + "tags": [ + "dynamic causal modeling (DCM)", + "Dynamic Causal Model", + "Face Processing", + "MEG Data", + "Inverse Modelling", + "EEG Data", + "SPM12", + "Tutorial", + "Computational Modelling", + "Bayesian modelling and inference", + "BIDS format", + "Neuroscience", + "fMRI Data", + "BOLD imaging", + "Open Science", + "Open Source", + "Generative Modelling", + "Biophysical Modelling", + "Jansen-Rit", + "neurophysiology and the brain" + ], + "categories": [ + { + "id": 24736, + "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", + "parent_id": 24724, + "path": "/24457/24724/24736", + "source_id": "320904", + "taxonomy_id": 100 + }, + { + "id": 30334, + "title": "Cognitive neuroscience", + "parent_id": 30325, + "path": "/30292/30325/30334", + "source_id": "520203", + "taxonomy_id": 100 + }, + { + "id": 24208, + "title": "Bioinformatics and computational biology not elsewhere classified", + "parent_id": 24181, + "path": "/24130/24181/24208", + "source_id": "310299", + "taxonomy_id": 100 + }, + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + }, + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + } + ], + "license": "Apache 2.0", + "url": "https://figshare.com/articles/dataset/Dynamic_Causal_Modelling_of_Face_Processing_with_fMRI_and_M_EEG/25192793", + "api_url": "https://api.figshare.com/v2/articles/25192793", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 44476757, + "name": "fMRI_DCMreadyData_VOI_TimeCourses.tar.xz", + "size_bytes": 464080424, + "download_url": "https://ndownloader.figshare.com/files/44476757", + "md5": "95aa721b5a143eec9d1902955d85cea4" + }, + { + "id": 44477318, + "name": "fMRI_DCMreadyData_VOI_TimeCourses_FileList.txt", + "size_bytes": 6328, + "download_url": "https://ndownloader.figshare.com/files/44477318", + "md5": "5d89d50c59a6a4f0de5d1dad4400c4ca" + }, + { + "id": 44476754, + "name": "MEEG_DCMreadyData_with_GainMatrix.tar.xz", + "size_bytes": 409096144, + "download_url": "https://ndownloader.figshare.com/files/44476754", + "md5": "f3b58c7eb9540c78b52bed790dd7695f" + }, + { + "id": 44477327, + "name": "MEEG_DCMreadyData_with_GainMatrix_FileList.txt", + "size_bytes": 5820, + "download_url": "https://ndownloader.figshare.com/files/44477327", + "md5": "0b157a6cde51d1cc44983e91a64339ca" + }, + { + "id": 44476886, + "name": "fMRI_ProcessedData_Individual_Runs.tar.xz", + "size_bytes": 9514845812, + "download_url": "https://ndownloader.figshare.com/files/44476886", + "md5": "c56267f7eae40f0f5c522e2b5408259c" + }, + { + "id": 44477321, + "name": "fMRI_ProcessedData_Individual_Runs_FileList.txt", + "size_bytes": 31212, + "download_url": "https://ndownloader.figshare.com/files/44477321", + "md5": "ffb4e48f1c034856b10f96bf63ac67e5" + }, + { + "id": 44476769, + "name": "MEEG_DCMreadyData_with_GainMatrix_BEM.tar.xz", + "size_bytes": 2702628888, + "download_url": "https://ndownloader.figshare.com/files/44476769", + "md5": "eb2dc0fd42ff40b88f58314370b811d5" + }, + { + "id": 44477324, + "name": "MEEG_DCMreadyData_with_GainMatrix_BEM_FileList.txt", + "size_bytes": 9688, + "download_url": "https://ndownloader.figshare.com/files/44477324", + "md5": "57361d3344733b3f9ee4bd137f713f7e" + }, + { + "id": 44477174, + "name": "Checksums_SHA256.txt", + "size_bytes": 433, + "download_url": "https://ndownloader.figshare.com/files/44477174", + "md5": "76472236511bf7ad3a05793881fc1945" + }, + { + "id": 44477177, + "name": "Cheksums_MD5.txt", + "size_bytes": 305, + "download_url": "https://ndownloader.figshare.com/files/44477177", + "md5": "abc23529ae4eef8187099ae85c01f4f2" + } + ], + "file_count": 10, + "total_size_mb": 12484.27, + "source": "figshare" + }, + { + "dataset_id": "25037045", + "doi": "10.6084/m9.figshare.25037045.v4", + "title": "Movie annotations for: Multimodal single-neuron, intracranial EEG, and fMRI brain responses during movie watching in human patients", + "description": "

Movie annotations for the manuscript: \"Multimodal brain responses during movie watching: single-neuron, intracranial EEG, and fMRI in human patients\"

Authors: Umit Keles, Julien Dubois, Kevin J. M. Le, J. Michael Tyszka, David A. Kahn, Chrystal M. Reed, Jeffrey M. Chung, Adam N. Mamelak, Ralph Adolphs, Ueli Rutishauser

Abstract: We present a multimodal dataset of intracranial recordings, fMRI, and eye tracking in 20 participants during movie watching. Recordings consist of single neurons, local field potential, and intracranial EEG activity acquired from depth electrodes targeting the amygdala, hippocampus, and medial frontal cortex implanted for monitoring of epileptic seizures. Participants watched an 8-min long excerpt from the video \"Bang! You're Dead\" and performed a recognition memory test for movie content. 3\u2009T fMRI activity was recorded prior to surgery in 11 of these participants while performing the same task. This NWB- and BIDS-formatted dataset includes spike times, field potential activity, behavior, eye tracking, electrode locations, demographics, and functional and structural MRI scans. For technical validation, we provide signal quality metrics, assess eye tracking quality, behavior, the tuning of cells and high-frequency broadband power field potentials to familiarity and event boundaries, and show brain-wide inter-subject correlations for fMRI. This dataset will facilitate the investigation of brain activity during movie watching, recognition memory, and the neural basis of the fMRI-BOLD signal.

This dataset accompanies the following data descriptor: Keles, U., Dubois, J., Le, K.J.M., Tyszka, J.M., Kahn, D.A., Reed, C.M., Chung, J.M., Mamelak, A.N., Adolphs, R. and Rutishauser, U. Multimodal single-neuron, intracranial EEG, and fMRI brain responses during movie watching in human patients. Sci Data 11, 214 (2024). https://doi.org/10.1038/s41597-024-03029-1

Related code: https://github.com/rutishauserlab/bmovie-release-NWB-BIDS

Intracranial recording data: https://dandiarchive.org/dandiset/000623

fMRI data: https://openneuro.org/datasets/ds004798/


", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2024-01-30T21:17:01Z", + "created_date": "2024-01-30T21:17:01Z", + "modified_date": "2024-02-27T20:41:49Z", + "authors": [ + { + "name": "Umit Keles", + "id": 17821706, + "orcid": "" + }, + { + "name": "Julien Dubois", + "id": 351876, + "orcid": "" + }, + { + "name": "Kevin J. M. Le", + "id": 17821725, + "orcid": "" + }, + { + "name": "J. Michael Tyszka", + "id": 4523851, + "orcid": "" + }, + { + "name": "David A. Kahn", + "id": 11534227, + "orcid": "" + }, + { + "name": "Chrystal M. Reed", + "id": 5011316, + "orcid": "" + }, + { + "name": "Jeffrey M. Chung", + "id": 5011319, + "orcid": "" + }, + { + "name": "Adam N. Mamelak", + "id": 281705, + "orcid": "" + }, + { + "name": "Ralph Adolphs", + "id": 217684, + "orcid": "" + }, + { + "name": "Ueli Rutishauser", + "id": 686011, + "orcid": "" + } + ], + "tags": [ + "movie watching" + ], + "categories": [ + { + "id": 30334, + "title": "Cognitive neuroscience", + "parent_id": 30325, + "path": "/30292/30325/30334", + "source_id": "520203", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/Movie_annotations_for_the_manuscript_Multimodal_brain_responses_during_movie_watching_single-neuron_intracranial_EEG_and_fMRI_in_human_patients_/25037045", + "api_url": "https://api.figshare.com/v2/articles/25037045", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 44169479, + "name": "short_faceannots.pkl", + "size_bytes": 3425448, + "download_url": "https://ndownloader.figshare.com/files/44169479", + "md5": "09bd7eadf825a430499ec8050bdaad45" + }, + { + "id": 44169482, + "name": "scenecut_info.csv", + "size_bytes": 4399, + "download_url": "https://ndownloader.figshare.com/files/44169482", + "md5": "29d6b38f08cc0d9b3bf90ca8973440b5" + }, + { + "id": 44169485, + "name": "scanner_questionnaire.csv", + "size_bytes": 685, + "download_url": "https://ndownloader.figshare.com/files/44169485", + "md5": "dea1d613df915daeb76ee93a9d6955ba" + } + ], + "file_count": 3, + "total_size_mb": 3.27, + "source": "figshare" + }, + { + "dataset_id": "22260892", + "doi": "10.3389/fnbeh.2023.1147140.s001", + "title": "Data_Sheet_1_Neural mechanisms of expert persuasion on willingness to pay for sugar.pdf", + "description": "

Introduction: Sugar consumption is associated with many negative health consequences. It is, therefore, important to understand what can effectively influence individuals to consume less sugar. We recently showed that a healthy eating call by a health expert can significantly decrease the willingness to pay (WTP) for sugar-containing food. Here, we investigate which aspects of neural responses to the same healthy eating call can predict the efficacy of expert persuasion.

Methods: Forty-five healthy participants performed two blocks of a bidding task, in which they had to bid on sugar-containing, sugar-free and non-edible products, while their electroencephalography (EEG) was recorded. In between the two blocks, they listened to a healthy eating call by a nutritionist emphasizing the risks of sugar consumption.

Results: We found that after listening to the healthy eating call, participants significantly decreased their WTP for sugar-containing products. Moreover, a higher intersubject correlation of EEG (a measure of engagement) during listening to the healthy eating call resulted in a larger decrease in WTP for sugar-containing food. Whether or not a participant\u2019s valuation of a product was highly influenced by the healthy eating call could also be predicted by spatiotemporal patterns of EEG responses to the healthy eating call, using a machine learning classification model. Finally, the healthy eating call increased the amplitude of the P300 component of the visual event-related potential in response to sugar-containing food.

Disussion: Overall, our results shed light on the neural basis of expert persuasion and demonstrate that EEG is a powerful tool to design and assess health-related advertisements before they are released to the public.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2023-03-13T04:21:28Z", + "created_date": "2023-03-13T04:21:28Z", + "modified_date": "2023-06-09T11:10:41Z", + "authors": [ + { + "name": "Ioannis Ntoumanis", + "id": 11904629, + "orcid": "" + }, + { + "name": "Alina Davydova", + "id": 14781514, + "orcid": "" + }, + { + "name": "Julia Sheronova", + "id": 14781517, + "orcid": "" + }, + { + "name": "Ksenia Panidi", + "id": 5991186, + "orcid": "" + }, + { + "name": "Vladimir Kosonogov", + "id": 4415392, + "orcid": "" + }, + { + "name": "Anna N. Shestakova", + "id": 11518855, + "orcid": "" + }, + { + "name": "Iiro P. J\u00e4\u00e4skel\u00e4inen", + "id": 11904638, + "orcid": "" + }, + { + "name": "Vasily Klucharev", + "id": 5906300, + "orcid": "" + } + ], + "tags": [ + "expert persuasion", + "sugar", + "EEG", + "healthy eating", + "machine learning", + "intersubject correlation", + "willingness to pay", + "social influence" + ], + "categories": [ + { + "id": 448, + "title": "Computer Perception, Memory and Attention", + "parent_id": 18, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 449, + "title": "Decision Making", + "parent_id": 18, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 362, + "title": "Central Nervous System", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 11, + "title": "Behavioral Neuroscience", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 15, + "title": "Neuroscience", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 341, + "title": "Exercise Physiology", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 342, + "title": "Motor Control", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC BY 4.0", + "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Neural_mechanisms_of_expert_persuasion_on_willingness_to_pay_for_sugar_pdf/22260892", + "api_url": "https://api.figshare.com/v2/articles/22260892", + "resource_title": "Neural mechanisms of expert persuasion on willingness to pay for sugar", + "resource_doi": "10.3389/fnbeh.2023.1147140", + "files": [ + { + "id": 39563839, + "name": "Data_Sheet_1_Neural mechanisms of expert persuasion on willingness to pay for sugar.pdf", + "size_bytes": 249229, + "download_url": "https://ndownloader.figshare.com/files/39563839", + "md5": "b15a032fe592ca85309f641ed62f57de" + } + ], + "file_count": 1, + "total_size_mb": 0.24, + "source": "figshare" + }, + { + "dataset_id": "21342066", + "doi": "10.6084/m9.figshare.21342066.v1", + "title": "Face processing M/EEG data for Dynamic Causal Modelling (Faces vs Scrambled)", + "description": "

\u00a0

\n

This dataset consists of BIDS-formatted M/EEG data from Wakeman & Henson (2015) that have been processed for DCM analysis. Multimodal data from EEG, MEG magnetometers and MEG planar gradiometers from all 16 subjects have been processed with the analysis pipeline presented in Henson et al (2019). Individual subjects' T1 images were used for creating head models. Forward models (leadfields) for all subjects are included in the dataset.

\n

The file 'derivatives_dcm_ready_with_gainmat_all_subjects.zip' consists of dcm-ready data for all 16 subjects\u00a0

\n

Each subject's data consists of 3 files:

\n
    \n
  1. SPM sidecar data file: wmaMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.dat
  2. \n
  3. SPM data header file: wmaMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.mat
  4. \n
  5. Gain matrix (forward model): SPMgainmatrix_wmaMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg_1.mat
  6. \n
\n

*XX here indicates zero-padded subject number (01, 02, ...). Supplied filelist.txt contains the full filelist and folder hierarchy inside the compressed zip archive.

\n


\n

This dataset was prepared for demonstration of group-level estimation and inference of DCMs from M/EEG data. The raw data can be found here: https://openneuro.org/datasets/ds000117

\n

Scripts used to produce this dataset from the raw data, as well as as scripts demonstrating group DCM analysis can be found here:https://github.com/pranaysy/cognestic22_multimodal_dcm

\n


\n

For more information or queries, please get in touch, or open an issue on the GitHub repository linked above.

\n


\n

Note: This dataset differs from https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling/21130297 in that this one has two conditions: famous and unfamiliar faces have been merged into one condition and scrambled faces. The linked one has three conditions: famous faces, unfamiliar faces and scrambled faces.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-10-16T13:49:44Z", + "created_date": "2022-10-16T13:49:44Z", + "modified_date": "2023-06-06T05:19:31Z", + "authors": [ + { + "name": "Pranay Yadav", + "id": 13795687, + "orcid": "" + }, + { + "name": "Rik Henson", + "id": 6288980, + "orcid": "" + } + ], + "tags": [ + "Dynamic Causal Model", + "Face Processing", + "MEG data", + "EEG data", + "SPM12", + "Tutorial", + "Computational modelling", + "BIDS-Processed", + "Neuroscience", + "Neurocognitive Patterns and Neural Networks", + "Neuroscience and Physiological Psychology" + ], + "categories": [ + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + }, + { + "id": 30334, + "title": "Cognitive neuroscience", + "parent_id": 30325, + "path": "/30292/30325/30334", + "source_id": "520203", + "taxonomy_id": 100 + }, + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + } + ], + "license": "Apache 2.0", + "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling_Faces_vs_Scrambled_/21342066", + "api_url": "https://api.figshare.com/v2/articles/21342066", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 37875888, + "name": "derivatives_dcm_ready_with_gainmat_all_subjects.zip", + "size_bytes": 400639550, + "download_url": "https://ndownloader.figshare.com/files/37875888", + "md5": "b42323efb77f3ca81c851adb7a786656" + }, + { + "id": 37875891, + "name": "filelist.txt", + "size_bytes": 5916, + "download_url": "https://ndownloader.figshare.com/files/37875891", + "md5": "1067066a38032633dd6bedf6b9500408" + } + ], + "file_count": 2, + "total_size_mb": 382.09, + "source": "figshare" + }, + { + "dataset_id": "21130297", + "doi": "10.6084/m9.figshare.21130297.v2", + "title": "Face processing M/EEG data for Dynamic Causal Modelling", + "description": "

This dataset consists of BIDS-formatted M/EEG data from Wakeman & Henson (2015) that have been processed for DCM analysis. Multimodal data from EEG, MEG magnetometers and MEG planar gradiometers from all 16 subjects have been processed with the analysis pipeline presented in Henson et al (2019). Individual subjects' T1 images were used for creating head models. Forward models (leadfields) for all subjects are included in the dataset.

\n


\n

The file 'derivatives_dcm_ready_with_gainmat_all_subjects.zip' consists of dcm-ready data for all 16 subjects, while the file 'derivatives_dcm_ready_with_gainmat_single_subjects.zip' consists of dcm-ready data for a single subject (sub-01).\u00a0

\n


\n

Each subject's data consists of 3 files:

\n
    \n
  1. SPM sidecar data file: maMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.dat
  2. \n
  3. SPM data header file: maMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.mat
  4. \n
  5. Gain matrix (forward model): SPMgainmatrix_maMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg_1.mat
  6. \n
\n

*XX here indicates zero-padded subject number (01, 02, ...). Supplied filelist.txt contains the full filelist and folder hierarchy inside the compressed zip archive.

\n


\n

This dataset was prepared for demonstration of group-level estimation and inference of DCMs from M/EEG data. The raw data can be found here: https://openneuro.org/datasets/ds000117

\n


\n

Scripts used to produce this dataset from the raw data, as well as as scripts demonstrating group DCM analysis can be found here: https://github.com/pranaysy/DCM-MEEG-Demo

\n


\n

For more information or queries, please get in touch, or open an issue on the GitHub repository linked above.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-09-28T13:14:33Z", + "created_date": "2022-09-28T13:14:33Z", + "modified_date": "2023-06-03T11:36:51Z", + "authors": [ + { + "name": "Pranay Yadav", + "id": 13795687, + "orcid": "" + }, + { + "name": "Rik Henson", + "id": 6288980, + "orcid": "" + } + ], + "tags": [ + "Dynamic Causal Model", + "Face Processing", + "MEG data", + "EEG data", + "SPM12", + "Tutorial", + "Computational modelling", + "BIDS-Processed", + "Neuroscience and Physiological Psychology", + "Neuroscience", + "Neurocognitive Patterns and Neural Networks" + ], + "categories": [ + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + }, + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + }, + { + "id": 30334, + "title": "Cognitive neuroscience", + "parent_id": 30325, + "path": "/30292/30325/30334", + "source_id": "520203", + "taxonomy_id": 100 + } + ], + "license": "Apache 2.0", + "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling/21130297", + "api_url": "https://api.figshare.com/v2/articles/21130297", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 37483753, + "name": "derivatives_dcm_ready_with_gainmat_all_subjects.zip", + "size_bytes": 403333442, + "download_url": "https://ndownloader.figshare.com/files/37483753", + "md5": "2ae4a93385552ff012f06fa918619ef7" + }, + { + "id": 37483833, + "name": "filelist.txt", + "size_bytes": 5363, + "download_url": "https://ndownloader.figshare.com/files/37483833", + "md5": "5f3a6a2fd3b3d96c690e478643fd04d9" + }, + { + "id": 37636502, + "name": "derivatives_dcm_ready_with_gainmat_single_subject.zip", + "size_bytes": 25152399, + "download_url": "https://ndownloader.figshare.com/files/37636502", + "md5": "4bbfe99715558d2965386df31590ee77" + } + ], + "file_count": 3, + "total_size_mb": 408.64, + "source": "figshare" + }, + { + "dataset_id": "19776004", + "doi": "10.6084/m9.figshare.19776004.v1", + "title": "EEG Dataset for RSVP and P300 Speller Brain-Computer Interfaces", + "description": "BIDS-EEG format for the entire dataset", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-07-06T14:32:43Z", + "created_date": "2022-07-06T14:32:43Z", + "modified_date": "2022-07-06T14:33:33Z", + "authors": [ + { + "name": "Sung Chan Jun", + "id": 11884040, + "orcid": "" + }, + { + "name": "Kyungho Won", + "id": 5648575, + "orcid": "" + }, + { + "name": "Moonyoung Kwon", + "id": 11884043, + "orcid": "" + }, + { + "name": "Minkyu Ahn", + "id": 488737, + "orcid": "" + } + ], + "tags": [ + "brain-computer interface", + "P300 speller", + "RSVP", + "EEG" + ], + "categories": [ + { + "id": 42, + "title": "Biological Engineering", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 16, + "title": "Physiology", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 15, + "title": "Neuroscience", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC0", + "url": "https://springernature.figshare.com/articles/dataset/EEG_Dataset_for_RSVP_and_P300_Speller_Brain-Computer_Interfaces/19776004", + "api_url": "https://api.figshare.com/v2/articles/19776004", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 35134714, + "name": "Won2022_BIDS.zip", + "size_bytes": 9827675902, + "download_url": "https://ndownloader.figshare.com/files/35134714", + "md5": "9377d13d4fb3ffd35055b997813c5d94" + } + ], + "file_count": 1, + "total_size_mb": 9372.4, + "source": "figshare" + }, + { + "dataset_id": "14891607", + "doi": "10.17045/sthlmuni.14891607.v1", + "title": "Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia", + "description": "

Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia

\n


\n

1. Title of Dataset:

\n

Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia

\n


\n

2. Author Information

\n

\u00a0\u00a0\u00a0Principal Investigator Contact Information

\n

Name: Stefan Wiens

\n

Institution: Department of Psychology, Stockholm University, Sweden

\n

Internet: https://www.su.se/profiles/swiens-1.184142

\n

Email: sws@psychology.su.se

\n


\n

3. Date of data collection:\u00a0

\n

Subjects (N = 70 patients and N = 53 controls) were tested between 2015-sep-30 and 2016-jan-15.

\n


\n

4. Geographic location of data collection: Department of Psychology, Stockholm, Sweden

\n


\n

5. Information about funding sources that supported the collection of the data:

\n

Marcus och Amalia Wallenbergs minnesfond (2019-0102)

\n


\n

SHARING/ACCESS INFORMATION

\n

1. Licenses/restrictions placed on the data: CC BY 4.0

\n

2. Links to publications that cite or use the data: Wiens, S., Eklund, R., Szychowska, M., Miloff, A., Cosme, D., Pierzchajlo, S., & Carlbring, P. (2022). Electrophysiological correlates of in vivo and virtual reality exposure therapy in spider phobia. Psychophysiology. https://doi.org/10.1111/psyp.14117

\n

3. Links to other publicly accessible locations of the data: N/A

\n

4. Links/relationships to ancillary data sets: N/A

\n

5. Was data derived from another source? No

\n

6. Recommended citation for this dataset: Eklund R., & Wiens S. (2022). Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia. Stockholm: Stockholm University. https://doi.org/10.17045/sthlmuni.14891607

\n


\n

DATA & FILE OVERVIEW

\n

The files contain the raw data, scripts, and results of main and supplementary analyses of the electroencephalography (EEG) study reported in the main publication.

\n

VR_spider_LMM.html, VR_spider_LMM_exclude_target_trials.html, VR_spider_analyze_clinical_data: Main results files (also included in R_scripts.zip)

\n

supplement_CritiqueOfLeutgebStudies.pdf: Critique of previous studies

\n

supplement_PilotStudy.pdf: Description of pilot study

\n

data_bids.zip: EEG data in bids format

\n

MNE-python.zip: MNE-python scripts to preprocess EEG data together with preprocessed data

\n

R_scripts.zip: R scripts to analyze the EEG mean amplitudes and behavioral data

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-06-14T14:26:25Z", + "created_date": "2022-06-14T14:26:25Z", + "modified_date": "2023-05-30T21:25:43Z", + "authors": [ + { + "name": "Stefan Wiens", + "id": 3862558, + "orcid": "0000-0003-4531-4313" + }, + { + "name": "Rasmus Eklund", + "id": 4543201, + "orcid": "" + } + ], + "tags": [ + "spider phobia", + "EEG", + "treatment", + "LPP", + "EPN", + "Clinical Psychology", + "Biological Psychology (Neuropsychology, Psychopharmacology, Physiological Psychology)", + "Neuroscience and Physiological Psychology" + ], + "categories": [ + { + "id": 30358, + "title": "Clinical psychology", + "parent_id": 30352, + "path": "/30292/30352/30358", + "source_id": "520302", + "taxonomy_id": 100 + }, + { + "id": 30340, + "title": "Psychopharmacology", + "parent_id": 30325, + "path": "/30292/30325/30340", + "source_id": "520205", + "taxonomy_id": 100 + }, + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://su.figshare.com/articles/dataset/Open_data_Electrophysiological_correlates_of_in-vivo_and_virtual_reality_therapy_in_spider_phobia/14891607", + "api_url": "https://api.figshare.com/v2/articles/14891607", + "resource_title": "Electrophysiological correlates of in vivo and virtual reality exposure therapy in spider phobia", + "resource_doi": "10.1111/psyp.14117", + "files": [ + { + "id": 35876660, + "name": "readme.txt", + "size_bytes": 2432, + "download_url": "https://ndownloader.figshare.com/files/35876660", + "md5": "74244cbcb03aacdcc6e60ea51c656e36" + }, + { + "id": 35099563, + "name": "VR_spider_LMM.html", + "size_bytes": 4954246, + "download_url": "https://ndownloader.figshare.com/files/35099563", + "md5": "5c2439e0d53e970a3d2a261860a42c2c" + }, + { + "id": 35099560, + "name": "VR_spider_analyze_clinical_data.html", + "size_bytes": 1251595, + "download_url": "https://ndownloader.figshare.com/files/35099560", + "md5": "520a69675a78c9e531b5bf0ca09a8f81" + }, + { + "id": 31642838, + "name": "VR_spider_LMM_exclude_target_trials.html", + "size_bytes": 5030529, + "download_url": "https://ndownloader.figshare.com/files/31642838", + "md5": "8791f202694872717b64691c29974c0c" + }, + { + "id": 31642823, + "name": "supplement_CritiqueOfLeutgebStudies.pdf", + "size_bytes": 95218, + "download_url": "https://ndownloader.figshare.com/files/31642823", + "md5": "a73e2f94c87186fd3ad042f29f025ba8" + }, + { + "id": 31642826, + "name": "supplement_PilotStudy.pdf", + "size_bytes": 42005, + "download_url": "https://ndownloader.figshare.com/files/31642826", + "md5": "1d218ee77c864334445dcae9d90be5a9" + }, + { + "id": 35871053, + "name": "R_scripts.zip", + "size_bytes": 2961325290, + "download_url": "https://ndownloader.figshare.com/files/35871053", + "md5": "29c7816a8c4b660069356c15fe4530ab" + }, + { + "id": 35875994, + "name": "data_bids.zip", + "size_bytes": 4329288013, + "download_url": "https://ndownloader.figshare.com/files/35875994", + "md5": "29f2ea8ad414d68c28e6754beb24f365" + }, + { + "id": 35876855, + "name": "MNE-python.zip", + "size_bytes": 3131464012, + "download_url": "https://ndownloader.figshare.com/files/35876855", + "md5": "80a7b61d7eb277d037c8a62caebdd78e" + } + ], + "file_count": 9, + "total_size_mb": 9950.12, + "source": "figshare" + }, + { + "dataset_id": "19046345", + "doi": "10.6084/m9.figshare.19046345.v1", + "title": "BIDS dataset for BIDS Manager-Pipeline", + "description": "This folder contains data organised in BIDS format to test BIDS Manager-Pipeline (https://github.com/Dynamap/BIDS_Manager/tree/dev).", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-01-25T11:54:23Z", + "created_date": "2022-01-25T11:54:23Z", + "modified_date": "2023-05-31T00:08:06Z", + "authors": [ + { + "name": "Aude Jegou", + "id": 11993306, + "orcid": "" + }, + { + "name": "Nicolas Roehri", + "id": 3817144, + "orcid": "0000-0002-6948-1055" + }, + { + "name": "Samuel Medina Villalon", + "id": 8257659, + "orcid": "" + } + ], + "tags": [ + "BIDS data", + "iEEG (intracranial EEG)", + "MRI", + "Data Structures", + "Neuroscience" + ], + "categories": [ + { + "id": 29221, + "title": "Data structures and algorithms", + "parent_id": 29206, + "path": "/28798/29206/29221", + "source_id": "461305", + "taxonomy_id": 100 + }, + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/BIDS_dataset_for_BIDS_Manager-Pipeline/19046345", + "api_url": "https://api.figshare.com/v2/articles/19046345", + "resource_title": "", + "resource_doi": "", + "files": [ + { + "id": 33868130, + "name": "BIDS_dataset.zip", + "size_bytes": 331648088, + "download_url": "https://ndownloader.figshare.com/files/33868130", + "md5": "" + } + ], + "file_count": 1, + "total_size_mb": 316.28, + "source": "figshare" + }, + { + "dataset_id": "7834442", + "doi": "10.6084/m9.figshare.7834442.v10", + "title": "Corticothalamic communication under analgesia, sedation and gradual ischemia: a multimodal model of controlled gradual cerebral ischemia in pig", + "description": "

Brain injuries and ensuing neurological abnormalities due to chronic hypoxia are among the most frequent causes and difficult to detect reliably. Prevention strategies require novel accurate methods. We showed that electrocorticogram's mutual information properties (ECoG) contain information about corticothalamic communication, which can be quantified without invasive insertion of the thalamic electrodes.

Here we present the method and the data set to derive ECoG/EEG biomarkers of corticothalamic communication under normal, sedation and hypoxic/ischemic conditions.

We hypothesize that the proposed biomarkers of corticothalamic communication derived from EEG alone will signal increased risk for or an imminent brain injury from short periods of data (less than 10 min).

We present signal-analytical approaches to derive a signature of coupling between the ECoG and electrothalamogram (EThG) signals that were recorded under conditions of gradual ischemia in juvenile pigs.

We hope this data set will contribute to development of new brain monitoring technologies to improve prevention of neurological injuries.

All experiments have been approved by the responsible animal ethics committee.


BIDS version of the dataset can also be found on OpenNeuro:

DOI:

10.18112/openneuro.ds003380.v1.0.0

Publication: https://www.nature.com/articles/s41597-020-00781-y
", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2021-11-02T04:40:43Z", + "created_date": "2021-11-02T04:40:43Z", + "modified_date": "2023-05-31T11:12:33Z", + "authors": [ + { + "name": "Martin Frasch", + "id": 5754731, + "orcid": "0000-0003-3159-6321" + }, + { + "name": "Reinhard Bauer", + "id": 6449496, + "orcid": "0000-0002-4294-3758" + } + ], + "tags": [ + "sus scrofa", + "EEG", + "brain ischemia\u2013diagnosis", + "signal analysis methods", + "Neuroscience" + ], + "categories": [ + { + "id": 24748, + "title": "Neurosciences not elsewhere classified", + "parent_id": 24724, + "path": "/24457/24724/24748", + "source_id": "320999", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://figshare.com/articles/dataset/Corticothalamic_communication_under_analgesia_sedation_and_gradual_ischemia_a_multimodal_model_of_controlled_gradual_cerebral_ischemia_in_pig/7834442", + "api_url": "https://api.figshare.com/v2/articles/7834442", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 31296412, + "name": "readme.txt", + "size_bytes": 2151, + "download_url": "https://ndownloader.figshare.com/files/31296412", + "md5": "ec8deb2b0ba3b842430e09e32392a204" + }, + { + "id": 24956495, + "name": "Roadmap_for_file_assessment.ods", + "size_bytes": 24389, + "download_url": "https://ndownloader.figshare.com/files/24956495", + "md5": "6ba73d45daaa7a4e1bd4710a1b050bae" + }, + { + "id": 24960203, + "name": "study_data_overview_and_measured_parameters.ods", + "size_bytes": 51960, + "download_url": "https://ndownloader.figshare.com/files/24960203", + "md5": "4161bd39aca670f32e7936d1ba330b72" + }, + { + "id": 24960167, + "name": "BIDS.zip", + "size_bytes": 1514575863, + "download_url": "https://ndownloader.figshare.com/files/24960167", + "md5": "1102c1c204913ece25b6c723c71c82dd" + }, + { + "id": 24754505, + "name": "channel_locations.locs", + "size_bytes": 161, + "download_url": "https://ndownloader.figshare.com/files/24754505", + "md5": "d781cf3692c385330dc72481661f3fb8" + }, + { + "id": 24959216, + "name": "Raw_data_all_states_16_channels_2000Hz_EDF.zip", + "size_bytes": 1511656713, + "download_url": "https://ndownloader.figshare.com/files/24959216", + "md5": "156dc6e329c34370c605d8f5159ed9c4" + }, + { + "id": 25516904, + "name": "STUDY_EEGLAB_all_data.zip", + "size_bytes": 2116086275, + "download_url": "https://ndownloader.figshare.com/files/25516904", + "md5": "46e01cacc31a55e8daec15d683e4af59" + }, + { + "id": 25014944, + "name": "Results_Figshare.zip", + "size_bytes": 160485972, + "download_url": "https://ndownloader.figshare.com/files/25014944", + "md5": "6b8ff8b094a3bd8034a31207e84e8425" + }, + { + "id": 24949709, + "name": "Validation_HRV_analysis_sedation_ischemia_recovery.zip", + "size_bytes": 369102, + "download_url": "https://ndownloader.figshare.com/files/24949709", + "md5": "f0d55c9c269cf1cf85366d6cf68877e6" + }, + { + "id": 21664011, + "name": "ECOG-ECG.zip", + "size_bytes": 70097827, + "download_url": "https://ndownloader.figshare.com/files/21664011", + "md5": "80ba3220eaaf3d5fa586992919e06d95" + } + ], + "file_count": 10, + "total_size_mb": 5124.43, + "source": "figshare" + }, + { + "dataset_id": "14795988", + "doi": "10.3389/fpsyt.2021.682495.s001", + "title": "Data_Sheet_1_Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies.docx", + "description": "

Neuroscience studies require considerable bioinformatic support and expertise. Numerous high-dimensional and multimodal datasets must be preprocessed and integrated to create robust and reproducible analysis pipelines. We describe a common data elements and scalable data management infrastructure that allows multiple analytics workflows to facilitate preprocessing, analysis and sharing of large-scale multi-level data. The process uses the Brain Imaging Data Structure (BIDS) format and supports MRI, fMRI, EEG, clinical, and laboratory data. The infrastructure provides support for other datasets such as Fitbit and flexibility for developers to customize the integration of new types of data. Exemplar results from 200+ participants and 11 different pipelines demonstrate the utility of the infrastructure.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2021-06-17T04:52:50Z", + "created_date": "2021-06-17T04:52:50Z", + "modified_date": "2023-06-03T05:20:01Z", + "authors": [ + { + "name": "Rayus Kuplicki", + "id": 9128045, + "orcid": "" + }, + { + "name": "James Touthang", + "id": 10984074, + "orcid": "" + }, + { + "name": "Obada Al Zoubi", + "id": 5472614, + "orcid": "" + }, + { + "name": "Ahmad Mayeli", + "id": 5472617, + "orcid": "" + }, + { + "name": "Masaya Misaki", + "id": 521986, + "orcid": "" + }, + { + "name": "NeuroMAP-Investigators", + "id": 10984077, + "orcid": "" + }, + { + "name": "Robin L. Aupperle", + "id": 10655887, + "orcid": "" + }, + { + "name": "T. Kent Teague", + "id": 10984080, + "orcid": "" + }, + { + "name": "Brett A. McKinney", + "id": 10113322, + "orcid": "" + }, + { + "name": "Martin P. Paulus", + "id": 9128051, + "orcid": "" + }, + { + "name": "Jerzy Bodurka", + "id": 344741, + "orcid": "" + } + ], + "tags": [ + "human brain", + "neuroimaging", + "multi-level assessment", + "large-scale studies", + "common data element", + "data processing pipelines", + "scalable analytics", + "bids format" + ], + "categories": [ + { + "id": 319, + "title": "Psychiatry (incl. Psychotherapy)", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC BY 4.0", + "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Common_Data_Elements_Scalable_Data_Management_Infrastructure_and_Analytics_Workflows_for_Large-Scale_Neuroimaging_Studies_docx/14795988", + "api_url": "https://api.figshare.com/v2/articles/14795988", + "resource_title": "Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies", + "resource_doi": "10.3389/fpsyt.2021.682495", + "files": [ + { + "id": 28447524, + "name": "Data_Sheet_1_Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies.docx", + "size_bytes": 402225, + "download_url": "https://ndownloader.figshare.com/files/28447524", + "md5": "fd6bb2acbb87ad16d6d339c44d1f0e28" + } + ], + "file_count": 1, + "total_size_mb": 0.38, + "source": "figshare" + }, + { + "dataset_id": "13067018", + "doi": "10.17045/sthlmuni.13067018.v1", + "title": "Open data: The early but not the late neural correlate of auditory awareness reflects lateralized experiences", + "description": "GENERAL INFORMATION


1. Title of Dataset:
Open data: The early but not the late neural correlate of auditory awareness re\ufb02ects lateralized experiences.


2. Author Information
A. Principal Investigator Contact Information
Name: Stefan Wiens
Institution: Department of Psychology, Stockholm University, Sweden
Internet: https://www.su.se/profiles/swiens-1.184142
Email: sws@psychology.su.se


B. Associate or Co-investigator Contact Information
Name: Rasmus Eklund
Institution: Department of Psychology, Stockholm University, Sweden
Internet: https://www.su.se/profiles/raek2031-1.223133
Email: rasmus.eklund@psychology.su.se

C. Associate or Co-investigator Contact Information
Name: Billy Gerdfeldter
Institution: Department of Psychology, Stockholm University, Sweden
Internet: https://www.su.se/profiles/bige1544-1.403208
Email: billy.gerdfeldter@psychology.su.se


3. Date of data collection:
Subjects (N = 28) were tested between 2020-03-04 and 2020-09-18.


4. Geographic location of data collection: Department of Psychology, Stockholm, Sweden


5. Information about funding sources that supported the collection of the data:
Marianne and Marcus Wallenberg (Grant 2019-0102)


SHARING/ACCESS INFORMATION


1. Licenses/restrictions placed on the data: CC BY 4.0


2. Links to publications that cite or use the data: Eklund R., Gerdfeldter B., & Wiens S. (2021). The early but not the late neural correlate of auditory awareness re\ufb02ects lateralized experiences. Neuropsychologia. https://doi.org/


The study was preregistered:
https://doi.org/10.17605/OSF.IO/PSRJF

3. Links to other publicly accessible locations of the data: N/A


4. Links/relationships to ancillary data sets: N/A


5. Was data derived from another source? No


6. Recommended citation for this dataset: Eklund R., Gerdfeldter B., & Wiens S. (2020). Open data: The early but not the late neural correlate of auditory awareness re\ufb02ects lateralized experiences. Stockholm: Stockholm University. https://doi.org/10.17045/sthlmuni.13067018


DATA & FILE OVERVIEW


File List:
The files contain the downsampled data in bids format, scripts, and results of main and supplementary analyses of the electroencephalography (EEG) study. Links to the hardware and software are provided under methodological information.


AAN_LRclick_experiment_scripts.zip: contains the Python files to run the experiment


AAN_LRclick_bids_EEG.zip: contains EEG data files for each subject in .eeg format.


AAN_LRclick_behavior_log.zip: contains log files of the EEG session (generated by Python)


AAN_LRclick_EEG_scripts.zip: Python-MNE scripts to process and to analyze the EEG data


AAN_LRclick_results.zip: contains summary data files, figures, and tables that are created by Python-MNE.


METHODOLOGICAL INFORMATION


1. Description of methods used for collection/generation of data:
The auditory stimuli were 4-ms clicks.
The experiment was programmed in Python: https://www.python.org/ and used extra functions from here: https://github.com/stamnosslin/mn
The EEG data were recorded with an Active Two BioSemi system (BioSemi, Amsterdam, Netherlands; www.biosemi.com) and converted to .eeg format.
For more information, see linked publication.


2. Methods for processing the data:
We computed event-related potentials. See linked publication


3. Instrument- or software-specific information needed to interpret the data:
MNE-Python (Gramfort A., et al., 2013): https://mne.tools/stable/index.html#


4. Standards and calibration information, if appropriate:
For information, see linked publication.


5. Environmental/experimental conditions:
For information, see linked publication.


6. Describe any quality-assurance procedures performed on the data:
For information, see linked publication.


7. People involved with sample collection, processing, analysis and/or submission:


- Data collection: Rasmus Eklund with assistance from Billy Gerdfeldter.
- Data processing, analysis, and submission: Rasmus Eklund


DATA-SPECIFIC INFORMATION:
All relevant information can be found in the MNE-Python scripts (in EEG_scripts folder) that process the EEG data. For example, we added notes to explain what different variables mean.


The folder structure needs to be as follows:
AAN_LRclick (main folder)
--->data
--->--->bids (AAN_LRclick_bids_EEG)
--->--->log (AAN_LRclick_behavior_log)
--->MNE (AAN_LRclick_EEG_scripts)
--->results (AAN_LRclick_results)


To run the MNE-Python scripts:
Anaconda was used with MNE-Python 0.22 (see installation at https://mne.tools/stable/index.html# ).
For preprocess.py and analysis.py, the complete scripts should be run (from anaconda prompt).
", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2021-06-02T13:32:37Z", + "created_date": "2021-06-02T13:32:37Z", + "modified_date": "2023-05-31T22:32:58Z", + "authors": [ + { + "name": "Stefan Wiens", + "id": 3862558, + "orcid": "0000-0003-4531-4313" + }, + { + "name": "Rasmus Eklund", + "id": 4543201, + "orcid": "" + }, + { + "name": "Billy Gerdfeldter", + "id": 9509663, + "orcid": "0000-0002-3222-8056" + } + ], + "tags": [ + "EEG", + "ERP", + "consciousness", + "awareness", + "neural correlates", + "auditory awareness negativity", + "localization", + "Biological Psychology (Neuropsychology, Psychopharmacology, Physiological Psychology)", + "Neuroscience and Physiological Psychology" + ], + "categories": [ + { + "id": 30340, + "title": "Psychopharmacology", + "parent_id": 30325, + "path": "/30292/30325/30340", + "source_id": "520205", + "taxonomy_id": 100 + }, + { + "id": 30343, + "title": "Psychophysiology", + "parent_id": 30325, + "path": "/30292/30325/30343", + "source_id": "520206", + "taxonomy_id": 100 + } + ], + "license": "CC BY 4.0", + "url": "https://su.figshare.com/articles/dataset/Open_data_The_early_but_not_the_late_neural_correlate_of_auditory_awareness_reflects_lateralized_experiences/13067018", + "api_url": "https://api.figshare.com/v2/articles/13067018", + "resource_title": null, + "resource_doi": null, + "files": [ + { + "id": 28253502, + "name": "AAN_LRclick_supplementary.pdf", + "size_bytes": 11229073, + "download_url": "https://ndownloader.figshare.com/files/28253502", + "md5": "4e647b9e2ac301382865357a361ed1d7" + }, + { + "id": 28253490, + "name": "AAN_LRclick_README_figshare.txt", + "size_bytes": 5509, + "download_url": "https://ndownloader.figshare.com/files/28253490", + "md5": "68ed6607b533b6bfc1b4ea57defd0404" + }, + { + "id": 28253487, + "name": "AAN_LRclick_experiment_scripts.zip", + "size_bytes": 98188, + "download_url": "https://ndownloader.figshare.com/files/28253487", + "md5": "0649627c35b60b79247ac12284573435" + }, + { + "id": 28253484, + "name": "AAN_LRclick_bids_EEG.zip", + "size_bytes": 3803984168, + "download_url": "https://ndownloader.figshare.com/files/28253484", + "md5": "33cd4c2a95571aed3f21b0eaaa14f456" + }, + { + "id": 28253394, + "name": "AAN_LRclick_behavior_log.zip", + "size_bytes": 125592, + "download_url": "https://ndownloader.figshare.com/files/28253394", + "md5": "039b65662fe8a1fb6ed68b2a9116462c" + }, + { + "id": 28253481, + "name": "AAN_LRclick_EEG_scripts.zip", + "size_bytes": 21420, + "download_url": "https://ndownloader.figshare.com/files/28253481", + "md5": "43e6036113cb7aa1cac3c6eb70967798" + }, + { + "id": 28253499, + "name": "AAN_LRclick_results.zip", + "size_bytes": 13064391, + "download_url": "https://ndownloader.figshare.com/files/28253499", + "md5": "482586da49466c037c6c493ea4342336" + } + ], + "file_count": 7, + "total_size_mb": 3651.17, + "source": "figshare" + }, + { + "dataset_id": "8033726", + "doi": "10.3389/fnins.2019.00300.s001", + "title": "Data_Sheet_1_Multimodal Integration of M/EEG and f/MRI Data in SPM12.pdf", + "description": "

We describe the steps involved in analysis of multi-modal, multi-subject human neuroimaging data using the SPM12 free and open source software (https://www.fil.ion.ucl.ac.uk/spm/) and a publically-available dataset organized according to the Brain Imaging Data Structure (BIDS) format (https://openneuro.org/datasets/ds000117/). The dataset contains electroencephalographic (EEG), magnetoencephalographic (MEG), and functional and structural magnetic resonance imaging (MRI) data from 16 subjects who undertook multiple runs of a simple task performed on a large number of famous, unfamiliar and scrambled faces. We demonstrate: (1) batching and scripting of preprocessing of multiple runs/subjects of combined MEG and EEG data, (2) creation of trial-averaged evoked responses, (3) source-reconstruction of the power (induced and evoked) across trials within a time-frequency window around the \u201cN/M170\u201d evoked component, using structural MRI for forward modeling and simultaneous inversion (fusion) of MEG and EEG data, (4) group-based optimisation of spatial priors during M/EEG source reconstruction using fMRI data on the same paradigm, and (5) statistical mapping across subjects of cortical source power increases for faces vs. scrambled faces.

", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2019-04-24T05:47:20Z", + "created_date": "2019-04-24T05:47:20Z", + "modified_date": "2023-05-30T12:13:24Z", + "authors": [ + { + "name": "Richard N. Henson", + "id": 6628652, + "orcid": "" + }, + { + "name": "Hunar Abdulrahman", + "id": 6628655, + "orcid": "" + }, + { + "name": "Guillaume Flandin", + "id": 1369476, + "orcid": "" + }, + { + "name": "Vladimir Litvak", + "id": 42646, + "orcid": "" + } + ], + "tags": [ + "MEG", + "EEG", + "fMRI", + "multimodal", + "fusion", + "SPM", + "inversion", + "faces" + ], + "categories": [ + { + "id": 320, + "title": "Radiology and Organ Imaging", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 449, + "title": "Decision Making", + "parent_id": 18, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 370, + "title": "Clinical Nursing: Tertiary (Rehabilitative)", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 947, + "title": "Image Processing", + "parent_id": 52, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 360, + "title": "Autonomic Nervous System", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 361, + "title": "Cellular Nervous System", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 42, + "title": "Biological Engineering", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 365, + "title": "Sensory Systems", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 362, + "title": "Central Nervous System", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 15, + "title": "Neuroscience", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 306, + "title": "Endocrinology", + "parent_id": 142, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 179, + "title": "Artificial Intelligence and Image Processing", + "parent_id": 52, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 566, + "title": "Signal Processing", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 535, + "title": "Rehabilitation Engineering", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 536, + "title": "Biomedical Engineering not elsewhere classified", + "parent_id": 5, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 155, + "title": "Stem Cells", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 700, + "title": "Neurogenetics", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + }, + { + "id": 61, + "title": "Developmental Biology", + "parent_id": 48, + "path": "", + "source_id": "", + "taxonomy_id": 10 + } + ], + "license": "CC BY 4.0", + "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Multimodal_Integration_of_M_EEG_and_f_MRI_Data_in_SPM12_pdf/8033726", + "api_url": "https://api.figshare.com/v2/articles/8033726", + "resource_title": "Multimodal Integration of M/EEG and f/MRI Data in SPM12", + "resource_doi": "10.3389/fnins.2019.00300", + "files": [ + { + "id": 14963753, + "name": "Data_Sheet_1_Multimodal Integration of M/EEG and f/MRI Data in SPM12.pdf", + "size_bytes": 368858, + "download_url": "https://ndownloader.figshare.com/files/14963753", + "md5": "7385c9a3e291930a2424c235e6474667" + } + ], + "file_count": 1, + "total_size_mb": 0.35, + "source": "figshare" + } +] \ No newline at end of file diff --git a/consolidated/figshare_datasets_test.json b/consolidated/figshare_datasets_test.json new file mode 100644 index 00000000..ffcc32a7 --- /dev/null +++ b/consolidated/figshare_datasets_test.json @@ -0,0 +1,393 @@ +[ + { + "dataset_id": "30227503", + "doi": "10.6084/m9.figshare.30227503.v1", + "title": "EEG Dataset for Visual Imagery", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-10-01T15:00:47Z", + "created_date": "2025-10-01T15:00:47Z", + "modified_date": "2025-10-01T15:02:02Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/EEG_Dataset_for_Visual_Imagery/30227503", + "api_url": "https://api.figshare.com/v2/articles/30227503", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "29987758", + "doi": "10.6084/m9.figshare.29987758.v2", + "title": "EEG dataset for multi-class Chinese character stroke and pinyin vowel handwriting imagery (16 subjects, CCS-HI & SV-HI)", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-09-19T15:59:05Z", + "created_date": "2025-09-19T15:59:06Z", + "modified_date": "2025-09-19T15:59:06Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/_b_EEG_dataset_for_multi-class_Chinese_character_stroke_and_pinyin_vowel_handwriting_imagery_16_subjects_CCS-HI_SV-HI_b_/29987758", + "api_url": "https://api.figshare.com/v2/articles/29987758", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "28740260", + "doi": "10.6084/m9.figshare.28740260.v3", + "title": "Enhancing classification of a large lower-limb motor imagery EEG dataset for BCI in knee pain patients", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-06-20T07:03:15Z", + "created_date": "2025-06-20T07:03:15Z", + "modified_date": "2025-08-06T06:22:04Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/Enhancing_classification_of_a_large_lower-limb_motor_imagery_EEG_dataset_for_BCI_in_knee_pain_patients/28740260", + "api_url": "https://api.figshare.com/v2/articles/28740260", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "28169963", + "doi": "10.6084/m9.figshare.28169963.v1", + "title": "Example manifest for the BIDS Siena Scalp EEG Database for evaluation with the SzCORE framework.", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-06-16T06:34:46Z", + "created_date": "2025-06-16T06:34:46Z", + "modified_date": "2025-06-16T06:34:47Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/Example_manifest_for_the_BIDS_Siena_Scalp_EEG_Database_for_evaluation_with_the_SzCORE_framework_/28169963", + "api_url": "https://api.figshare.com/v2/articles/28169963", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "27301629", + "doi": "10.6084/m9.figshare.27301629.v1", + "title": "An EEG-EMG Dataset from a Standardized Reaching Task for Biomarker Research in Upper Limb Assessment", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2025-05-21T07:01:58Z", + "created_date": "2025-05-21T07:01:58Z", + "modified_date": "2025-05-21T07:01:59Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://springernature.figshare.com/articles/dataset/An_EEG-EMG_Dataset_from_a_Standardized_Reaching_Task_for_Biomarker_Research_in_Upper_Limb_Assessment/27301629", + "api_url": "https://api.figshare.com/v2/articles/27301629", + "resource_title": "An EEG-EMG dataset from a standardized reaching task for biomarker research in upper limb assessment", + "resource_doi": "10.1038/s41597-025-05042-4", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "25192793", + "doi": "10.6084/m9.figshare.25192793.v1", + "title": "Dynamic Causal Modelling of Face Processing with fMRI and M/EEG", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2024-02-08T22:21:26Z", + "created_date": "2024-02-08T22:21:26Z", + "modified_date": "2024-02-08T22:21:26Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/Dynamic_Causal_Modelling_of_Face_Processing_with_fMRI_and_M_EEG/25192793", + "api_url": "https://api.figshare.com/v2/articles/25192793", + "resource_title": "Demo tutorial repository on GitHub", + "resource_doi": "https://github.com/pranaysy/MultimodalDCM", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "25037045", + "doi": "10.6084/m9.figshare.25037045.v4", + "title": "Movie annotations for: Multimodal single-neuron, intracranial EEG, and fMRI brain responses during movie watching in human patients", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2024-01-30T21:17:01Z", + "created_date": "2024-01-30T21:17:01Z", + "modified_date": "2024-02-27T20:41:49Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/Movie_annotations_for_the_manuscript_Multimodal_brain_responses_during_movie_watching_single-neuron_intracranial_EEG_and_fMRI_in_human_patients_/25037045", + "api_url": "https://api.figshare.com/v2/articles/25037045", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "22260892", + "doi": "10.3389/fnbeh.2023.1147140.s001", + "title": "Data_Sheet_1_Neural mechanisms of expert persuasion on willingness to pay for sugar.pdf", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2023-03-13T04:21:28Z", + "created_date": "2023-03-13T04:21:28Z", + "modified_date": "2023-06-09T11:10:41Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Neural_mechanisms_of_expert_persuasion_on_willingness_to_pay_for_sugar_pdf/22260892", + "api_url": "https://api.figshare.com/v2/articles/22260892", + "resource_title": "Neural mechanisms of expert persuasion on willingness to pay for sugar", + "resource_doi": "10.3389/fnbeh.2023.1147140", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "21342066", + "doi": "10.6084/m9.figshare.21342066.v1", + "title": "Face processing M/EEG data for Dynamic Causal Modelling (Faces vs Scrambled)", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-10-16T13:49:44Z", + "created_date": "2022-10-16T13:49:44Z", + "modified_date": "2023-06-06T05:19:31Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling_Faces_vs_Scrambled_/21342066", + "api_url": "https://api.figshare.com/v2/articles/21342066", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "21130297", + "doi": "10.6084/m9.figshare.21130297.v2", + "title": "Face processing M/EEG data for Dynamic Causal Modelling", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-09-28T13:14:33Z", + "created_date": "2022-09-28T13:14:33Z", + "modified_date": "2023-06-03T11:36:51Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling/21130297", + "api_url": "https://api.figshare.com/v2/articles/21130297", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "19776004", + "doi": "10.6084/m9.figshare.19776004.v1", + "title": "EEG Dataset for RSVP and P300 Speller Brain-Computer Interfaces", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-07-06T14:32:43Z", + "created_date": "2022-07-06T14:32:43Z", + "modified_date": "2022-07-06T14:33:33Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://springernature.figshare.com/articles/dataset/EEG_Dataset_for_RSVP_and_P300_Speller_Brain-Computer_Interfaces/19776004", + "api_url": "https://api.figshare.com/v2/articles/19776004", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "14891607", + "doi": "10.17045/sthlmuni.14891607.v1", + "title": "Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-06-14T14:26:25Z", + "created_date": "2022-06-14T14:26:25Z", + "modified_date": "2023-05-30T21:25:43Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://su.figshare.com/articles/dataset/Open_data_Electrophysiological_correlates_of_in-vivo_and_virtual_reality_therapy_in_spider_phobia/14891607", + "api_url": "https://api.figshare.com/v2/articles/14891607", + "resource_title": "Electrophysiological correlates of in vivo and virtual reality exposure therapy in spider phobia", + "resource_doi": "10.1111/psyp.14117", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "19046345", + "doi": "10.6084/m9.figshare.19046345.v1", + "title": "BIDS dataset for BIDS Manager-Pipeline", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2022-01-25T11:54:23Z", + "created_date": "2022-01-25T11:54:23Z", + "modified_date": "2023-05-31T00:08:06Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/BIDS_dataset_for_BIDS_Manager-Pipeline/19046345", + "api_url": "https://api.figshare.com/v2/articles/19046345", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "7834442", + "doi": "10.6084/m9.figshare.7834442.v10", + "title": "Corticothalamic communication under analgesia, sedation and gradual ischemia: a multimodal model of controlled gradual cerebral ischemia in pig", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2021-11-02T04:40:43Z", + "created_date": "2021-11-02T04:40:43Z", + "modified_date": "2023-05-31T11:12:33Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://figshare.com/articles/dataset/Corticothalamic_communication_under_analgesia_sedation_and_gradual_ischemia_a_multimodal_model_of_controlled_gradual_cerebral_ischemia_in_pig/7834442", + "api_url": "https://api.figshare.com/v2/articles/7834442", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "14795988", + "doi": "10.3389/fpsyt.2021.682495.s001", + "title": "Data_Sheet_1_Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies.docx", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2021-06-17T04:52:50Z", + "created_date": "2021-06-17T04:52:50Z", + "modified_date": "2023-06-03T05:20:01Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Common_Data_Elements_Scalable_Data_Management_Infrastructure_and_Analytics_Workflows_for_Large-Scale_Neuroimaging_Studies_docx/14795988", + "api_url": "https://api.figshare.com/v2/articles/14795988", + "resource_title": "Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies", + "resource_doi": "10.3389/fpsyt.2021.682495", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "13067018", + "doi": "10.17045/sthlmuni.13067018.v1", + "title": "Open data: The early but not the late neural correlate of auditory awareness reflects lateralized experiences", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2021-06-02T13:32:37Z", + "created_date": "2021-06-02T13:32:37Z", + "modified_date": "2023-05-31T22:32:58Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://su.figshare.com/articles/dataset/Open_data_The_early_but_not_the_late_neural_correlate_of_auditory_awareness_reflects_lateralized_experiences/13067018", + "api_url": "https://api.figshare.com/v2/articles/13067018", + "resource_title": "", + "resource_doi": "", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + }, + { + "dataset_id": "8033726", + "doi": "10.3389/fnins.2019.00300.s001", + "title": "Data_Sheet_1_Multimodal Integration of M/EEG and f/MRI Data in SPM12.pdf", + "description": "", + "defined_type": 3, + "defined_type_name": "dataset", + "published_date": "2019-04-24T05:47:20Z", + "created_date": "2019-04-24T05:47:20Z", + "modified_date": "2023-05-30T12:13:24Z", + "authors": [], + "tags": [], + "categories": [], + "license": "", + "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Multimodal_Integration_of_M_EEG_and_f_MRI_Data_in_SPM12_pdf/8033726", + "api_url": "https://api.figshare.com/v2/articles/8033726", + "resource_title": "Multimodal Integration of M/EEG and f/MRI Data in SPM12", + "resource_doi": "10.3389/fnins.2019.00300", + "files": [], + "file_count": 0, + "total_size_mb": 0.0, + "source": "figshare" + } +] \ No newline at end of file diff --git a/consolidated/scidb_datasets.json b/consolidated/scidb_datasets.json new file mode 100644 index 00000000..d818645a --- /dev/null +++ b/consolidated/scidb_datasets.json @@ -0,0 +1,13095 @@ +[ + { + "dataset_id": "6380e06e830f751bb2bc035b", + "doi": "10.57760/sciencedb.06664", + "cstr": "31253.11.sciencedb.06664", + "pid": "21.86116.6/sciencedb.06664", + "title": "RAW EEG Data", + "title_en": "RAW EEG Data", + "title_zh": "RAW EEG Data", + "description": "

Raw EEG data after preprocessing,There are three folders in the compressed package, corresponding to three experiments: resting state, STB, Raven.

", + "description_en": "

Raw EEG data after preprocessing,There are three folders in the compressed package, corresponding to three experiments: resting state, STB, Raven.

", + "description_zh": "

Raw EEG data after preprocessing,There are three folders in the compressed package, corresponding to three experiments: resting state, STB, Raven.

", + "authors": [ + { + "name_en": "Zhiwei Xu", + "name_zh": "许志炜", + "email": "zwxu@whu.edu.cn", + "affiliations": [ + { + "name_en": "Hubei University", + "name_zh": "湖北大学", + "ror_id": "https://ror.org/03a60m280" + } + ] + } + ], + "keywords_en": [ + "power spectral density", + "functional connection", + "EEG" + ], + "keywords_zh": [ + "power spectral density", + "functional connection", + "EEG" + ], + "publication_date": "2022-11-28T01:41:35.595Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 897.21, + "file_size_bytes": 940790688, + "download_count": 399, + "visit_count": 1245, + "url": "https://www.scidb.cn/en/detail?id=6380e06e830f751bb2bc035b", + "source": "scidb" + }, + { + "dataset_id": "66695230b1275d34828fb391", + "doi": "10.57760/sciencedb.08558", + "cstr": "31253.11.sciencedb.08558", + "pid": "", + "title": "EEG and HRV in cognitive load", + "title_en": "EEG and HRV in cognitive load", + "title_zh": "EEG and HRV in cognitive load", + "description": "

EEG and HRV in cognitive load

", + "description_en": "

EEG and HRV in cognitive load

", + "description_zh": "

EEG and HRV in cognitive load

", + "authors": [ + { + "name_en": "Yanxin Chen", + "name_zh": "Yanxin Chen", + "email": "yanxin.chen.coder@foxmail.com", + "affiliations": [ + { + "name_en": "Jiangxi Science and Technology Normal University", + "name_zh": "Jiangxi Science and Technology Normal University" + } + ] + } + ], + "keywords_en": [ + "EEG", + "HRV", + "cognitive load" + ], + "keywords_zh": [ + "EEG", + "HRV", + "cognitive load" + ], + "publication_date": "2024-06-12T07:43:38.249Z", + "created": "", + "modified": "", + "status": "", + "license": "GNU GPL", + "file_size_mb": 0.3, + "file_size_bytes": 313950, + "download_count": 183, + "visit_count": 843, + "url": "https://www.scidb.cn/en/detail?id=66695230b1275d34828fb391", + "source": "scidb" + }, + { + "dataset_id": "610a8e8f44b32f0f67587553", + "doi": "10.11922/sciencedb.01034", + "cstr": "31253.11.sciencedb.01034", + "pid": "21.86116.6/sciencedb.01034", + "title": "Visual Colour EEG Dataset", + "title_en": "Visual Colour EEG Dataset", + "title_zh": "Visual Colour EEG Dataset", + "description": "

\tAlthough there is more research about BCI Visual, but little about human’s visual colour. We provide a new EEG dataset of BCI Visual Colour. There is no such type dateset up-to-today. We hope this dataset can help and reuse for other researchers with there basic works in Neural Science and Computer Science.

\tThese dataset consist of 14 healthy subjects. Our purpose of establishing this dataset is to create a standard small sample of visual colour EEG to provide scholars in related fields for research.

\tThe standard small sample dataset includes the recognition of the basic colour RGB that humans perceive. Each subject in the dataset contains three sets of data: RG, RB, and GB. In each set of data, 3 rounds of visual stimulation experiments were included. Each stimulus experiment consists of 35 random stimulus interactions in two different colours. Therefore, there are a total of 630 stimuli in each subject's data.

\tNote that when calling data, a data packet usually consists of two .bdf files. One is the main record data file named data.bdf, and there is a label file named event.bdf. When calling data, it is necessary to call two files at the same time. The event.bdf file is the main reference basis for time series analysis of all data, and it is as important as the data.bdf file. The code for calling the .bdf file has been written in the other two classifier codes.

\tWe hope that this data can provide researchers in the field of neuroscience with a certain effect on the basic research of visual EEG signals and visual nerves in the field of colour perception. At the same time, we also hope that this dataset can be provided to researchers in the field of computer science to bring some research on the application of classifiers. We selected support vector machines and FNN neural networks on the classifier to analyze these dataset and achieved good results. But we not only hope that the analysis of this dataset will only stay on the above two analysis methods. We expect that more colleagues can use more other classifiers and data analysis methods to further process and use our dataset, so that our dataset can get better reusability.

\tThe ultimate goal of our release of this set of dataset is to hope that this set of dataset can become a standard sample for decoding human visual colour perception. At the same time, we hope that more machine learning algorithms can be obtained on the basis of repeated use of dataset, so as to give the field of neuroscience and computers The scientific field brings further research.

", + "description_en": "

\tAlthough there is more research about BCI Visual, but little about human’s visual colour. We provide a new EEG dataset of BCI Visual Colour. There is no such type dateset up-to-today. We hope this dataset can help and reuse for other researchers with there basic works in Neural Science and Computer Science.

\tThese dataset consist of 14 healthy subjects. Our purpose of establishing this dataset is to create a standard small sample of visual colour EEG to provide scholars in related fields for research.

\tThe standard small sample dataset includes the recognition of the basic colour RGB that humans perceive. Each subject in the dataset contains three sets of data: RG, RB, and GB. In each set of data, 3 rounds of visual stimulation experiments were included. Each stimulus experiment consists of 35 random stimulus interactions in two different colours. Therefore, there are a total of 630 stimuli in each subject's data.

\tNote that when calling data, a data packet usually consists of two .bdf files. One is the main record data file named data.bdf, and there is a label file named event.bdf. When calling data, it is necessary to call two files at the same time. The event.bdf file is the main reference basis for time series analysis of all data, and it is as important as the data.bdf file. The code for calling the .bdf file has been written in the other two classifier codes.

\tWe hope that this data can provide researchers in the field of neuroscience with a certain effect on the basic research of visual EEG signals and visual nerves in the field of colour perception. At the same time, we also hope that this dataset can be provided to researchers in the field of computer science to bring some research on the application of classifiers. We selected support vector machines and FNN neural networks on the classifier to analyze these dataset and achieved good results. But we not only hope that the analysis of this dataset will only stay on the above two analysis methods. We expect that more colleagues can use more other classifiers and data analysis methods to further process and use our dataset, so that our dataset can get better reusability.

\tThe ultimate goal of our release of this set of dataset is to hope that this set of dataset can become a standard sample for decoding human visual colour perception. At the same time, we hope that more machine learning algorithms can be obtained on the basis of repeated use of dataset, so as to give the field of neuroscience and computers The scientific field brings further research.

", + "description_zh": "

\tAlthough there is more research about BCI Visual, but little about human’s visual colour. We provide a new EEG dataset of BCI Visual Colour. There is no such type dateset up-to-today. We hope this dataset can help and reuse for other researchers with there basic works in Neural Science and Computer Science.

\tThese dataset consist of 14 healthy subjects. Our purpose of establishing this dataset is to create a standard small sample of visual colour EEG to provide scholars in related fields for research.

\tThe standard small sample dataset includes the recognition of the basic colour RGB that humans perceive. Each subject in the dataset contains three sets of data: RG, RB, and GB. In each set of data, 3 rounds of visual stimulation experiments were included. Each stimulus experiment consists of 35 random stimulus interactions in two different colours. Therefore, there are a total of 630 stimuli in each subject's data.

\tNote that when calling data, a data packet usually consists of two .bdf files. One is the main record data file named data.bdf, and there is a label file named event.bdf. When calling data, it is necessary to call two files at the same time. The event.bdf file is the main reference basis for time series analysis of all data, and it is as important as the data.bdf file. The code for calling the .bdf file has been written in the other two classifier codes.

\tWe hope that this data can provide researchers in the field of neuroscience with a certain effect on the basic research of visual EEG signals and visual nerves in the field of colour perception. At the same time, we also hope that this dataset can be provided to researchers in the field of computer science to bring some research on the application of classifiers. We selected support vector machines and FNN neural networks on the classifier to analyze these dataset and achieved good results. But we not only hope that the analysis of this dataset will only stay on the above two analysis methods. We expect that more colleagues can use more other classifiers and data analysis methods to further process and use our dataset, so that our dataset can get better reusability.

\tThe ultimate goal of our release of this set of dataset is to hope that this set of dataset can become a standard sample for decoding human visual colour perception. At the same time, we hope that more machine learning algorithms can be obtained on the basis of repeated use of dataset, so as to give the field of neuroscience and computers The scientific field brings further research.

", + "authors": [ + { + "name_en": "Wu Yi Jia", + "name_zh": "Wu Yi Jia", + "email": "wuyijia@fudan.edu.cn", + "affiliations": [ + { + "name_en": "Fudan University", + "name_zh": "Fudan University", + "ror_id": "https://ror.org/013q1eq08" + } + ] + } + ], + "keywords_en": [ + "EEG", + "visual", + "colour", + "neuroscience" + ], + "keywords_zh": [ + "EEG", + "visual", + "colour", + "neuroscience" + ], + "publication_date": "2021-08-04T12:53:30.415Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 3487.74, + "file_size_bytes": 3657158170, + "download_count": 981, + "visit_count": 1454, + "url": "https://www.scidb.cn/en/detail?id=610a8e8f44b32f0f67587553", + "source": "scidb" + }, + { + "dataset_id": "60b9c3adae98d4289fceed43", + "doi": "10.11922/sciencedb.00820", + "cstr": "31253.11.sciencedb.00820", + "pid": "21.86116.6/sciencedb.00820", + "title": "EOG and EEG feature for train", + "title_en": "EOG and EEG feature for train", + "title_zh": "EOG and EEG feature for train", + "description": "

After the patient arrived in the operating room, standard anesthetic monitoring and preoperative management were carried out. Patients were studied under three conditions: an awake condition (0.0% end-tidal concentration sevoflurane [Etsevo]), a “light” sedation condition (1.0±0.1% Etsevo, approximately minimum alveolar concentration [MAC]awake[3, 16]), and a “deep” sedation condition (3.0 ±0.1 % Etsevo, exceedingly 1 MAC[17]). EEG and EOG signals were recorded by ANT Neuro EEG equipment, including 3 EEG and 1 EOG channel in the 10-20 international system: Fp1, Fp2, Fpz, EOG. For recording EOG, two electrodes were placed above and below the right eye, and their difference was the vertical EOG (upper minus lower). EOG (PERA) and EEG (βratio and SampE) feature during three conditions for train.

", + "description_en": "

After the patient arrived in the operating room, standard anesthetic monitoring and preoperative management were carried out. Patients were studied under three conditions: an awake condition (0.0% end-tidal concentration sevoflurane [Etsevo]), a “light” sedation condition (1.0±0.1% Etsevo, approximately minimum alveolar concentration [MAC]awake[3, 16]), and a “deep” sedation condition (3.0 ±0.1 % Etsevo, exceedingly 1 MAC[17]). EEG and EOG signals were recorded by ANT Neuro EEG equipment, including 3 EEG and 1 EOG channel in the 10-20 international system: Fp1, Fp2, Fpz, EOG. For recording EOG, two electrodes were placed above and below the right eye, and their difference was the vertical EOG (upper minus lower). EOG (PERA) and EEG (βratio and SampE) feature during three conditions for train.

", + "description_zh": "

After the patient arrived in the operating room, standard anesthetic monitoring and preoperative management were carried out. Patients were studied under three conditions: an awake condition (0.0% end-tidal concentration sevoflurane [Etsevo]), a “light” sedation condition (1.0±0.1% Etsevo, approximately minimum alveolar concentration [MAC]awake[3, 16]), and a “deep” sedation condition (3.0 ±0.1 % Etsevo, exceedingly 1 MAC[17]). EEG and EOG signals were recorded by ANT Neuro EEG equipment, including 3 EEG and 1 EOG channel in the 10-20 international system: Fp1, Fp2, Fpz, EOG. For recording EOG, two electrodes were placed above and below the right eye, and their difference was the vertical EOG (upper minus lower). EOG (PERA) and EEG (βratio and SampE) feature during three conditions for train.

", + "authors": [ + { + "name_en": "Guozheng Wang", + "name_zh": "Guozheng Wang", + "affiliations": [ + { + "name_en": "Zhejiang University", + "name_zh": "Zhejiang University", + "ror_id": "https://ror.org/00a2xv884" + } + ] + } + ], + "keywords_en": [ + "Anesthetic depth monitoring", + " auditory stimulation", + " consciousness" + ], + "keywords_zh": [ + "Anesthetic depth monitoring", + " auditory stimulation", + " consciousness" + ], + "publication_date": "2021-05-24T00:32:53.272Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.02, + "file_size_bytes": 15848, + "download_count": 7, + "visit_count": 772, + "url": "https://www.scidb.cn/en/detail?id=60b9c3adae98d4289fceed43", + "source": "scidb" + }, + { + "dataset_id": "67ee412a02cc303f2020136f", + "doi": "10.57760/sciencedb.23155", + "cstr": "31253.11.sciencedb.23155", + "pid": "", + "title": "EEG Dataset of Exploring Navigation in Virtual Reality", + "title_en": "EEG Dataset of Exploring Navigation in Virtual Reality", + "title_zh": "EEG Dataset of Exploring Navigation in Virtual Reality", + "description": "

Social exploration and spatial navigation involve shared and different human cognitive processes. While spatial navigation focuses on how people understand and interact with their physical surroundings, social exploration concentrates on how individuals perceive and engage in social spaces, particularly interpersonal interactions. Research in these two areas of psychology and neuroscience can help us better comprehend the cognitive exploration process and the underlying mechanisms of social and emotional interactions.


In this study, we aimed to examine the rewards and punishments that individuals with different levels of anxiety encounter during spatial exploration, as well as the impact of social interaction on their navigation ability and desire to explore. To achieve this, we designed an EEG task where participants had to search for landmarks in virtual reality while receiving token rewards or punishments and facial feedback when interact with strangers.


This dataset includes EEG recordings from 60 participants during a cognitive task. Additionally, it contains questionnaire responses, behavioral data, and trajectory data collected during the experiment.

", + "description_en": "

Social exploration and spatial navigation involve shared and different human cognitive processes. While spatial navigation focuses on how people understand and interact with their physical surroundings, social exploration concentrates on how individuals perceive and engage in social spaces, particularly interpersonal interactions. Research in these two areas of psychology and neuroscience can help us better comprehend the cognitive exploration process and the underlying mechanisms of social and emotional interactions.


In this study, we aimed to examine the rewards and punishments that individuals with different levels of anxiety encounter during spatial exploration, as well as the impact of social interaction on their navigation ability and desire to explore. To achieve this, we designed an EEG task where participants had to search for landmarks in virtual reality while receiving token rewards or punishments and facial feedback when interact with strangers.


This dataset includes EEG recordings from 60 participants during a cognitive task. Additionally, it contains questionnaire responses, behavioral data, and trajectory data collected during the experiment.

", + "description_zh": "

Social exploration and spatial navigation involve shared and different human cognitive processes. While spatial navigation focuses on how people understand and interact with their physical surroundings, social exploration concentrates on how individuals perceive and engage in social spaces, particularly interpersonal interactions. Research in these two areas of psychology and neuroscience can help us better comprehend the cognitive exploration process and the underlying mechanisms of social and emotional interactions.


In this study, we aimed to examine the rewards and punishments that individuals with different levels of anxiety encounter during spatial exploration, as well as the impact of social interaction on their navigation ability and desire to explore. To achieve this, we designed an EEG task where participants had to search for landmarks in virtual reality while receiving token rewards or punishments and facial feedback when interact with strangers.


This dataset includes EEG recordings from 60 participants during a cognitive task. Additionally, it contains questionnaire responses, behavioral data, and trajectory data collected during the experiment.

", + "authors": [ + { + "name_en": "HaiyanWu", + "name_zh": "HaiyanWu", + "email": "haiyanwu@um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + }, + { + "name_en": "Xuanji Chen", + "name_zh": "Xuanji Chen", + "email": "mc46540@um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + }, + { + "name_en": "Junyuan Zheng", + "name_zh": "Junyuan Zheng", + "email": "mc25802@umac.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + } + ], + "keywords_en": [ + "VR", + "EEG", + "Navigation", + "Cognitive psychology" + ], + "keywords_zh": [ + "VR", + "EEG", + "Navigation", + "Cognitive psychology" + ], + "publication_date": "2025-04-08T09:07:37.432Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 40671.59, + "file_size_bytes": 42647252793, + "download_count": 370, + "visit_count": 621, + "url": "https://www.scidb.cn/en/detail?id=67ee412a02cc303f2020136f", + "source": "scidb" + }, + { + "dataset_id": "66b0ab6495ad961c18ee103f", + "doi": "10.57760/sciencedb.ai.00009", + "cstr": "31253.11.sciencedb.ai.00009", + "pid": "", + "title": "Two-Class Target Retrieval EEG Dataset", + "title_en": "Two-Class Target Retrieval EEG Dataset", + "title_zh": "Two-Class Target Retrieval EEG Dataset", + "description": "

Two-Class Target Retrieval EEG Dataset includes EEG data of Rapid Serial Visual Presentation (RSVP)-based multi-class target image retrieval tasks from 30 subjects.

", + "description_en": "

Two-Class Target Retrieval EEG Dataset includes EEG data of Rapid Serial Visual Presentation (RSVP)-based multi-class target image retrieval tasks from 30 subjects.

", + "description_zh": "

Two-Class Target Retrieval EEG Dataset includes EEG data of Rapid Serial Visual Presentation (RSVP)-based multi-class target image retrieval tasks from 30 subjects.

", + "authors": [ + { + "name_en": "Wei Wei", + "name_zh": "Wei Wei", + "email": "weiwei2018@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "自动化研究所", + "ror_id": "https://ror.org/022c3hy66" + } + ] + }, + { + "name_en": "Li Xujin", + "name_zh": "Li Xujin", + "email": "lixujin2021@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "自动化研究所", + "ror_id": "https://ror.org/022c3hy66" + } + ] + }, + { + "name_en": "Qiu Shuang", + "name_zh": "Qiu Shuang", + "email": "shuang.qiu@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "自动化研究所", + "ror_id": "https://ror.org/022c3hy66" + } + ] + }, + { + "name_en": "He Huiguang", + "name_zh": "He Huiguang", + "email": "huiguang.he@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "自动化研究所", + "ror_id": "https://ror.org/022c3hy66" + } + ] + } + ], + "keywords_en": [ + "Rapid Serial Visual Presentation (RSVP)", + "EEG", + "target image retrieval ", + "P300" + ], + "keywords_zh": [ + "Rapid Serial Visual Presentation (RSVP)", + "EEG", + "target image retrieval ", + "P300" + ], + "publication_date": "2023-12-21T09:06:16.172Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-SA 4.0", + "file_size_mb": 12817.93, + "file_size_bytes": 13440575993, + "download_count": 748, + "visit_count": 2171, + "url": "https://www.scidb.cn/en/detail?id=66b0ab6495ad961c18ee103f", + "source": "scidb" + }, + { + "dataset_id": "670c8882129fd9344a03229d", + "doi": "10.57760/sciencedb.14812", + "cstr": "31253.11.sciencedb.14812", + "pid": "", + "title": "NeuBCI Target Retrieval RSVP-EEG Dataset", + "title_en": "NeuBCI Target Retrieval RSVP-EEG Dataset", + "title_zh": "NeuBCI Target Retrieval RSVP-EEG Dataset", + "description": "

The NeuBCI Target Retrieval RSVP-EEG Dataset comprises electroencephalogram (EEG) data and corresponding stimulus images from Rapid Serial Visual Presentation (RSVP)-based target image retrieval tasks. The dataset encompasses three distinct tasks and includes data from 71 participants.

", + "description_en": "

The NeuBCI Target Retrieval RSVP-EEG Dataset comprises electroencephalogram (EEG) data and corresponding stimulus images from Rapid Serial Visual Presentation (RSVP)-based target image retrieval tasks. The dataset encompasses three distinct tasks and includes data from 71 participants.

", + "description_zh": "

The NeuBCI Target Retrieval RSVP-EEG Dataset comprises electroencephalogram (EEG) data and corresponding stimulus images from Rapid Serial Visual Presentation (RSVP)-based target image retrieval tasks. The dataset encompasses three distinct tasks and includes data from 71 participants.

", + "authors": [ + { + "name_en": "Xujin Li", + "name_zh": "Xujin Li", + "email": "lixujin2021@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "Institute of Automation", + "ror_id": "https://ror.org/056qj1t15" + }, + { + "name_en": "School of Future Technology, University of Chinese Academy of Sciences (UCAS)", + "name_zh": "School of Future Technology, University of Chinese Academy of Sciences (UCAS)" + } + ] + }, + { + "name_en": "Wei Wei", + "name_zh": "Wei Wei", + "email": "weiwei2018@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "Institute of Automation", + "ror_id": "https://ror.org/00qdtba35" + } + ] + }, + { + "name_en": "shuang Qiu", + "name_zh": "shuang Qiu", + "email": "shuang.qiu@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "Institute of Automation", + "ror_id": "https://ror.org/00qdtba35" + } + ] + }, + { + "name_en": "Xinyi Zhang", + "name_zh": "Xinyi Zhang", + "email": "zhangxinyi2020@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "Institute of Automation", + "ror_id": "https://ror.org/00qdtba35" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + }, + { + "name_en": "Fu Li", + "name_zh": "Fu Li", + "email": "fuli@mail.xidian.edu.cn", + "affiliations": [ + { + "name_en": "The Key Laboratory of Intelligent Perception and Image Understanding of Ministry of Education, the School of Artificial Intelligence, Xidian University", + "name_zh": "The Key Laboratory of Intelligent Perception and Image Understanding of Ministry of Education, the School of Artificial Intelligence, Xidian University" + } + ] + }, + { + "name_en": "Huiguang He", + "name_zh": "Huiguang He", + "email": "huiguang.he@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "Institute of Automation", + "ror_id": "https://ror.org/00qdtba35" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + } + ], + "keywords_en": [ + "Rapid Serial Visual Presentation (RSVP)", + "EEG", + "Target image retrieval", + "P300", + "Event-Related Potential (ERP)" + ], + "keywords_zh": [ + "Rapid Serial Visual Presentation (RSVP)", + "EEG", + "Target image retrieval", + "P300", + "Event-Related Potential (ERP)" + ], + "publication_date": "2024-10-17T07:34:31.468Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-SA 4.0", + "file_size_mb": 450223.5, + "file_size_bytes": 472093558496, + "download_count": 15526, + "visit_count": 3171, + "url": "https://www.scidb.cn/en/detail?id=670c8882129fd9344a03229d", + "source": "scidb" + }, + { + "dataset_id": "651d974489be2410e0a6cdc3", + "doi": "10.57760/sciencedb.11875", + "cstr": "31253.11.sciencedb.11875", + "pid": "", + "title": "Predicting Consumer Behavior in Online Shopping Environments: An EEG-Based Machine Learning Approach - Raw EEG Data, Matlab Scripts, and Results\"", + "title_en": "Predicting Consumer Behavior in Online Shopping Environments: An EEG-Based Machine Learning Approach - Raw EEG Data, Matlab Scripts, and Results\"", + "title_zh": "Predicting Consumer Behavior in Online Shopping Environments: An EEG-Based Machine Learning Approach - Raw EEG Data, Matlab Scripts, and Results\"", + "description": "

This dataset contains raw Electroencephalogram (EEG) recordings, Matlab programming scripts, and machine learning results associated with the research paper titled \"Predicting Consumer Behavior in Online Shopping Environments: An EEG-Based Machine Learning Approach.\" The EEG data were collected from 33 participants in a controlled laboratory setting, using a low-end EEG device. The Matlab scripts include data preprocessing, feature extraction, and machine learning algorithms, specifically focusing on the K-Nearest Neighbors (KNN) classifier. The machine learning results demonstrate the predictive accuracy of various classifiers, with KNN outperforming Random Forest (RF), Linear Discriminant Analysis (LDA), and Support Vector Machines (SVM).

The dataset aims to provide a comprehensive resource for researchers interested in neuromarketing, consumer behavior, and machine learning applications in predicting consumer choices. It is particularly relevant for those who wish to understand the neural mechanisms underlying decision-making processes in online shopping contexts.

", + "description_en": "

This dataset contains raw Electroencephalogram (EEG) recordings, Matlab programming scripts, and machine learning results associated with the research paper titled \"Predicting Consumer Behavior in Online Shopping Environments: An EEG-Based Machine Learning Approach.\" The EEG data were collected from 33 participants in a controlled laboratory setting, using a low-end EEG device. The Matlab scripts include data preprocessing, feature extraction, and machine learning algorithms, specifically focusing on the K-Nearest Neighbors (KNN) classifier. The machine learning results demonstrate the predictive accuracy of various classifiers, with KNN outperforming Random Forest (RF), Linear Discriminant Analysis (LDA), and Support Vector Machines (SVM).

The dataset aims to provide a comprehensive resource for researchers interested in neuromarketing, consumer behavior, and machine learning applications in predicting consumer choices. It is particularly relevant for those who wish to understand the neural mechanisms underlying decision-making processes in online shopping contexts.

", + "description_zh": "

This dataset contains raw Electroencephalogram (EEG) recordings, Matlab programming scripts, and machine learning results associated with the research paper titled \"Predicting Consumer Behavior in Online Shopping Environments: An EEG-Based Machine Learning Approach.\" The EEG data were collected from 33 participants in a controlled laboratory setting, using a low-end EEG device. The Matlab scripts include data preprocessing, feature extraction, and machine learning algorithms, specifically focusing on the K-Nearest Neighbors (KNN) classifier. The machine learning results demonstrate the predictive accuracy of various classifiers, with KNN outperforming Random Forest (RF), Linear Discriminant Analysis (LDA), and Support Vector Machines (SVM).

The dataset aims to provide a comprehensive resource for researchers interested in neuromarketing, consumer behavior, and machine learning applications in predicting consumer choices. It is particularly relevant for those who wish to understand the neural mechanisms underlying decision-making processes in online shopping contexts.

", + "authors": [ + { + "name_en": "Zhiwei Xu", + "name_zh": "Zhiwei Xu", + "email": "zwxu@whu.edu.cn", + "affiliations": [ + { + "name_en": "Hubei University", + "name_zh": "Hubei University" + } + ] + } + ], + "keywords_en": [ + "EEG", + "Matlab", + "ML" + ], + "keywords_zh": [ + "EEG", + "Matlab", + "ML" + ], + "publication_date": "2023-10-08T06:02:28.599Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 409.41, + "file_size_bytes": 429300777, + "download_count": 239, + "visit_count": 531, + "url": "https://www.scidb.cn/en/detail?id=651d974489be2410e0a6cdc3", + "source": "scidb" + }, + { + "dataset_id": "643cf1f3692b1255d27a1791", + "doi": "10.57760/sciencedb.psych.00111", + "cstr": "31253.11.sciencedb.psych.00111", + "pid": "21.86116.6/sciencedb.psych.00111", + "title": "Music training EEG component data", + "title_en": "Music training EEG component data", + "title_zh": "音乐训练脑电成分数据", + "description": "

This dataset is about the influence of musical training experience on the time course of music emotional processing.

", + "description_en": "

This dataset is about the influence of musical training experience on the time course of music emotional processing.

", + "description_zh": "

该数据集是关于音乐训练经历影响音乐情绪加工的时间进程的脑电成分数据。

", + "authors": [ + { + "name_en": "Yangjimei", + "name_zh": "杨集梅", + "email": "157553855@qq.com", + "affiliations": [ + { + "name_en": "西南大学", + "name_zh": "西南大学" + } + ] + } + ], + "keywords_en": [ + "N1", + "N2", + "N400" + ], + "keywords_zh": [ + "N1", + "N2", + "N400 " + ], + "publication_date": "2023-04-17T08:18:53.809Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 14267, + "download_count": 36, + "visit_count": 1485, + "url": "https://www.scidb.cn/en/detail?id=643cf1f3692b1255d27a1791", + "source": "scidb" + }, + { + "dataset_id": "64341650bf439249dc9631b5", + "doi": "10.57760/sciencedb.07935", + "cstr": "31253.11.sciencedb.07935", + "pid": "21.86116.6/sciencedb.07935", + "title": "Visual-color sensing underlying interactive EEG dataset", + "title_en": "Visual-color sensing underlying interactive EEG dataset", + "title_zh": "Visual-color sensing underlying interactive EEG dataset", + "description": "

This dataset contains visual color sensing underlying interactive EEG informatio. The dataset contains a decoder code. The data set consists of three sets of experiments, including the experimental data of 42 subjects in total. The dataset for each subject consists of two files. One is the raw data file and the other is the label file. When analyzing the data, the two files need to be imported at the same time. We encourage colleagues to find new classifiers to effectively classify data without label files when reusing data.







", + "description_en": "

This dataset contains visual color sensing underlying interactive EEG informatio. The dataset contains a decoder code. The data set consists of three sets of experiments, including the experimental data of 42 subjects in total. The dataset for each subject consists of two files. One is the raw data file and the other is the label file. When analyzing the data, the two files need to be imported at the same time. We encourage colleagues to find new classifiers to effectively classify data without label files when reusing data.







", + "description_zh": "

This dataset contains visual color sensing underlying interactive EEG informatio. The dataset contains a decoder code. The data set consists of three sets of experiments, including the experimental data of 42 subjects in total. The dataset for each subject consists of two files. One is the raw data file and the other is the label file. When analyzing the data, the two files need to be imported at the same time. We encourage colleagues to find new classifiers to effectively classify data without label files when reusing data.








", + "authors": [ + { + "name_en": "Wu Yi Jia", + "name_zh": "Wu Yi Jia", + "email": "wuyijia@fudan.edu.cn", + "affiliations": [ + { + "name_en": "Fudan University", + "name_zh": "Fudan University", + "ror_id": "https://ror.org/013q1eq08" + } + ] + } + ], + "keywords_en": [ + "visual", + "color", + "EEG", + "underlying" + ], + "keywords_zh": [ + "visual", + "color", + "EEG", + "underlying" + ], + "publication_date": "2023-05-15T07:34:05.143Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 8594.65, + "file_size_bytes": 9012141771, + "download_count": 40, + "visit_count": 284, + "url": "https://www.scidb.cn/en/detail?id=64341650bf439249dc9631b5", + "source": "scidb" + }, + { + "dataset_id": "674931530ea3b3102f40c4d7", + "doi": "10.57760/sciencedb.17705", + "cstr": "31253.11.sciencedb.17705", + "pid": "", + "title": "NeuBCI Multi-Class Target Detection RSVP EEG and EM Dataset", + "title_en": "NeuBCI Multi-Class Target Detection RSVP EEG and EM Dataset", + "title_zh": "NeuBCI Multi-Class Target Detection RSVP EEG and EM Dataset", + "description": "

The \"NeuBCI Multi-Class Target Detection RSVP EEG and EM Dataset\" comprises electroencephalogram (EEG) and eye movement (EM) data from Multi-Class Target Rapid Serial Visual Presentation (RSVP)-based target image detection tasks. The dataset encompasses three independent tasks and includes data from 43 participants.

", + "description_en": "

The \"NeuBCI Multi-Class Target Detection RSVP EEG and EM Dataset\" comprises electroencephalogram (EEG) and eye movement (EM) data from Multi-Class Target Rapid Serial Visual Presentation (RSVP)-based target image detection tasks. The dataset encompasses three independent tasks and includes data from 43 participants.

", + "description_zh": "

The \"NeuBCI Multi-Class Target Detection RSVP EEG and EM Dataset\" comprises electroencephalogram (EEG) and eye movement (EM) data from Multi-Class Target Rapid Serial Visual Presentation (RSVP)-based target image detection tasks. The dataset encompasses three independent tasks and includes data from 43 participants.

", + "authors": [ + { + "name_en": "Xujin Li", + "name_zh": "Xujin Li", + "email": "lixujin2021@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation, Chinese Academy of Sciences", + "name_zh": "Institute of Automation, Chinese Academy of Sciences" + }, + { + "name_en": "School of Future Technology, University of Chinese Academy of Sciences (UCAS)", + "name_zh": "School of Future Technology, University of Chinese Academy of Sciences (UCAS)" + } + ] + }, + { + "name_en": "Wei Wei", + "name_zh": "Wei Wei", + "email": "weiwei2018@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation, Chinese Academy of Sciences", + "name_zh": "Institute of Automation, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Kun Zhao", + "name_zh": "Kun Zhao", + "email": "zhaokun2024@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation, Chinese Academy of Sciences", + "name_zh": "Institute of Automation, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Shuang Qiu", + "name_zh": "Shuang Qiu", + "email": "shuang.qiu@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation, Chinese Academy of Sciences", + "name_zh": "Institute of Automation, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Huiguang He", + "name_zh": "Huiguang He", + "email": "huiguang.he@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation, Chinese Academy of Sciences", + "name_zh": "Institute of Automation, Chinese Academy of Sciences" + }, + { + "name_en": "School of Artificial Intelligence, University of Chinese Academy of Sciences (UCAS)", + "name_zh": "School of Artificial Intelligence, University of Chinese Academy of Sciences (UCAS)" + } + ] + } + ], + "keywords_en": [ + "Rapid Serial Visual Presentation (RSVP)", + "EEG", + "Eye Movement", + "Event-Related Potential (ERP)", + "P300", + "Multi-Class Target Image Detection" + ], + "keywords_zh": [ + "Rapid Serial Visual Presentation (RSVP)", + "EEG", + "Eye Movement", + "Event-Related Potential (ERP)", + "P300", + "Multi-Class Target Image Detection" + ], + "publication_date": "2024-12-10T00:42:28.431Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-SA 4.0", + "file_size_mb": 122898.45, + "file_size_bytes": 128868360159, + "download_count": 305085, + "visit_count": 5105, + "url": "https://www.scidb.cn/en/detail?id=674931530ea3b3102f40c4d7", + "source": "scidb" + }, + { + "dataset_id": "65c5ac189d874139a2eb1efc", + "doi": "10.57760/sciencedb.CHNNeuro.00007", + "cstr": "31253.11.sciencedb.CHNNeuro.00007", + "pid": "", + "title": "ChineseEEG: A Chinese Linguistic Corpora EEG Dataset for Semantic Alignment and Neural Decoding", + "title_en": "ChineseEEG: A Chinese Linguistic Corpora EEG Dataset for Semantic Alignment and Neural Decoding", + "title_zh": "ChineseEEG: A Chinese Linguistic Corpora EEG Dataset for Semantic Alignment and Neural Decoding", + "description": "

An Electroencephalography (EEG) dataset utilizing rich text stimuli can advance the understanding of how the brain encodes semantic information and contribute to semantic decoding in brain-computer interface (BCI). Addressing the scarcity of EEG datasets featuring Chinese linguistic stimuli, we present the ChineseEEG dataset, a high-density EEG dataset complemented by simultaneous eye-tracking recordings. This dataset was compiled while 10 participants silently read approximately 11 hours of Chinese text from two well-known novels. This dataset provides long-duration EEG recordings, along with pre-processed EEG sensor-level data and semantic embeddings of reading materials extracted by a pre-trained natural language processing (NLP) model.

As a pilot EEG dataset derived from natural Chinese linguistic stimuli, ChineseEEG can significantly support research across neuroscience, NLP, and linguistics. It establishes a benchmark dataset for Chinese semantic decoding, aids in the development of BCIs, and facilitates the exploration of alignment between large language models and human cognitive processes. It can also aid research into the brain's mechanisms of language processing within the context of the Chinese natural language.

", + "description_en": "

An Electroencephalography (EEG) dataset utilizing rich text stimuli can advance the understanding of how the brain encodes semantic information and contribute to semantic decoding in brain-computer interface (BCI). Addressing the scarcity of EEG datasets featuring Chinese linguistic stimuli, we present the ChineseEEG dataset, a high-density EEG dataset complemented by simultaneous eye-tracking recordings. This dataset was compiled while 10 participants silently read approximately 11 hours of Chinese text from two well-known novels. This dataset provides long-duration EEG recordings, along with pre-processed EEG sensor-level data and semantic embeddings of reading materials extracted by a pre-trained natural language processing (NLP) model.

As a pilot EEG dataset derived from natural Chinese linguistic stimuli, ChineseEEG can significantly support research across neuroscience, NLP, and linguistics. It establishes a benchmark dataset for Chinese semantic decoding, aids in the development of BCIs, and facilitates the exploration of alignment between large language models and human cognitive processes. It can also aid research into the brain's mechanisms of language processing within the context of the Chinese natural language.

", + "description_zh": "

An Electroencephalography (EEG) dataset utilizing rich text stimuli can advance the understanding of how the brain encodes semantic information and contribute to semantic decoding in brain-computer interface (BCI). Addressing the scarcity of EEG datasets featuring Chinese linguistic stimuli, we present the ChineseEEG dataset, a high-density EEG dataset complemented by simultaneous eye-tracking recordings. This dataset was compiled while 10 participants silently read approximately 11 hours of Chinese text from two well-known novels. This dataset provides long-duration EEG recordings, along with pre-processed EEG sensor-level data and semantic embeddings of reading materials extracted by a pre-trained natural language processing (NLP) model.

As a pilot EEG dataset derived from natural Chinese linguistic stimuli, ChineseEEG can significantly support research across neuroscience, NLP, and linguistics. It establishes a benchmark dataset for Chinese semantic decoding, aids in the development of BCIs, and facilitates the exploration of alignment between large language models and human cognitive processes. It can also aid research into the brain's mechanisms of language processing within the context of the Chinese natural language.

", + "authors": [ + { + "name_en": "HaiyanWu", + "name_zh": "HaiyanWu", + "email": "haiyanwu@um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + }, + { + "name_en": "XinyuMou", + "name_zh": "XinyuMou", + "email": "12112317@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology" + } + ] + }, + { + "name_en": "CuilinHe", + "name_zh": "CuilinHe", + "email": "mc36413@connect.um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau" + } + ] + }, + { + "name_en": "LiweiTan", + "name_zh": "LiweiTan", + "email": "mc36431@connect.um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau" + } + ] + }, + { + "name_en": "JunjieYu", + "name_zh": "JunjieYu", + "email": "12231192@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology" + } + ] + }, + { + "name_en": "HuadongLiang", + "name_zh": "HuadongLiang", + "email": "hdliang@iflytek.com", + "affiliations": [ + { + "name_en": " iFLYTEK Co., LTD, Hefei, China", + "name_zh": " iFLYTEK Co., LTD, Hefei, China" + } + ] + }, + { + "name_en": "JianyuZhang", + "name_zh": "JianyuZhang", + "email": "12112347@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern university of Science and Technology", + "name_zh": "Southern university of Science and Technology" + } + ] + }, + { + "name_en": "YanTian", + "name_zh": "YanTian", + "email": "sc02233@um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau" + } + ] + }, + { + "name_en": "Yu-Fang Yang", + "name_zh": "Yu-Fang Yang", + "email": "yu-fang.yang@fu-berlin.de", + "affiliations": [ + { + "name_en": "Freie Universitat Berlin", + "name_zh": "Freie Universitat Berlin" + } + ] + }, + { + "name_en": "TingXu", + "name_zh": "TingXu", + "email": "ting.xu@childmind.org", + "affiliations": [ + { + "name_en": "New York Collaborates for Autism", + "name_zh": "New York Collaborates for Autism", + "ror_id": "https://ror.org/021amba89" + } + ] + }, + { + "name_en": "QingWang", + "name_zh": "QingWang", + "email": "vincent.w.qing@gmail.com", + "affiliations": [ + { + "name_en": "Shanghai Jiao Tong University", + "name_zh": "Shanghai Jiao Tong University" + } + ] + }, + { + "name_en": "MiaoCao", + "name_zh": "MiaoCao", + "email": "miao.cao@hotmail.com", + "affiliations": [ + { + "name_en": "Swinburne University of Technology", + "name_zh": "Swinburne University of Technology" + } + ] + }, + { + "name_en": "ZijiaoChen", + "name_zh": "ZijiaoChen", + "email": "zijiao.chen@u.nus.edu", + "affiliations": [ + { + "name_en": " National University of Singapore", + "name_zh": " National University of Singapore" + } + ] + }, + { + "name_en": "Chuan-Peng Hu", + "name_zh": "Chuan-Peng Hu", + "email": "hu.chuan-peng@nnu.edu.cn", + "affiliations": [ + { + "name_en": "Nanjing Normal University", + "name_zh": "Nanjing Normal University" + } + ] + }, + { + "name_en": "XindiWang", + "name_zh": "XindiWang", + "email": "sandywang.rest@gmail.com", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology" + } + ] + }, + { + "name_en": "QuanyingLiu", + "name_zh": "QuanyingLiu", + "email": "liuqy@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology" + } + ] + } + ], + "keywords_en": [ + "EEG", + "semantic decoding", + "natural language processing" + ], + "keywords_zh": [ + "EEG", + "semantic decoding", + "natural language processing" + ], + "publication_date": "2024-02-20T17:05:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 686285.21, + "file_size_bytes": 719622195436, + "download_count": 37287, + "visit_count": 9933, + "url": "https://www.scidb.cn/en/detail?id=65c5ac189d874139a2eb1efc", + "source": "scidb" + }, + { + "dataset_id": "68b3e2070f50167093ad298b", + "doi": "10.57760/sciencedb.23372", + "cstr": "31253.11.sciencedb.23372", + "pid": "", + "title": "CIRE: A Chinese EEG Dataset for decoding speech intention modulated by prosodic emotion", + "title_en": "CIRE: A Chinese EEG Dataset for decoding speech intention modulated by prosodic emotion", + "title_zh": "CIRE: A Chinese EEG Dataset for decoding speech intention modulated by prosodic emotion", + "description": "

CIRE, an EEG dataset, on spoken language interaction intention featuring aligned textual expressions with divergent intentional meanings due to the differences in prosodic emotion. The dataset comprises preprocessed high-density (128-channel) EEG recordings from 38 participants engaged in comprehension of attitude-conveying speech stimuli, accompanied by Wav2vec2-derived acoustic embeddings of the listening materials. The high-density and high temporal resolution EEG data offer broader application areas, both in cognitive neuroscience and speech BCI, and can also contribute to the brain-inspired algorithms.

", + "description_en": "

CIRE, an EEG dataset, on spoken language interaction intention featuring aligned textual expressions with divergent intentional meanings due to the differences in prosodic emotion. The dataset comprises preprocessed high-density (128-channel) EEG recordings from 38 participants engaged in comprehension of attitude-conveying speech stimuli, accompanied by Wav2vec2-derived acoustic embeddings of the listening materials. The high-density and high temporal resolution EEG data offer broader application areas, both in cognitive neuroscience and speech BCI, and can also contribute to the brain-inspired algorithms.

", + "description_zh": "

CIRE, an EEG dataset, on spoken language interaction intention featuring aligned textual expressions with divergent intentional meanings due to the differences in prosodic emotion. The dataset comprises preprocessed high-density (128-channel) EEG recordings from 38 participants engaged in comprehension of attitude-conveying speech stimuli, accompanied by Wav2vec2-derived acoustic embeddings of the listening materials. The high-density and high temporal resolution EEG data offer broader application areas, both in cognitive neuroscience and speech BCI, and can also contribute to the brain-inspired algorithms.

", + "authors": [ + { + "name_en": "Gaoyan Zhang", + "name_zh": "Gaoyan Zhang", + "email": "zhanggaoyan@tju.edu.cn", + "affiliations": [ + { + "name_en": "Tianjin University", + "name_zh": "Tianjin University", + "ror_id": "https://ror.org/012tb2g32" + } + ] + }, + { + "name_en": "Shengrui He", + "name_zh": "Shengrui He", + "email": "heshengrui@tju.edu.cn", + "affiliations": [ + { + "name_en": "Tianjin University", + "name_zh": "Tianjin University", + "ror_id": "https://ror.org/012tb2g32" + } + ] + }, + { + "name_en": "Zhongjie Li", + "name_zh": "Zhongjie Li", + "email": "lizhongjie@nwpu.edu.cn", + "affiliations": [ + { + "name_en": "Northwestern Polytechnical University", + "name_zh": "Northwestern Polytechnical University", + "ror_id": "https://ror.org/01y0j0j86" + } + ] + }, + { + "name_en": "Jianwu Dang", + "name_zh": "Jianwu Dang", + "email": "jdang@jaist.ac.jp", + "affiliations": [ + { + "name_en": "Chinese Academy of Sciences", + "name_zh": "Chinese Academy of Sciences", + "ror_id": "https://ror.org/034t30j35" + } + ] + }, + { + "name_en": "Yingyi Luo", + "name_zh": "Yingyi Luo", + "email": "luoyingyi@cass.org.cn", + "affiliations": [ + { + "name_en": "Chinese Academy of Social Sciences", + "name_zh": "Chinese Academy of Social Sciences" + } + ] + } + ], + "keywords_en": [ + "EEG", + "Intention Recognition", + "Prosodic emotion" + ], + "keywords_zh": [ + "EEG", + "Intention Recognition", + "Prosodic emotion" + ], + "publication_date": "2025-04-10T02:53:07.749Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 49425.6, + "file_size_bytes": 51826499477, + "download_count": 29668, + "visit_count": 2450, + "url": "https://www.scidb.cn/en/detail?id=68b3e2070f50167093ad298b", + "source": "scidb" + }, + { + "dataset_id": "677fee3742b98c7bba09d3ac", + "doi": "10.57760/sciencedb.19730", + "cstr": "31253.11.sciencedb.19730", + "pid": "", + "title": "Scene processing precedes object processing: Evidence from EEG decoding", + "title_en": "Scene processing precedes object processing: Evidence from EEG decoding", + "title_zh": "Scene processing precedes object processing: Evidence from EEG decoding", + "description": "

In the real world, objects are perceived within the context of a background scene, rather than in isolation. When an object is presented within a scene, which is processed firstthe object or the scene? What roles do edge and surface information play in the neural representation of objects and scenes? To address these questions, we combined EEG and multivariate pattern analysis (MVPA) methods in a one-back task. Participants viewed images of objects embedded in scenes, presented as color photographs, grayscale images, or line drawing. Decoding resulting revealed that scenes were processed earlier than objects across all three image versions. Additionally, edge information alone was sufficient for the neural representation of objects, while surface information was primarily involved in the neural representation of scenes. These findings provide neural evidence supporting the “scene-first” hypothesis and highlight the distinct roles of edge and surface information in dynamic processing of objects and scenes.

", + "description_en": "

In the real world, objects are perceived within the context of a background scene, rather than in isolation. When an object is presented within a scene, which is processed firstthe object or the scene? What roles do edge and surface information play in the neural representation of objects and scenes? To address these questions, we combined EEG and multivariate pattern analysis (MVPA) methods in a one-back task. Participants viewed images of objects embedded in scenes, presented as color photographs, grayscale images, or line drawing. Decoding resulting revealed that scenes were processed earlier than objects across all three image versions. Additionally, edge information alone was sufficient for the neural representation of objects, while surface information was primarily involved in the neural representation of scenes. These findings provide neural evidence supporting the “scene-first” hypothesis and highlight the distinct roles of edge and surface information in dynamic processing of objects and scenes.

", + "description_zh": "

In the real world, objects are perceived within the context of a background scene, rather than in isolation. When an object is presented within a scene, which is processed firstthe object or the scene? What roles do edge and surface information play in the neural representation of objects and scenes? To address these questions, we combined EEG and multivariate pattern analysis (MVPA) methods in a one-back task. Participants viewed images of objects embedded in scenes, presented as color photographs, grayscale images, or line drawing. Decoding resulting revealed that scenes were processed earlier than objects across all three image versions. Additionally, edge information alone was sufficient for the neural representation of objects, while surface information was primarily involved in the neural representation of scenes. These findings provide neural evidence supporting the “scene-first” hypothesis and highlight the distinct roles of edge and surface information in dynamic processing of objects and scenes.

", + "authors": [ + { + "name_en": "Qiufang Fu", + "name_zh": "Qiufang Fu", + "email": "fuqf@psych.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "Institute of Psychology, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Liansheng Yao", + "name_zh": "Liansheng Yao", + "email": "lianshengyao@yeah.net", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "中国科学院心理研究所", + "ror_id": "https://ror.org/03j7v5j15" + } + ] + } + ], + "keywords_en": [ + "scene representation", + "object representation", + "edge information", + "surface information", + "scene-first theory" + ], + "keywords_zh": [ + "scene representation", + "object representation", + "edge information", + "surface information", + "scene-first theory" + ], + "publication_date": "2025-01-10T03:16:03.510Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 24422.84, + "file_size_bytes": 25609203324, + "download_count": 276, + "visit_count": 203, + "url": "https://www.scidb.cn/en/detail?id=677fee3742b98c7bba09d3ac", + "source": "scidb" + }, + { + "dataset_id": "68d4e43119a491453e1c1328", + "doi": "10.57760/sciencedb.CHNNeuro.00001", + "cstr": "31253.11.sciencedb.CHNNeuro.00001", + "pid": "", + "title": "ChineseEEG-2:An EEG Dataset for Multimodal Semantic Alignment and Neural Decoding during Reading and Listening", + "title_en": "ChineseEEG-2:An EEG Dataset for Multimodal Semantic Alignment and Neural Decoding during Reading and Listening", + "title_zh": "ChineseEEG-2:An EEG Dataset for Multimodal Semantic Alignment and Neural Decoding during Reading and Listening", + "description": "

Now-existing Electroencephalography (EEG) datasets are mainly based on English, which encounters difficulty when representing Chinese. While there have been EEG datasets related to linguistic stimuli, the existing resources are limited, and many faces the problem of teacher-forcing. In our future studies, we plan to promote a unified encoder of multi-modalities for semantic decoding, which suggests the need of more data support. To bridge this gap, we introduce ChineseEEG-2, a high-density EEG dataset that extends ChineseEEG containing both reading aloud and auditory listening tasks. As a unique multimodal EEG dataset featuring synchronized reading and listening tasks based on the same corpus, ChineseEEG-2 dataset enables the exploration of how the brain processes language across both visual and auditory modalities in the context of Chinese natural language. It offers valuable insights into multimodal semantic alignment, neural decoding, and the alignment between large language models and neural processes, contributing to the development of BCI systems for language decoding

A total of 12 healthy participants were recruited for the study, ranging in age from 18 to 25 years (mean age: 21.9 years; 4 males, 8 females). Among the 12 participants, four (2 males and 2 females) conducted the reading task, while the rest eight conducted the passive listening task. In the formal experiment, in total, 10.8 hours of reading data (around 3 hours per subject) and approximately 21.6 hours of listening data (around 3 hours per subject) were collected, amounting to 32.4 hours of data overall.

", + "description_en": "

Now-existing Electroencephalography (EEG) datasets are mainly based on English, which encounters difficulty when representing Chinese. While there have been EEG datasets related to linguistic stimuli, the existing resources are limited, and many faces the problem of teacher-forcing. In our future studies, we plan to promote a unified encoder of multi-modalities for semantic decoding, which suggests the need of more data support. To bridge this gap, we introduce ChineseEEG-2, a high-density EEG dataset that extends ChineseEEG containing both reading aloud and auditory listening tasks. As a unique multimodal EEG dataset featuring synchronized reading and listening tasks based on the same corpus, ChineseEEG-2 dataset enables the exploration of how the brain processes language across both visual and auditory modalities in the context of Chinese natural language. It offers valuable insights into multimodal semantic alignment, neural decoding, and the alignment between large language models and neural processes, contributing to the development of BCI systems for language decoding

A total of 12 healthy participants were recruited for the study, ranging in age from 18 to 25 years (mean age: 21.9 years; 4 males, 8 females). Among the 12 participants, four (2 males and 2 females) conducted the reading task, while the rest eight conducted the passive listening task. In the formal experiment, in total, 10.8 hours of reading data (around 3 hours per subject) and approximately 21.6 hours of listening data (around 3 hours per subject) were collected, amounting to 32.4 hours of data overall.

", + "description_zh": "

Now-existing Electroencephalography (EEG) datasets are mainly based on English, which encounters difficulty when representing Chinese. While there have been EEG datasets related to linguistic stimuli, the existing resources are limited, and many faces the problem of teacher-forcing. In our future studies, we plan to promote a unified encoder of multi-modalities for semantic decoding, which suggests the need of more data support. To bridge this gap, we introduce ChineseEEG-2, a high-density EEG dataset that extends ChineseEEG containing both reading aloud and auditory listening tasks. As a unique multimodal EEG dataset featuring synchronized reading and listening tasks based on the same corpus, ChineseEEG-2 dataset enables the exploration of how the brain processes language across both visual and auditory modalities in the context of Chinese natural language. It offers valuable insights into multimodal semantic alignment, neural decoding, and the alignment between large language models and neural processes, contributing to the development of BCI systems for language decoding

A total of 12 healthy participants were recruited for the study, ranging in age from 18 to 25 years (mean age: 21.9 years; 4 males, 8 females). Among the 12 participants, four (2 males and 2 females) conducted the reading task, while the rest eight conducted the passive listening task. In the formal experiment, in total, 10.8 hours of reading data (around 3 hours per subject) and approximately 21.6 hours of listening data (around 3 hours per subject) were collected, amounting to 32.4 hours of data overall.

", + "authors": [ + { + "name_en": "Sitong Chen", + "name_zh": "Sitong Chen", + "email": "12212653@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Beiqianyi Li", + "name_zh": "Beiqianyi Li", + "email": "sc12214@um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + }, + { + "name_en": "Cuilin He", + "name_zh": "Cuilin He", + "email": "mc36413@connect.um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + }, + { + "name_en": "Dongyang Li", + "name_zh": "Dongyang Li", + "email": "lidy2023@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Mingyang Wu", + "name_zh": "Mingyang Wu", + "email": "12312813@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Xinke Shen", + "name_zh": "Xinke Shen", + "email": "shenxk@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology" + } + ] + }, + { + "name_en": "Song Wang", + "name_zh": "Song Wang", + "email": "12332575@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Xuetao Wei", + "name_zh": "Xuetao Wei", + "email": "weixt@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Xindi Wang", + "name_zh": "Xindi Wang", + "email": "sandywang.rest@gmail.com", + "affiliations": [ + { + "name_en": "AI Research Institute, iFLYTEK Co., LTD,", + "name_zh": "AI Research Institute, iFLYTEK Co., LTD," + } + ] + }, + { + "name_en": "Haiyan Wu", + "name_zh": "Haiyan Wu", + "email": "evawu2008@gmail.com", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + }, + { + "name_en": "Quanying Liu", + "name_zh": "Quanying Liu", + "email": "liuqy@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + } + ], + "keywords_en": [ + "EEG", + " natural language processing", + "semantic decoding" + ], + "keywords_zh": [ + "EEG", + " natural language processing", + "semantic decoding" + ], + "publication_date": "2025-07-28T03:39:43.257Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 97754.75, + "file_size_bytes": 102503284224, + "download_count": 25408, + "visit_count": 3547, + "url": "https://www.scidb.cn/en/detail?id=68d4e43119a491453e1c1328", + "source": "scidb" + }, + { + "dataset_id": "67a41f4c27843a4e47683a4e", + "doi": "10.57760/sciencedb.20611", + "cstr": "31253.11.sciencedb.20611", + "pid": "", + "title": "ChineseEEG-2:An EEG Dataset for Multimodal Semantic Alignment and Neural Decoding during Reading and Listening", + "title_en": "ChineseEEG-2:An EEG Dataset for Multimodal Semantic Alignment and Neural Decoding during Reading and Listening", + "title_zh": "ChineseEEG-2:An EEG Dataset for Multimodal Semantic Alignment and Neural Decoding during Reading and Listening", + "description": "

Now-existing Electroencephalography (EEG) datasets are mainly based on English, which encounters difficulty when representing Chinese. While there have been EEG datasets related to linguistic stimuli, the existing resources are limited, and many faces the problem of teacher-forcing. In our future studies, we plan to promote a unified encoder of multi-modalities for semantic decoding, which suggests the need of more data support. To bridge this gap, we introduce ChineseEEG-2, a high-density EEG dataset that extends ChineseEEG containing both reading aloud and auditory listening tasks. As a unique multimodal EEG dataset featuring synchronized reading and listening tasks based on the same corpus, ChineseEEG-2 dataset enables the exploration of how the brain processes language across both visual and auditory modalities in the context of Chinese natural language. It offers valuable insights into multimodal semantic alignment, neural decoding, and the alignment between large language models and neural processes, contributing to the development of BCI systems for language decoding

A total of 12 healthy participants were recruited for the study, ranging in age from 18 to 25 years (mean age: 21.9 years; 4 males, 8 females). Among the 12 participants, four (2 males and 2 females) conducted the reading task, while the rest eight conducted the passive listening task. In the formal experiment, in total, 10.8 hours of reading data (around 3 hours per subject) and approximately 21.6 hours of listening data (around 3 hours per subject) were collected, amounting to 32.4 hours of data overall.

", + "description_en": "

Now-existing Electroencephalography (EEG) datasets are mainly based on English, which encounters difficulty when representing Chinese. While there have been EEG datasets related to linguistic stimuli, the existing resources are limited, and many faces the problem of teacher-forcing. In our future studies, we plan to promote a unified encoder of multi-modalities for semantic decoding, which suggests the need of more data support. To bridge this gap, we introduce ChineseEEG-2, a high-density EEG dataset that extends ChineseEEG containing both reading aloud and auditory listening tasks. As a unique multimodal EEG dataset featuring synchronized reading and listening tasks based on the same corpus, ChineseEEG-2 dataset enables the exploration of how the brain processes language across both visual and auditory modalities in the context of Chinese natural language. It offers valuable insights into multimodal semantic alignment, neural decoding, and the alignment between large language models and neural processes, contributing to the development of BCI systems for language decoding

A total of 12 healthy participants were recruited for the study, ranging in age from 18 to 25 years (mean age: 21.9 years; 4 males, 8 females). Among the 12 participants, four (2 males and 2 females) conducted the reading task, while the rest eight conducted the passive listening task. In the formal experiment, in total, 10.8 hours of reading data (around 3 hours per subject) and approximately 21.6 hours of listening data (around 3 hours per subject) were collected, amounting to 32.4 hours of data overall.

", + "description_zh": "

Now-existing Electroencephalography (EEG) datasets are mainly based on English, which encounters difficulty when representing Chinese. While there have been EEG datasets related to linguistic stimuli, the existing resources are limited, and many faces the problem of teacher-forcing. In our future studies, we plan to promote a unified encoder of multi-modalities for semantic decoding, which suggests the need of more data support. To bridge this gap, we introduce ChineseEEG-2, a high-density EEG dataset that extends ChineseEEG containing both reading aloud and auditory listening tasks. As a unique multimodal EEG dataset featuring synchronized reading and listening tasks based on the same corpus, ChineseEEG-2 dataset enables the exploration of how the brain processes language across both visual and auditory modalities in the context of Chinese natural language. It offers valuable insights into multimodal semantic alignment, neural decoding, and the alignment between large language models and neural processes, contributing to the development of BCI systems for language decoding

A total of 12 healthy participants were recruited for the study, ranging in age from 18 to 25 years (mean age: 21.9 years; 4 males, 8 females). Among the 12 participants, four (2 males and 2 females) conducted the reading task, while the rest eight conducted the passive listening task. In the formal experiment, in total, 10.8 hours of reading data (around 3 hours per subject) and approximately 21.6 hours of listening data (around 3 hours per subject) were collected, amounting to 32.4 hours of data overall.

", + "authors": [ + { + "name_en": "Sitong Chen", + "name_zh": "Sitong Chen", + "email": "12212653@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Beiqianyi Li", + "name_zh": "Beiqianyi Li", + "email": "sc12214@um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + }, + { + "name_en": "Cuilin He", + "name_zh": "Cuilin He", + "email": "mc36413@connect.um.edu.mo", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + }, + { + "name_en": "Dongyang Li", + "name_zh": "Dongyang Li", + "email": "lidy2023@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Mingyang Wu", + "name_zh": "Mingyang Wu", + "email": "12312813@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Xinke Shen", + "name_zh": "Xinke Shen", + "email": "shenxk@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Song Wang", + "name_zh": "Song Wang", + "email": "12332575@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Xuetao Wei", + "name_zh": "Xuetao Wei", + "email": "weixt@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + }, + { + "name_en": "Xindi Wang", + "name_zh": "Xindi Wang", + "email": "sandywang.rest@gmail.com", + "affiliations": [ + { + "name_en": "AI Research Institute, iFLYTEK Co., LTD,", + "name_zh": "AI Research Institute, iFLYTEK Co., LTD," + } + ] + }, + { + "name_en": "Haiyan Wu", + "name_zh": "Haiyan Wu", + "email": "evawu2008@gmail.com", + "affiliations": [ + { + "name_en": "University of Macau", + "name_zh": "University of Macau", + "ror_id": "https://ror.org/01r4q9n85" + } + ] + }, + { + "name_en": "Quanying Liu", + "name_zh": "Quanying Liu", + "email": "liuqy@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Southern University of Science and Technology", + "name_zh": "Southern University of Science and Technology", + "ror_id": "https://ror.org/049tv2d57" + } + ] + } + ], + "keywords_en": [ + "EEG", + " natural language processing", + "Semantic Decoding" + ], + "keywords_zh": [ + "EEG", + " natural language processing", + "Semantic Decoding" + ], + "publication_date": "2025-02-14T07:00:39.792Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 104940.05, + "file_size_bytes": 110037613972, + "download_count": 2712, + "visit_count": 3848, + "url": "https://www.scidb.cn/en/detail?id=67a41f4c27843a4e47683a4e", + "source": "scidb" + }, + { + "dataset_id": "67cc1763cfa1d066cfad71fb", + "doi": "10.57760/sciencedb.14025", + "cstr": "31253.11.sciencedb.14025", + "pid": "", + "title": "EmoEEG-MC: A Multi-Context Emotional EEG Dataset for Cross-Context Emotion Decoding", + "title_en": "EmoEEG-MC: A Multi-Context Emotional EEG Dataset for Cross-Context Emotion Decoding", + "title_zh": "EmoEEG-MC: A Multi-Context Emotional EEG Dataset for Cross-Context Emotion Decoding", + "description": "

We present the Multi-Context Emotional EEG (EmoEEG-MC) dataset, featuring 64-channel EEG and peripheral physiological data from 60 participants exposed to two distinct contexts: video-induced and imagery-induced emotions. These contexts evoke seven distinct emotional categories: joy, inspiration, tenderness, fear, disgust, sadness, and neutral emotion. The emotional experience of a specific emotion category was validated through subjective reports. The EmoEEG-MC dataset serves as a foundational resource for advancing cross-context emotion recognition and enhancing the real-world application of emotion decoding methods.

", + "description_en": "

We present the Multi-Context Emotional EEG (EmoEEG-MC) dataset, featuring 64-channel EEG and peripheral physiological data from 60 participants exposed to two distinct contexts: video-induced and imagery-induced emotions. These contexts evoke seven distinct emotional categories: joy, inspiration, tenderness, fear, disgust, sadness, and neutral emotion. The emotional experience of a specific emotion category was validated through subjective reports. The EmoEEG-MC dataset serves as a foundational resource for advancing cross-context emotion recognition and enhancing the real-world application of emotion decoding methods.

", + "description_zh": "

We present the Multi-Context Emotional EEG (EmoEEG-MC) dataset, featuring 64-channel EEG and peripheral physiological data from 60 participants exposed to two distinct contexts: video-induced and imagery-induced emotions. These contexts evoke seven distinct emotional categories: joy, inspiration, tenderness, fear, disgust, sadness, and neutral emotion. The emotional experience of a specific emotion category was validated through subjective reports. The EmoEEG-MC dataset serves as a foundational resource for advancing cross-context emotion recognition and enhancing the real-world application of emotion decoding methods.

", + "authors": [ + { + "name_en": "Xin Xu", + "name_zh": "Xin Xu", + "email": "12211762@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China", + "name_zh": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China" + } + ] + }, + { + "name_en": "Xinke Shen", + "name_zh": "Xinke Shen", + "email": "shenxk@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China", + "name_zh": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China" + } + ] + }, + { + "name_en": "Xuyang Chen", + "name_zh": "Xuyang Chen", + "email": "12010103@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China", + "name_zh": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China" + } + ] + }, + { + "name_en": "Qingzhu Zhang", + "name_zh": "Qingzhu Zhang", + "email": "zhangqingzhu2002@gmail.com", + "affiliations": [ + { + "name_en": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China", + "name_zh": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China" + } + ] + }, + { + "name_en": "Sitian Wang", + "name_zh": "Sitian Wang", + "email": "12312453@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China", + "name_zh": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China" + } + ] + }, + { + "name_en": "Yihan Li", + "name_zh": "Yihan Li", + "email": "12312832@mail.sustech.edu.cn", + "affiliations": [ + { + "name_en": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China", + "name_zh": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China" + } + ] + }, + { + "name_en": "Zongsheng Li", + "name_zh": "Zongsheng Li", + "email": "223010111@link.cuhk.edu.cn", + "affiliations": [ + { + "name_en": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China", + "name_zh": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China" + }, + { + "name_en": "School of Science and Engineering, The Chinese University of Hong Kong, Shenzhen, 518172, China", + "name_zh": "School of Science and Engineering, The Chinese University of Hong Kong, Shenzhen, 518172, China" + } + ] + }, + { + "name_en": "Dan Zhang", + "name_zh": "Dan Zhang", + "email": "dzhang@tsinghua.edu.cn", + "affiliations": [ + { + "name_en": "Department of Psychological and Cognitive Sciences, Tsinghua University, Beijing, 100084, China", + "name_zh": "Department of Psychological and Cognitive Sciences, Tsinghua University, Beijing, 100084, China" + } + ] + }, + { + "name_en": "Mingming Zhang", + "name_zh": "Mingming Zhang", + "email": "zhangmm@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China", + "name_zh": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China" + } + ] + }, + { + "name_en": "Quanying Liu", + "name_zh": "Quanying Liu", + "email": "liuqy@sustech.edu.cn", + "affiliations": [ + { + "name_en": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China", + "name_zh": "Department of Biomedical Engineering, Southern University of Science and Technology, Shenzhen, 518055, China" + } + ] + } + ], + "keywords_en": [ + "Affective computing", + "multiple-context", + "EEG" + ], + "keywords_zh": [ + "Affective computing", + "multiple-context", + "EEG" + ], + "publication_date": "2024-09-27T12:59:29.012Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 70711.78, + "file_size_bytes": 74146673499, + "download_count": 90342, + "visit_count": 4002, + "url": "https://www.scidb.cn/en/detail?id=67cc1763cfa1d066cfad71fb", + "source": "scidb" + }, + { + "dataset_id": "664adaeb8355d83c98b50e5d", + "doi": "10.57760/sciencedb.08758", + "cstr": "31253.11.sciencedb.08758", + "pid": "", + "title": "Harnessing New Frontiers in Art Therapy: An Interactive Installation Integrating EEG, VR, and AIGC for the Alleviation of Negative Emotions", + "title_en": "Harnessing New Frontiers in Art Therapy: An Interactive Installation Integrating EEG, VR, and AIGC for the Alleviation of Negative Emotions", + "title_zh": "Harnessing New Frontiers in Art Therapy: An Interactive Installation Integrating EEG, VR, and AIGC for the Alleviation of Negative Emotions", + "description": "

This set of data is mainly divided into two parts. One part is the data that measured the subjects before and after the experiment using the PANAS scale. The other part is the data that measured the subjects before and after the experiment using the EEG equipment. SPSS was used for data analysis.

", + "description_en": "

This set of data is mainly divided into two parts. One part is the data that measured the subjects before and after the experiment using the PANAS scale. The other part is the data that measured the subjects before and after the experiment using the EEG equipment. SPSS was used for data analysis.

", + "description_zh": "

This set of data is mainly divided into two parts. One part is the data that measured the subjects before and after the experiment using the PANAS scale. The other part is the data that measured the subjects before and after the experiment using the EEG equipment. SPSS was used for data analysis.

", + "authors": [ + { + "name_en": "Cen Chenghong", + "name_zh": "Cen Chenghong", + "email": "cen_chenghong@m.scnu.edu.cn", + "affiliations": [ + { + "name_en": "South China Normal University", + "name_zh": "华南师范大学", + "ror_id": "https://ror.org/01kq0pv72" + } + ] + }, + { + "name_en": "Li Kang", + "name_zh": "Li Kang", + "email": "Kang.Li@zu.ac.ae", + "affiliations": [ + { + "name_en": "Zayed University", + "name_zh": "Zayed University" + } + ] + }, + { + "name_en": "Xu Jing", + "name_zh": "Xu Jing", + "email": "xujing9602@gmail.com", + "affiliations": [ + { + "name_en": "Macau University of Science and Technology", + "name_zh": "Macau University of Science and Technology" + } + ] + }, + { + "name_en": "Huang Guanghui", + "name_zh": "Huang Guanghui", + "email": "Ghhuang1@must.edu.mo", + "affiliations": [ + { + "name_en": "Macau University of Science and Technology", + "name_zh": "Macau University of Science and Technology", + "ror_id": "https://ror.org/03jqs2n27" + } + ] + }, + { + "name_en": "Jiang Tan", + "name_zh": "Jiang Tan", + "email": "jiangtan@scnu.edu.cn", + "affiliations": [ + { + "name_en": "South China Normal University", + "name_zh": "华南师范大学", + "ror_id": "https://ror.org/01kq0pv72" + } + ] + } + ], + "keywords_en": [ + "PANAS SCALE", + "EEG DATA ANALYSIS", + "COGNITIVE EMOTION", + "IMMERSIVE ART THERAPY" + ], + "keywords_zh": [ + "PANAS SCALE", + "EEG DATA ANALYSIS", + "COGNITIVE EMOTION", + "IMMERSIVE ART THERAPY" + ], + "publication_date": "2024-05-20T06:55:10.809Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 659.24, + "file_size_bytes": 691264130, + "download_count": 25388, + "visit_count": 1974, + "url": "https://www.scidb.cn/en/detail?id=664adaeb8355d83c98b50e5d", + "source": "scidb" + }, + { + "dataset_id": "6332b4603d498241dcc008f3", + "doi": "10.57760/sciencedb.j00052.00029", + "cstr": "31253.11.sciencedb.j00052.00029", + "pid": "21.86116.6/sciencedb.j00052.00029", + "title": "The neurophysiological mechanism of brand personality attracting consumers: Evidence from EEG and GSR(SPSS data)", + "title_en": "The neurophysiological mechanism of brand personality attracting consumers: Evidence from EEG and GSR(SPSS data)", + "title_zh": "品牌个性吸引消费者的神经生理机制——来自EEG和GSR的证据(SPSS 数据)", + "description": "

EEG GSR SAM data exported from imotion software, and the data of Big Five Personality Scale filled in by subjects with questionnaire stars Label information peak_ count_ Xx=peak number APA_ Xx=peak amplitude xx_ Valence=SAM self-assessment questionnaire potency xx_ Dominance=dominated by SAM self-assessment questionnaire xx_ Arousal=SAM self-assessment questionnaire wake-up LR_ xx_ Alpha=PAI α LR_ xx_ Beta=PAI β LR_ xx_ Gamma=PAI γ Xx Brand personality Xx=Com: capability Xx=Sin: Sincerity Xx=Rug: rough Xx=Sop: sophisticated Xx=Exi: excited 

", + "description_en": "

EEG GSR SAM data exported from imotion software, and the data of Big Five Personality Scale filled in by subjects with questionnaire stars Label information peak_ count_ Xx=peak number APA_ Xx=peak amplitude xx_ Valence=SAM self-assessment questionnaire potency xx_ Dominance=dominated by SAM self-assessment questionnaire xx_ Arousal=SAM self-assessment questionnaire wake-up LR_ xx_ Alpha=PAI α LR_ xx_ Beta=PAI β LR_ xx_ Gamma=PAI γ Xx Brand personality Xx=Com: capability Xx=Sin: Sincerity Xx=Rug: rough Xx=Sop: sophisticated Xx=Exi: excited 

", + "description_zh": "

EEG 、GSR、SAM数据,从imotion软件中导出,脑电图设备使用Neuroelectic公司的Enobio20脑电系统,按国际10-20系统的20导电极帽记录EEG,以右耳夹电极为参考电极,设备采样率为500hz。皮肤电GSR设备使用Shimmer公司的Shimmer3 GSR+,采样率为51.2Hz。

标签:

peak_ count_ Xx=尖峰次数

APA_ Xx=尖峰振幅

xx_ Valence=SAM 问卷-效价

 xx_ Dominance=SAM问卷-支配

xx_ Arousal=SAM问卷-唤醒

LR_ xx_ Alpha=PAI α 

LR_ xx_ Beta=PAI β 

LR_ xx_ Gamma=PAI γ 


XX-品牌个性

Xx=Com: 能力

Xx=Sin: 真诚

Xx=Rug: 粗犷

Xx=Sop: 老练

 Xx=Exi: 兴奋

", + "authors": [ + { + "name_en": "xu zhi wei", + "name_zh": "许志炜", + "email": "zwxu@whu.edu.cn", + "affiliations": [ + { + "name_en": "Hubei University", + "name_zh": "Hubei University" + } + ] + } + ], + "keywords_en": [ + "brand personality", + "neuromarketing", + "EEG", + "GSR", + "circumplex model of affect" + ], + "keywords_zh": [ + "品牌个性", + "神经营销学", + "EEG", + "GSR", + "情绪环状模型" + ], + "publication_date": "2023-08-31T01:07:14.096Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 12344, + "download_count": 21, + "visit_count": 610, + "url": "https://www.scidb.cn/en/detail?id=6332b4603d498241dcc008f3", + "source": "scidb" + }, + { + "dataset_id": "66993089ab1be93f47ea6b7e", + "doi": "10.57760/sciencedb.psych.00207", + "cstr": "31253.11.sciencedb.psych.00207", + "pid": "", + "title": "Behavioral and EEG results of emotional discrimination task (high-altitude and low-altitude)", + "title_en": "Behavioral and EEG results of emotional discrimination task (high-altitude and low-altitude)", + "title_zh": "情绪判断任务行为学及脑电数据(高原人群和平原人群)", + "description": "

Participants were all college undergraduates with normal or corrected vision, right-handed, no history of neurological or psychiatric disorders or other chronic physical conditions, no use of drugs (psychiatric or otherwise) in the last 2 days, and no irregular lifestyle. The high-altitude group consisted of 25 subjects from Tibet University (3658m above sea level), all of whom grew up in the plain, entered the plateau for the first time and lived there for more than 2 years after adulthood. Excluding 1 subjects with missing EEG data and 2 subjects with damaged data, 22 subjects were enrolled ultimately (12 males and 10 females, age ranged between 20 and 24 years, average age as 21.91±0.97 years). The 30 members of the low-altitude group are from universities in Beijing (52m above sea level), who have never been to the plateau. 6 subjects were excluded for excessive disturbance of EEG data, and 24 subjects were finally enrolled (11 males and 13 females, age ranged between 19 and 24 years, average age as 21.43±1.24 years).

Emotional face recognition task was adopted. Stimulations were selected from Chinese Affective Face Picture System (Gong et al., 2011), including 3 males and 3 females, each with 3 expressions (angry, happy, neutral), a total of 18 emotional face pictures. A white cross (0.82°×0.82°) was presented in the center of the black background as the fixation point, with the presentation time random between 1200-1600ms. Then, the facial picture appears until subjects press the key and enter the next trial. Subjects are demanded to judge the gender of faces accurately as fast as possible. The position of the buttons was balanced between the subjects, with half of the subjects pressing the left button for a male face, the right button for a female face, and the other half doing the opposite. The experiment is consisted of practice and formal test. During the practice, each picture was presented once in a random order, with a total of 18 trials. The formal experiment was divided into 2 phases, with a short rest in between, 144 trials in each phase, a total of 288 trials, and each picture was repeated 16 times.

Electroencephalography (EEG) was collected using the Neuroscan recording and analysis system and the elastic cap with 64 Ag/AgCl electrodes cap of International 10-20 standard system (Neuroscan Inc., USA). The referenced electrode was the left mastoid and the grounding electrode was located at the midpoint of the Fz and FPz. The vertical electrooculogram (VEOG) was recorded with a pair of electrodes placed above and below the left eye, while the horizontal electrooculogram (HEOG) was recorded with another pair of electrodes, located 1 cm from the outer canthus of each eye. The resistance of scalp was kept under 5kΩ. Signals were amplified with a Neuroscan SynamPs-2 amplifier (Neuroscan Inc., USA) which included a 0.05-100 Hz bandpass filter with the sampling frequency as 500Hz.

Behavioral results could be opened with E-prime3 and EEG results could be opened with EEGLAB.

", + "description_en": "

Participants were all college undergraduates with normal or corrected vision, right-handed, no history of neurological or psychiatric disorders or other chronic physical conditions, no use of drugs (psychiatric or otherwise) in the last 2 days, and no irregular lifestyle. The high-altitude group consisted of 25 subjects from Tibet University (3658m above sea level), all of whom grew up in the plain, entered the plateau for the first time and lived there for more than 2 years after adulthood. Excluding 1 subjects with missing EEG data and 2 subjects with damaged data, 22 subjects were enrolled ultimately (12 males and 10 females, age ranged between 20 and 24 years, average age as 21.91±0.97 years). The 30 members of the low-altitude group are from universities in Beijing (52m above sea level), who have never been to the plateau. 6 subjects were excluded for excessive disturbance of EEG data, and 24 subjects were finally enrolled (11 males and 13 females, age ranged between 19 and 24 years, average age as 21.43±1.24 years).

Emotional face recognition task was adopted. Stimulations were selected from Chinese Affective Face Picture System (Gong et al., 2011), including 3 males and 3 females, each with 3 expressions (angry, happy, neutral), a total of 18 emotional face pictures. A white cross (0.82°×0.82°) was presented in the center of the black background as the fixation point, with the presentation time random between 1200-1600ms. Then, the facial picture appears until subjects press the key and enter the next trial. Subjects are demanded to judge the gender of faces accurately as fast as possible. The position of the buttons was balanced between the subjects, with half of the subjects pressing the left button for a male face, the right button for a female face, and the other half doing the opposite. The experiment is consisted of practice and formal test. During the practice, each picture was presented once in a random order, with a total of 18 trials. The formal experiment was divided into 2 phases, with a short rest in between, 144 trials in each phase, a total of 288 trials, and each picture was repeated 16 times.

Electroencephalography (EEG) was collected using the Neuroscan recording and analysis system and the elastic cap with 64 Ag/AgCl electrodes cap of International 10-20 standard system (Neuroscan Inc., USA). The referenced electrode was the left mastoid and the grounding electrode was located at the midpoint of the Fz and FPz. The vertical electrooculogram (VEOG) was recorded with a pair of electrodes placed above and below the left eye, while the horizontal electrooculogram (HEOG) was recorded with another pair of electrodes, located 1 cm from the outer canthus of each eye. The resistance of scalp was kept under 5kΩ. Signals were amplified with a Neuroscan SynamPs-2 amplifier (Neuroscan Inc., USA) which included a 0.05-100 Hz bandpass filter with the sampling frequency as 500Hz.

Behavioral results could be opened with E-prime3 and EEG results could be opened with EEGLAB.

", + "description_zh": "
被试均为大学本科生,视力正常或矫正视力正常,右利手,没有神经或精神疾病或其他慢性生理疾病史,近2天内没有使用药物(精神或其他)以及没有不规律生活方式。高原组25人来自西藏大学(海拔3658 m),均生长在平原,成年后首次进入高原并居住满2年以上。排除脑电数据缺失被试1人、数据损坏被试2人,最终入组22人(男/女:12/10人,年龄范围20-24岁,平均年龄21.91±0.97岁)。平原组30人来自北京各高校(海拔52 m),从未到过高原。排除脑电数据干扰过多被试6人,最终入组24人(男/女:11/13人,年龄范围19-24岁,平均年龄21.43±1.24岁)。\n采用情绪面孔判断任务。刺激材料来自中国面孔情绪图片库,选取3男3女,每人各3种表情(愤怒,愉快,中性),总计18张情绪面孔图片。每个试次开始时,在黑色背景中心呈现0.82°×0.82°视角的白色十字注视点,呈现时间在1200-1600ms随机,随后呈现面孔图片,按键后消失,进入下一个试次。要求被试尽可能快速准确地判断面孔性别。按键位置在被试间平衡,一半被试看到男性面孔按左键,女性面孔按右键,另一半被试与之相反。实验包括练习和正式测试。练习时每张图片随机呈现1次,共18个试次。正式实验分2组进行,中间短暂休息,每组144个试次,共计288个试次,每张图片重复16次(8次*2组)。每个试次约2s,正式实验时间约10min。\n脑电采集使用Neuroscan记录与分析系统,按国际10-20标准系统扩展的64导Ag / AgCl电极帽(Neuroscan Inc., USA)记录脑电(electroencephalography, EEG)。电极在线参考为左侧乳突  ,接地电极位于Fz和FPz电极连线中点。由放置在左眼上方和下方的一对电极记录垂直眼电(VEOG),水平眼电(HEOG)由另一对位于距每只眼睛外眦1cm处的电极记录,头皮电阻保持在5kΩ以下。由一个包括0.05–100 Hz带通滤波器的Neuroscan synamps 2放大器(Neuroscan Inc., USA)放大信号,采样频率为500Hz。\n行为学结果用E-prime3打开,脑电结果用EEGLAB打开。\n
", + "authors": [ + { + "name_en": "Cai Yudian", + "name_zh": "蔡雨点", + "email": "caiyd@psych.ac.cn", + "affiliations": [ + { + "name_en": "Chinese Academy of Sciences", + "name_zh": "中国科学院", + "ror_id": "https://ror.org/034t30j35" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + }, + { + "name_en": "Wang Yan", + "name_zh": "王妍", + "email": "wangyan@psych.ac.cn", + "affiliations": [ + { + "name_en": "Chinese Academy of Sciences", + "name_zh": "中国科学院", + "ror_id": "https://ror.org/034t30j35" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + }, + { + "name_en": "An Xin", + "name_zh": "安心", + "email": "370138916@qq.com", + "affiliations": [ + { + "name_en": "National Defence University", + "name_zh": "National Defence University", + "ror_id": "https://ror.org/045vxh980" + } + ] + }, + { + "name_en": "Ma Hailin", + "name_zh": "马海林", + "email": "83976475@qq.com", + "affiliations": [ + { + "name_en": "Tibet University", + "name_zh": "西藏大学", + "ror_id": "https://ror.org/05petvd47" + } + ] + }, + { + "name_en": "Dai Shan", + "name_zh": "代杉", + "email": "rachelds@163.com", + "affiliations": [ + { + "name_en": "Chinese Academy of Sciences", + "name_zh": "中国科学院", + "ror_id": "https://ror.org/034t30j35" + } + ] + } + ], + "keywords_en": [ + "high-altitude", + "facial recognition", + "emotion", + "ERP" + ], + "keywords_zh": [ + "面孔识别", + "情绪", + "高原", + "ERP" + ], + "publication_date": "2024-07-23T14:34:35.443Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC 4.0", + "file_size_mb": 3219.38, + "file_size_bytes": 3375764051, + "download_count": 537, + "visit_count": 1156, + "url": "https://www.scidb.cn/en/detail?id=66993089ab1be93f47ea6b7e", + "source": "scidb" + }, + { + "dataset_id": "6284bc2d9f0a08024767f8e5", + "doi": "10.57760/sciencedb.o00115.00009", + "cstr": "31253.11.sciencedb.o00115.00009", + "pid": "21.86116.6/sciencedb.o00115.00009", + "title": "Effects of active and passive suppression of facial expressions on subjective experience and EEG responses", + "title_en": "Effects of active and passive suppression of facial expressions on subjective experience and EEG responses", + "title_zh": "主动和被动抑制面部表情对主观体验和脑电生理反应的影响", + "description": "

Inhibition of the effect of facial expression on subjective experience and brain electrophysiological response 

", + "description_en": "

Inhibition of the effect of facial expression on subjective experience and brain electrophysiological response 

", + "description_zh": "

抑制面部表情对主观体验和脑电生理反应的影响原始数据

", + "authors": [ + { + "name_en": "wang cai feng", + "name_zh": "王彩凤", + "email": "2056784455@qq.com", + "affiliations": [ + { + "name_en": "辽宁师范大学", + "name_zh": "辽宁师范大学" + } + ] + } + ], + "keywords_en": [ + "expressive suppression", + "external performance", + "subjective experience", + "physiological response" + ], + "keywords_zh": [ + "表达抑制", + "外部表现", + "主观体验", + "生理反应" + ], + "publication_date": "2022-05-23T14:22:07.877Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 352.36, + "file_size_bytes": 369477336, + "download_count": 625, + "visit_count": 2135, + "url": "https://www.scidb.cn/en/detail?id=6284bc2d9f0a08024767f8e5", + "source": "scidb" + }, + { + "dataset_id": "61ce5f7f5b86483bca618b94", + "doi": "10.11922/sciencedb.01421", + "cstr": "31253.11.sciencedb.01421", + "pid": "21.86116.6/sciencedb.01421", + "title": "Decoding human visual colour EEG information using machine learning and visual evoked potentials", + "title_en": "Decoding human visual colour EEG information using machine learning and visual evoked potentials", + "title_zh": "Decoding human visual colour EEG information using machine learning and visual evoked potentials", + "description": "

With the rapid development of brain-computer interfaces (BCIs), human visual decoding, one of the important research directions of BCIs, has attracted a substantial amount of attention. However, most visual decoding studies have focused on graphic and image decoding. In this paper, we first demonstrate the possibility of building a new kind of task-irrelevant, simple and fast-stimulus BCI-based experimental paradigm that relies on visual evoked potentials (VEPs) during colour observation. Additionally, the features of visual colour information were found through reliable real-time decoding. We selected 9 subjects who did not have colour blindness to participate in our tests. These subjects were asked to observe red, green, and blue screens in turn with an interstimulus interval of 1 second. The machine learning results showed that the visual colour classification accuracy had a maximum of 93.73%. The latency evoked by visual colour stimuli was within the P300 range, i.e., 176.8 milliseconds for the red screen, 206.5 milliseconds for the green screen, and 225.3 milliseconds for the blue screen. The experimental results hereby show that the VEPs can be used for reliable colour real-time decoding.

", + "description_en": "

With the rapid development of brain-computer interfaces (BCIs), human visual decoding, one of the important research directions of BCIs, has attracted a substantial amount of attention. However, most visual decoding studies have focused on graphic and image decoding. In this paper, we first demonstrate the possibility of building a new kind of task-irrelevant, simple and fast-stimulus BCI-based experimental paradigm that relies on visual evoked potentials (VEPs) during colour observation. Additionally, the features of visual colour information were found through reliable real-time decoding. We selected 9 subjects who did not have colour blindness to participate in our tests. These subjects were asked to observe red, green, and blue screens in turn with an interstimulus interval of 1 second. The machine learning results showed that the visual colour classification accuracy had a maximum of 93.73%. The latency evoked by visual colour stimuli was within the P300 range, i.e., 176.8 milliseconds for the red screen, 206.5 milliseconds for the green screen, and 225.3 milliseconds for the blue screen. The experimental results hereby show that the VEPs can be used for reliable colour real-time decoding.

", + "description_zh": "

With the rapid development of brain-computer interfaces (BCIs), human visual decoding, one of the important research directions of BCIs, has attracted a substantial amount of attention. However, most visual decoding studies have focused on graphic and image decoding. In this paper, we first demonstrate the possibility of building a new kind of task-irrelevant, simple and fast-stimulus BCI-based experimental paradigm that relies on visual evoked potentials (VEPs) during colour observation. Additionally, the features of visual colour information were found through reliable real-time decoding. We selected 9 subjects who did not have colour blindness to participate in our tests. These subjects were asked to observe red, green, and blue screens in turn with an interstimulus interval of 1 second. The machine learning results showed that the visual colour classification accuracy had a maximum of 93.73%. The latency evoked by visual colour stimuli was within the P300 range, i.e., 176.8 milliseconds for the red screen, 206.5 milliseconds for the green screen, and 225.3 milliseconds for the blue screen. The experimental results hereby show that the VEPs can be used for reliable colour real-time decoding.

", + "authors": [ + { + "name_en": "Wu Yi Jia", + "name_zh": "Wu Yi Jia", + "email": "wuyijia@fudan.edu.cn", + "affiliations": [ + { + "name_en": "Fudan University", + "name_zh": "Fudan University", + "ror_id": "https://ror.org/013q1eq08" + } + ] + } + ], + "keywords_en": [ + "neuroscience", + "computer science", + "human health" + ], + "keywords_zh": [ + "neuroscience", + "computer science", + "human health" + ], + "publication_date": "2022-01-04T09:57:11.566Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 2243.85, + "file_size_bytes": 2352844150, + "download_count": 544, + "visit_count": 685, + "url": "https://www.scidb.cn/en/detail?id=61ce5f7f5b86483bca618b94", + "source": "scidb" + }, + { + "dataset_id": "62bd105b70c5b75f4c7a6aca", + "doi": "10.1038/s41597-020-0535-2", + "cstr": "", + "pid": "", + "title": "Metadata record for: Multi-channel EEG recording during motor imagery of different joints from the same limb", + "title_en": "Metadata record for: Multi-channel EEG recording during motor imagery of different joints from the same limb", + "title_zh": "Metadata record for: Multi-channel EEG recording during motor imagery of different joints from the same limb", + "description": "

Motor imagery (MI) is one of the important brain-computer interface (BCI) paradigms, which can be used to control peripherals without external stimulus. Imagining the movements of different joints of the same limb allows intuitive control of the outer devices. In this report, we describe an open access multi-subject dataset for MI of different joints from the same limb. This experiment collected data from twenty-five healthy subjects on three tasks: 1) imagining the movement of right hand, 2) imagining the movement of right elbow, and 3) keeping resting with eyes open, which results in a total of 22,500 trials. The dataset provided includes data of three stages: 1) raw recorded data, 2) pre-processed data after operations such as artifact removal, and 3) trial data that can be directly used for feature extraction and classification. Different researchers can reuse the dataset according to their needs. We expect that this dataset will facilitate the analysis of brain activation patterns of the same limb and the study of decoding techniques for MI.

", + "description_en": "

Motor imagery (MI) is one of the important brain-computer interface (BCI) paradigms, which can be used to control peripherals without external stimulus. Imagining the movements of different joints of the same limb allows intuitive control of the outer devices. In this report, we describe an open access multi-subject dataset for MI of different joints from the same limb. This experiment collected data from twenty-five healthy subjects on three tasks: 1) imagining the movement of right hand, 2) imagining the movement of right elbow, and 3) keeping resting with eyes open, which results in a total of 22,500 trials. The dataset provided includes data of three stages: 1) raw recorded data, 2) pre-processed data after operations such as artifact removal, and 3) trial data that can be directly used for feature extraction and classification. Different researchers can reuse the dataset according to their needs. We expect that this dataset will facilitate the analysis of brain activation patterns of the same limb and the study of decoding techniques for MI.

", + "description_zh": "

Motor imagery (MI) is one of the important brain-computer interface (BCI) paradigms, which can be used to control peripherals without external stimulus. Imagining the movements of different joints of the same limb allows intuitive control of the outer devices. In this report, we describe an open access multi-subject dataset for MI of different joints from the same limb. This experiment collected data from twenty-five healthy subjects on three tasks: 1) imagining the movement of right hand, 2) imagining the movement of right elbow, and 3) keeping resting with eyes open, which results in a total of 22,500 trials. The dataset provided includes data of three stages: 1) raw recorded data, 2) pre-processed data after operations such as artifact removal, and 3) trial data that can be directly used for feature extraction and classification. Different researchers can reuse the dataset according to their needs. We expect that this dataset will facilitate the analysis of brain activation patterns of the same limb and the study of decoding techniques for MI.

", + "authors": [ + { + "name_en": "Ma Xuelin", + "name_zh": "Ma Xuelin", + "affiliations": [ + { + "name_en": "The Research Center for Brain-Inspired Intelligence & National Laboratory of Pattern Recognition, Institute of Automation, Chinese Academy of Sciences (CASIA)", + "name_zh": "The Research Center for Brain-Inspired Intelligence & National Laboratory of Pattern Recognition, Institute of Automation, Chinese Academy of Sciences (CASIA)", + "ror_id": "https://ror.org/022c3hy66" + }, + { + "name_en": "The School of Artificial Intelligence, University of Chinese Academy of Sciences", + "name_zh": "The School of Artificial Intelligence, University of Chinese Academy of Sciences", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + }, + { + "name_en": "Qiu Shuang", + "name_zh": "Qiu Shuang", + "email": "shuang.qiu@ia.ac.cn", + "affiliations": [ + { + "name_en": "The Research Center for Brain-Inspired Intelligence & National Laboratory of Pattern Recognition, Institute of Automation, Chinese Academy of Sciences (CASIA)", + "name_zh": "The Research Center for Brain-Inspired Intelligence & National Laboratory of Pattern Recognition, Institute of Automation, Chinese Academy of Sciences (CASIA)", + "ror_id": "https://ror.org/022c3hy66" + } + ] + }, + { + "name_en": "He Huiguang", + "name_zh": "He Huiguang", + "email": "huiguang.he@ia.ac.cn", + "affiliations": [ + { + "name_en": "The School of Artificial Intelligence, University of Chinese Academy of Sciences", + "name_zh": "The School of Artificial Intelligence, University of Chinese Academy of Sciences", + "ror_id": "https://ror.org/05qbk4x57" + }, + { + "name_en": "The Center for Excellence in Brain Science and Intelligence Technology, Chinese Academy of Sciences", + "name_zh": "The Center for Excellence in Brain Science and Intelligence Technology, Chinese Academy of Sciences" + }, + { + "name_en": "The Research Center for Brain-Inspired Intelligence & National Laboratory of Pattern Recognition, Institute of Automation, Chinese Academy of Sciences (CASIA)", + "name_zh": "The Research Center for Brain-Inspired Intelligence & National Laboratory of Pattern Recognition, Institute of Automation, Chinese Academy of Sciences (CASIA)", + "ror_id": "https://ror.org/022c3hy66" + } + ] + } + ], + "keywords_en": [ + "EEG", + "Brain-computer interface", + "motor imagery" + ], + "keywords_zh": [ + "EEG", + "Brain-computer interface", + "motor imagery" + ], + "publication_date": "2020-06-19T00:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.0, + "file_size_bytes": 4385, + "download_count": 0, + "visit_count": 41, + "url": "https://www.scidb.cn/en/detail?id=62bd105b70c5b75f4c7a6aca", + "source": "scidb" + }, + { + "dataset_id": "6624cc48e112562dadfeb47e", + "doi": "10.57760/sciencedb.18262", + "cstr": "31253.11.sciencedb.18262", + "pid": "", + "title": "Pre-stimulus alpha band power and phase influence visual awareness--EEG dataset", + "title_en": "Pre-stimulus alpha band power and phase influence visual awareness--EEG dataset", + "title_zh": "刺激前α频段的能量与相位对视觉意识的预测作用EEG数据包", + "description": "

Experimental materials: Experimental materials include threshold stimulus, super-threshold stimulus and blank stimulus. The threshold stimulus is a low-contrast sinusoidal Gabor patch at the threshold level, tilted vertically to the left or right by 45°, with Michelson contrast ratios of 0.01, 0.02 and 0.03, respectively (Michelson contrast is calculated by: The brightest brightness minus the darkest brightness divided by the sum of the two), the presentation time and contrast are determined in the measurement threshold stage. The super-threshold stimulus is the stimulus with higher contrast than the threshold stimulus (Michelson's contrast is 0.04), and the blank stimulus is the non-target stimulus. The experimental material is made from online-gabor-patch-generator. The background brightness of all these types of stimuli was 22cd/m2.

The experiments were conducted in a quiet, dimly lit EEG laboratory. Experimental stimuli are presented in E-Prime 2.0 software. The resolution of the screen is 1024x768 pixels, and the screen refresh rate is 60Hz (1 refresh cycle is about 17ms). The subject is about 100cm away from the screen.

EEG data were collected using the Curry7 software produced by NeuroScan, and EEG recording was performed by participants wearing an extended international 10-20 system 64 electrode cap. When recording online, the center electrode of the forehead is grounded (located at the midpoint of the FCZ and FX connections), and the overhead electrode is a reference electrode. The sampling rate is 1000Hz in DC mode. Electrodes were placed outside both eyes to record horizontal eye electricity (HEOG) and above and below the left eye to record vertical eye electricity (VEOG). The resistance was kept below 10kΩ.

", + "description_en": "

Experimental materials: Experimental materials include threshold stimulus, super-threshold stimulus and blank stimulus. The threshold stimulus is a low-contrast sinusoidal Gabor patch at the threshold level, tilted vertically to the left or right by 45°, with Michelson contrast ratios of 0.01, 0.02 and 0.03, respectively (Michelson contrast is calculated by: The brightest brightness minus the darkest brightness divided by the sum of the two), the presentation time and contrast are determined in the measurement threshold stage. The super-threshold stimulus is the stimulus with higher contrast than the threshold stimulus (Michelson's contrast is 0.04), and the blank stimulus is the non-target stimulus. The experimental material is made from online-gabor-patch-generator. The background brightness of all these types of stimuli was 22cd/m2.

The experiments were conducted in a quiet, dimly lit EEG laboratory. Experimental stimuli are presented in E-Prime 2.0 software. The resolution of the screen is 1024x768 pixels, and the screen refresh rate is 60Hz (1 refresh cycle is about 17ms). The subject is about 100cm away from the screen.

EEG data were collected using the Curry7 software produced by NeuroScan, and EEG recording was performed by participants wearing an extended international 10-20 system 64 electrode cap. When recording online, the center electrode of the forehead is grounded (located at the midpoint of the FCZ and FX connections), and the overhead electrode is a reference electrode. The sampling rate is 1000Hz in DC mode. Electrodes were placed outside both eyes to record horizontal eye electricity (HEOG) and above and below the left eye to record vertical eye electricity (VEOG). The resistance was kept below 10kΩ.

", + "description_zh": "

实验材料:实验材料包括阈限刺激,阈上刺激和空白刺激。阈限刺激是处于阈限水平的低对比度正弦曲线Gabort patch,垂直向左或者向右倾斜45°,迈克尔逊对比度分别为0.01,0.02和0.03(迈克尔逊对比度计算方法:最亮的亮度减去最暗的亮度除以二者之和),呈现时间和对比度在测定阈限阶段进行确定。阈上刺激是比阈限刺激更高对比度(迈克逊对比度为0.04)的刺激,空白刺激即为无目标刺激,实验材料制作来自online-gabor-patch-generator。所有这些类型刺激的背景亮度均为22cd/m2。

实验在安静昏暗的EEG实验室内进行。实验刺激在E-Prime 2.0软件中呈现。屏幕的分辨率为1024x768像素,屏幕刷新率为60Hz(1个刷新周期约为17ms)。被试距离屏幕100cm左右。

使用NeuroScan公司生产的Curry7软件采集脑电数据,被试佩戴国际10-20系统扩展的64导电极帽进行EEG记录。在线记录时前额中央电极接地(位于在FCZ和FX连线的中点上),头顶电极为参考电极。采样率为1000Hz,DC模式采样。在双眼的外侧位置安置电极对记录水平眼电(HEOG),左眼上下位置安置电极记录垂直眼电(VEOG),电阻保持在10kΩ以下。

", + "authors": [ + { + "name_en": "Li Xiaoxiao", + "name_zh": "李笑笑", + "email": "1421269185@qq.com", + "affiliations": [ + { + "name_en": "Tianjin Normal University", + "name_zh": "天津师范大学", + "ror_id": "https://ror.org/05x2td559" + } + ] + } + ], + "keywords_en": [ + "Alpha band", + "Visual awareness", + "Time-frequency analysis" + ], + "keywords_zh": [ + "α频段", + "视觉意识", + "时频分析" + ], + "publication_date": "2024-04-25T03:02:52.899Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 31339.76, + "file_size_bytes": 32862119838, + "download_count": 1, + "visit_count": 227, + "url": "https://www.scidb.cn/en/detail?id=6624cc48e112562dadfeb47e", + "source": "scidb" + }, + { + "dataset_id": "6653e0c9c958f37781bd21ff", + "doi": "10.57760/sciencedb.18327", + "cstr": "31253.11.sciencedb.18327", + "pid": "", + "title": "The impact of social anxiety and emotional faces on executive function in college students: an EEG dataset", + "title_en": "The impact of social anxiety and emotional faces on executive function in college students: an EEG dataset", + "title_zh": "社交焦虑和情绪面孔对大学生执行功能的影响的脑电数据集", + "description": "

Using the LASA scale, university students were divided into high social anxiety group and low social anxiety group, as well as the Chinese Facial Affective Picture System (CFAPS)


Measurement of the effects of social anxiety and emotional faces on the three subcomponents of executive function (inhibitory control, working memory, and cognitive flexibility) in college students



Inhibition control: Gonogo paradigm measurement


Independent variables: 2 groups (high social anxiety group/low social anxiety group) x 2 emotional face valence (positive/negative faces) x 2 conditions (Go/No go)


Dependent variables: accuracy, response time, and corresponding amplitude and latency


Behavioral data: Titles from left to right are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), Positive Go Accuracy, Negative Go Accuracy, Total Go Accuracy, Positive nogo Accuracy, Negative nogo Accuracy, Total nogo Accuracy, Positive go Response Time, Negative go Response Time


EEG data: From left to right, the titles are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), Fz electrode positive N1 latency, Fz electrode positive N1 amplitude, Fz electrode negative N1 latency, Fz electrode negative N1 amplitude, Fz electrode positive P2 latency, Fz electrode positive P2 amplitude, Fz electrode negative P2 latency, Fz electrode negative P2 amplitude


Working Memory: N-back Paradigm Measurement


2 groups (high social anxiety group/low social anxiety group) x 2 emotional face valence (positive/negative faces) x 2 cognitive load (1-back/2-back)


Dependent variables: accuracy, response time, and corresponding amplitude and latency


Behavioral data: Titles from left to right are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), 1Back Positive Face Accuracy, 1Back Negative Face Accuracy, 1Back Total Accuracy, 1Back Positive Face Response Time, 1Back Negative Face Response Time, 1Back Total Response Time, 2Back Positive Face Accuracy, 2Back Negative Face Accuracy, 2Back Total Accuracy, 2Back Positive Face Response Time, 2Back Negative Face Response Time, and 2Back Total Response Time


EEG data: From left to right, the titles are: ID, Group 1 (Low Social Anxiety Group), 2 (High Social Anxiety Group), 1bFz electrode positive N1 latency, 1bFz positive N1 amplitude, 1bFz electrode negative N1 latency, 1bFz electrode negative N1 amplitude, 1bFz electrode positive P2 latency, 1bFz electrode positive P2 amplitude, 1bFz electrode negative P2 latency, 1bFz electrode negative P2 amplitude, 2bFz electrode positive N1 latency, 2bFz electrode positive N1 amplitude, 2bFz electrode negative N1 amplitude N1 latency, 2bFz electrode negative N1 amplitude, 2bFz electrode positive P2 latency, 2bFz electrode positive P2 amplitude, 2bFz electrode negative P2 latency, 2bFz electrode negative P2 amplitude


Cognitive Flexibility: Measurement of Task Switching Paradigm


2 groups (high social anxiety group/low social anxiety group) x 2 emotional face valence (positive/negative faces) x 2 conditions (repetition/conversion)


Dependent variables: accuracy, response time, and corresponding amplitude and latency


Behavioral data: Titles from left to right are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), EXP1 Positive Face Accuracy, EXP1 Negative Face Accuracy, EXP1 Total Accuracy, EXP1 Positive Face Response Time, EXP1 Negative Face Response Time, EXP1 Total Response Time, EXP2 Positive Face Accuracy, EXP2 Negative Face Accuracy, EXP2 Total Accuracy, EXP2 Positive Face Response Time, EXP2 Negative Face Response Time, EXP2 Total Response Time, EXP3 Positive Face Accuracy, EXP3 Negative Face Accuracy, EXP3 Total Accuracy, EXP3 Positive Face Accuracy Reaction Time, EXP3 Negative Face Reaction Time, EXP3 Total Reaction Time, Repetitive Condition Positive Face Accuracy, Repetitive Condition Negative Face Accuracy, Repetitive Condition Positive Face Reaction Time, Repetitive Condition Negative Face Reaction Time, Repetitive Condition Total Accuracy, Repetitive Condition Total Reaction Time


EEG data: From left to right, the titles are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), Repetitive Fz Electrode Positive N1 Latency, Repetitive Fz Electrode Positive N1 Amplitude, Repetitive Fz Electrode Negative N1 Latency, Repetitive Fz Electrode Negative N1 Amplitude, Repetitive Fz Electrode Positive P2 Latency, Repetitive Fz Electrode Negative P2 Latency, Repetitive Fz Electrode Negative P2 Amplitude, Conversion Fz Electrode Positive N1 Latency, Conversion Fz Electrode Positive N1 Amplitude, Conversion Fz Electrode Negative N1 Latency, Conversion Fz Electrode Point negative N1 amplitude, conversion Fz electrode point positive P2 latency, conversion Fz electrode point positive P2 amplitude, conversion Fz electrode point negative P2 latency, conversion Fz electrode point negative P2 amplitude

", + "description_en": "

Using the LASA scale, university students were divided into high social anxiety group and low social anxiety group, as well as the Chinese Facial Affective Picture System (CFAPS)


Measurement of the effects of social anxiety and emotional faces on the three subcomponents of executive function (inhibitory control, working memory, and cognitive flexibility) in college students



Inhibition control: Gonogo paradigm measurement


Independent variables: 2 groups (high social anxiety group/low social anxiety group) x 2 emotional face valence (positive/negative faces) x 2 conditions (Go/No go)


Dependent variables: accuracy, response time, and corresponding amplitude and latency


Behavioral data: Titles from left to right are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), Positive Go Accuracy, Negative Go Accuracy, Total Go Accuracy, Positive nogo Accuracy, Negative nogo Accuracy, Total nogo Accuracy, Positive go Response Time, Negative go Response Time


EEG data: From left to right, the titles are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), Fz electrode positive N1 latency, Fz electrode positive N1 amplitude, Fz electrode negative N1 latency, Fz electrode negative N1 amplitude, Fz electrode positive P2 latency, Fz electrode positive P2 amplitude, Fz electrode negative P2 latency, Fz electrode negative P2 amplitude


Working Memory: N-back Paradigm Measurement


2 groups (high social anxiety group/low social anxiety group) x 2 emotional face valence (positive/negative faces) x 2 cognitive load (1-back/2-back)


Dependent variables: accuracy, response time, and corresponding amplitude and latency


Behavioral data: Titles from left to right are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), 1Back Positive Face Accuracy, 1Back Negative Face Accuracy, 1Back Total Accuracy, 1Back Positive Face Response Time, 1Back Negative Face Response Time, 1Back Total Response Time, 2Back Positive Face Accuracy, 2Back Negative Face Accuracy, 2Back Total Accuracy, 2Back Positive Face Response Time, 2Back Negative Face Response Time, and 2Back Total Response Time


EEG data: From left to right, the titles are: ID, Group 1 (Low Social Anxiety Group), 2 (High Social Anxiety Group), 1bFz electrode positive N1 latency, 1bFz positive N1 amplitude, 1bFz electrode negative N1 latency, 1bFz electrode negative N1 amplitude, 1bFz electrode positive P2 latency, 1bFz electrode positive P2 amplitude, 1bFz electrode negative P2 latency, 1bFz electrode negative P2 amplitude, 2bFz electrode positive N1 latency, 2bFz electrode positive N1 amplitude, 2bFz electrode negative N1 amplitude N1 latency, 2bFz electrode negative N1 amplitude, 2bFz electrode positive P2 latency, 2bFz electrode positive P2 amplitude, 2bFz electrode negative P2 latency, 2bFz electrode negative P2 amplitude


Cognitive Flexibility: Measurement of Task Switching Paradigm


2 groups (high social anxiety group/low social anxiety group) x 2 emotional face valence (positive/negative faces) x 2 conditions (repetition/conversion)


Dependent variables: accuracy, response time, and corresponding amplitude and latency


Behavioral data: Titles from left to right are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), EXP1 Positive Face Accuracy, EXP1 Negative Face Accuracy, EXP1 Total Accuracy, EXP1 Positive Face Response Time, EXP1 Negative Face Response Time, EXP1 Total Response Time, EXP2 Positive Face Accuracy, EXP2 Negative Face Accuracy, EXP2 Total Accuracy, EXP2 Positive Face Response Time, EXP2 Negative Face Response Time, EXP2 Total Response Time, EXP3 Positive Face Accuracy, EXP3 Negative Face Accuracy, EXP3 Total Accuracy, EXP3 Positive Face Accuracy Reaction Time, EXP3 Negative Face Reaction Time, EXP3 Total Reaction Time, Repetitive Condition Positive Face Accuracy, Repetitive Condition Negative Face Accuracy, Repetitive Condition Positive Face Reaction Time, Repetitive Condition Negative Face Reaction Time, Repetitive Condition Total Accuracy, Repetitive Condition Total Reaction Time


EEG data: From left to right, the titles are: Number, Group 1 (Low Social Anxiety Group) 2 (High Social Anxiety Group), Repetitive Fz Electrode Positive N1 Latency, Repetitive Fz Electrode Positive N1 Amplitude, Repetitive Fz Electrode Negative N1 Latency, Repetitive Fz Electrode Negative N1 Amplitude, Repetitive Fz Electrode Positive P2 Latency, Repetitive Fz Electrode Negative P2 Latency, Repetitive Fz Electrode Negative P2 Amplitude, Conversion Fz Electrode Positive N1 Latency, Conversion Fz Electrode Positive N1 Amplitude, Conversion Fz Electrode Negative N1 Latency, Conversion Fz Electrode Point negative N1 amplitude, conversion Fz electrode point positive P2 latency, conversion Fz electrode point positive P2 amplitude, conversion Fz electrode point negative P2 latency, conversion Fz electrode point negative P2 amplitude

", + "description_zh": "

采用LASA量表将大学生分为高社交焦虑组和低社交焦虑组、中国化情绪面孔系统(CFAPS)

分别测量社交焦虑和情绪面孔对大学生执行功能的三个子成分(抑制控制、工作记忆、认知灵活性)的影响


抑制控制:Gonogo范式 测量

自变量:2组别(高社交焦虑组/低社交焦虑组)× 2情绪面孔效价(积极面孔/消极面孔)× 2条件(Go/No-go)

因变量:正确率、反应时和相应的波幅和潜伏期


行为数据:从左到右标题为:编号、组别1(低社交焦虑组)2(高社交焦虑组)、积极Go正确率、消极Go正确率、Go总正确率、积极nogo正确率、消极nogo正确率、nogo总正确率、积极go反应时、消极go反应时

脑电数据:从左到右标题为:编号、组别1(低社交焦虑组)2(高社交焦虑组)、Fz电极点积极N1潜伏期、Fz电极点积极N1波幅、Fz电极点消极N1潜伏期、Fz电极点消极N1波幅、Fz电极点积极P2潜伏期、Fz电极点积极P2波幅、Fz电极点消极P2潜伏期、Fz电极点消极P2波幅


工作记忆:N-back范式测量

2组别(高社交焦虑组/低社交焦虑组)× 2情绪面孔效价(积极面孔/消极面孔)× 2认知负荷(1-back/2-back)

因变量:正确率、反应时和相应的波幅和潜伏期


行为数据:从左到右标题为:编号、组别1(低社交焦虑组)2(高社交焦虑组)、1back积极面孔正确率、1back消极面孔正确率、1back总正确率、1back积极面孔反应时、1back消极面孔反应时、1back总反应时、2back积极面孔正确率、2back消极面孔正确率、2back总正确率、2back积极面孔反应时、2back消极面孔反应时、2back总反应时

脑电数据:从左到右标题为:编号、组别1(低社交焦虑组)2(高社交焦虑组)、1bFz电极点积极N1潜伏期、1bFz积极N1波幅、1bFz电极点消极N1潜伏期、1bFz电极点消极N1波幅、1bFz电极点积极P2潜伏期、1bFz电极点积极P2波幅、1bFz电极点消极P2潜伏期、1bFz电极点消极P2波幅、2bFz电极点积极N1潜伏期、2bFz电极点积极N1波幅、2bFz电极点消极N1潜伏期、2bFz电极点消极N1波幅、2bFz电极点积极P2潜伏期、2bFz电极点积极P2波幅、2bFz电极点消极P2潜伏期、2bFz电极点消极P2波幅


认知灵活性:任务转换范式测量

2组别(高社交焦虑组/低社交焦虑组)× 2情绪面孔效价(积极面孔/消极面孔)× 2条件(重复/转换)

因变量:正确率、反应时和相应的波幅和潜伏期


行为数据:从左到右标题为:编号、组别1(低社交焦虑组)2(高社交焦虑组)、EXP1积极面孔正确率、EXP1消极面孔正确率、EXP1总正确率、EXP1积极面孔反应时、EXP1消极面孔反应时、EXP1总反应时、EXP2积极面孔正确率、EXP2消极面孔正确率、EXP2总正确率、EXP2积极面孔反应时、EXP2消极面孔反应时、EXP2总反应时、EXP3积极面孔正确率、EXP3消极面孔正确率、EXP3总正确率、EXP3积极面孔反应时、EXP3消极面孔反应时、EXP3总反应时、重复条件积极面孔正确率、重复条件消极面孔正确率、重复条件积极面孔反应时、重复条件消极面孔反应时、重复条件总正确率、重复条件总反应时

脑电数据:从左到右标题为:编号、组别1(低社交焦虑组)2(高社交焦虑组)、重复Fz电极点积极N1潜伏期、重复Fz电极点积极N1波幅、重复Fz电极点消极N1潜伏期、重复Fz电极点消极N1波幅、重复Fz电极点积极P2潜伏期、重复Fz电极点积极P2波幅、重复Fz电极点消极P2潜伏期、重复Fz电极点消极P2波幅、转换Fz电极点积极N1潜伏期、转换Fz电极点积极N1波幅、转换Fz电极点消极N1潜伏期、转换Fz电极点消极N1波幅、转换Fz电极点积极P2潜伏期、转换Fz电极点积极P2波幅、转换Fz电极点消极P2潜伏期、转换Fz电极点消极P2波幅

", + "authors": [ + { + "name_en": "Yan Zhixiong", + "name_zh": "Yan Zhixiong", + "email": "yanzx@nnnu.edu.cn", + "affiliations": [ + { + "name_en": "Nanning Normal University", + "name_zh": "Nanning Normal University", + "ror_id": "sdb_custom" + } + ] + } + ], + "keywords_en": [ + "social anxiety", + "emotional face", + "executive function" + ], + "keywords_zh": [ + "社交焦虑", + "情绪面孔", + "执行功能" + ], + "publication_date": "2024-05-06T06:41:01.026Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 8041.95, + "file_size_bytes": 8432597404, + "download_count": 183, + "visit_count": 1073, + "url": "https://www.scidb.cn/en/detail?id=6653e0c9c958f37781bd21ff", + "source": "scidb" + }, + { + "dataset_id": "6838a23bb9dc7d0bec20b4b9", + "doi": "10.57760/sciencedb.25915", + "cstr": "31253.11.sciencedb.25915", + "pid": "", + "title": "The Neural Mechanisms of Mental Fatigue Under Cognitive Load: A Field Study Based on EEG Entropy and Spectral Analysis", + "title_en": "The Neural Mechanisms of Mental Fatigue Under Cognitive Load: A Field Study Based on EEG Entropy and Spectral Analysis", + "title_zh": "认知负荷对心理疲劳的神经机制:基于脑电熵和频谱的田野实验研究", + "description": "

This dataset was collected from a 20-day field experiment conducted at an oil and gas drilling site in Southwest China. The study aimed to investigate the effects of different levels of cognitive workload on mental fatigue among operators in high-risk working environments. A within-subject design was employed, and multi-channel electroencephalogram (EEG) data were collected from eight drillers under high, low, and no cognitive workload conditions. Each participant underwent repeated measurements across two rotating shift cycles. EEG data were acquired using wearable devices at a sampling rate of 128 Hz, with each recording session lasting 10 minutes.

", + "description_en": "

This dataset was collected from a 20-day field experiment conducted at an oil and gas drilling site in Southwest China. The study aimed to investigate the effects of different levels of cognitive workload on mental fatigue among operators in high-risk working environments. A within-subject design was employed, and multi-channel electroencephalogram (EEG) data were collected from eight drillers under high, low, and no cognitive workload conditions. Each participant underwent repeated measurements across two rotating shift cycles. EEG data were acquired using wearable devices at a sampling rate of 128 Hz, with each recording session lasting 10 minutes.

", + "description_zh": "

本数据集来源于一项在中国西南地区油气钻井现场开展的20天田野实验,旨在探讨高危作业环境中不同认知负荷水平对操作工心理疲劳的影响。实验采用被试内设计,采集8名钻井司钻在高、低及无认知负荷条件下的多通道脑电信号数据(EEG),每名被试在两个轮班周期内接受重复测量。数据采集设备为可穿戴脑电,采样频率为128Hz,采集时长为每次10分钟

", + "authors": [ + { + "name_en": "qing xin", + "name_zh": "青鑫", + "email": "1395852156@qq.com", + "affiliations": [ + { + "name_en": "SWPU", + "name_zh": "SWPU", + "ror_id": "sdb_custom" + } + ] + }, + { + "name_en": "SuHao", + "name_zh": "苏昊", + "email": "shenyuren007@sina.com", + "affiliations": [ + { + "name_en": "西南石油大学", + "name_zh": "西南石油大学" + } + ] + } + ], + "keywords_en": [ + "mental_fatigue", + "cognitive_load", + "eeg" + ], + "keywords_zh": [ + "认知负荷", + "心理疲劳", + "脑电图" + ], + "publication_date": "2025-05-30T07:13:30.255Z", + "created": "", + "modified": "", + "status": "", + "license": "ODC-BY", + "file_size_mb": 3368.83, + "file_size_bytes": 3532470737, + "download_count": 1536, + "visit_count": 291, + "url": "https://www.scidb.cn/en/detail?id=6838a23bb9dc7d0bec20b4b9", + "source": "scidb" + }, + { + "dataset_id": "66cc6988038a964b489bdf1a", + "doi": "10.57760/sciencedb.12479", + "cstr": "31253.11.sciencedb.12479", + "pid": "", + "title": "The present manuscript used EEG analysis to investigate the effects of group size on third-party punishment and its neural activity characteristics in", + "title_en": "The present manuscript used EEG analysis to investigate the effects of group size on third-party punishment and its neural activity characteristics in", + "title_zh": "The present manuscript used EEG analysis to investigate the effects of group size on third-party punishment and its neural activity characteristics in", + "description": "

Third-party punishment (TPP) is the punishment that an individual executes on a violator as a third party or observer to maintain social norms. Many studies have provided insights into the neural mechanisms of third-party punishment in group environments. Still, only some studies have focused on the neural mechanisms of third-party punishment in different group sizes. This study used EEG analysis to explore the effects of group size on third-party punishment and its neural activity characteristics from the context of gain and loss. The results show that the punishment rate and amount of the third party in the small group size and loss context were significantly higher than that in the large group size and gain context. EEG results showed that third-party punishment in small groups induced greater P2 than in large groups. In the loss context, the third-party punishment in the large group size induced more negative LNP and activated more theta band activation than in the small group. The results showed that the motivation of the third party to seek a positive reputation in the small size exceeds the balance of its economic interests and tends to punish the violator for maintaining fair norms. The loss context plays a promoting role in this process. However, in the large size, the third-party consideration of its interests was stronger than the willingness to maintain social norms. This study provided neuroscientific evidence for third-party punishment to maintain fair norms in a group environment and further explanations from neuroscience for understanding Indirect Reciprocity Theory.

", + "description_en": "

Third-party punishment (TPP) is the punishment that an individual executes on a violator as a third party or observer to maintain social norms. Many studies have provided insights into the neural mechanisms of third-party punishment in group environments. Still, only some studies have focused on the neural mechanisms of third-party punishment in different group sizes. This study used EEG analysis to explore the effects of group size on third-party punishment and its neural activity characteristics from the context of gain and loss. The results show that the punishment rate and amount of the third party in the small group size and loss context were significantly higher than that in the large group size and gain context. EEG results showed that third-party punishment in small groups induced greater P2 than in large groups. In the loss context, the third-party punishment in the large group size induced more negative LNP and activated more theta band activation than in the small group. The results showed that the motivation of the third party to seek a positive reputation in the small size exceeds the balance of its economic interests and tends to punish the violator for maintaining fair norms. The loss context plays a promoting role in this process. However, in the large size, the third-party consideration of its interests was stronger than the willingness to maintain social norms. This study provided neuroscientific evidence for third-party punishment to maintain fair norms in a group environment and further explanations from neuroscience for understanding Indirect Reciprocity Theory.

", + "description_zh": "

Third-party punishment (TPP) is the punishment that an individual executes on a violator as a third party or observer to maintain social norms. Many studies have provided insights into the neural mechanisms of third-party punishment in group environments. Still, only some studies have focused on the neural mechanisms of third-party punishment in different group sizes. This study used EEG analysis to explore the effects of group size on third-party punishment and its neural activity characteristics from the context of gain and loss. The results show that the punishment rate and amount of the third party in the small group size and loss context were significantly higher than that in the large group size and gain context. EEG results showed that third-party punishment in small groups induced greater P2 than in large groups. In the loss context, the third-party punishment in the large group size induced more negative LNP and activated more theta band activation than in the small group. The results showed that the motivation of the third party to seek a positive reputation in the small size exceeds the balance of its economic interests and tends to punish the violator for maintaining fair norms. The loss context plays a promoting role in this process. However, in the large size, the third-party consideration of its interests was stronger than the willingness to maintain social norms. This study provided neuroscientific evidence for third-party punishment to maintain fair norms in a group environment and further explanations from neuroscience for understanding Indirect Reciprocity Theory.

", + "authors": [ + { + "name_en": "Yuan Gao", + "name_zh": "Yuan Gao", + "email": "gaoyuan171717@163.com", + "affiliations": [ + { + "name_en": "North China University of Science and Technology", + "name_zh": "North China University of Science and Technology", + "ror_id": "sdb_custom" + } + ] + } + ], + "keywords_en": [ + "Third-party punishment", + "Group size", + "Gain and loss contexts", + "Fairness", + "EEG" + ], + "keywords_zh": [ + "Third-party punishment", + "Group size", + "Gain and loss contexts", + "Fairness", + "EEG" + ], + "publication_date": "2024-08-28T09:11:52.785Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 18001.69, + "file_size_bytes": 18876139843, + "download_count": 0, + "visit_count": 773, + "url": "https://www.scidb.cn/en/detail?id=66cc6988038a964b489bdf1a", + "source": "scidb" + }, + { + "dataset_id": "65b4ce08b3373114e622b5d3", + "doi": "10.57760/sciencedb.15681", + "cstr": "31253.11.sciencedb.15681", + "pid": "", + "title": "MI-BCI-2023-data", + "title_en": "MI-BCI-2023-data", + "title_zh": "MI-BCI-2023-data", + "description": "

It includes EEG data for offline experiment of autonomous walking using EEG signals on iLeg-II rehabilitation robot.

", + "description_en": "

It includes EEG data for offline experiment of autonomous walking using EEG signals on iLeg-II rehabilitation robot.

", + "description_zh": "

It includes EEG data for offline experiment of autonomous walking using EEG signals on iLeg-II rehabilitation robot.

", + "authors": [ + { + "name_en": "Tianyu Lin", + "name_zh": "Tianyu Lin", + "email": "1078467506@qq.com", + "affiliations": [ + { + "name_en": "Institute of Automation, Chinese Academy of Sciences", + "name_zh": "Institute of Automation, Chinese Academy of Sciences" + } + ] + } + ], + "keywords_en": [ + "EEG", + "Motor imagery", + "non-invasive bci" + ], + "keywords_zh": [ + "EEG", + "Motor imagery", + "non-invasive bci" + ], + "publication_date": "2024-01-29T01:12:35.964Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 507.1, + "file_size_bytes": 531737142, + "download_count": 2, + "visit_count": 939, + "url": "https://www.scidb.cn/en/detail?id=65b4ce08b3373114e622b5d3", + "source": "scidb" + }, + { + "dataset_id": "653f70ff37cb1b0197fabb97", + "doi": "10.57760/sciencedb.psych.00185", + "cstr": "31253.11.sciencedb.psych.00185", + "pid": "", + "title": "Data from: The roles of edge-based and surface-based information in the dynamic neural representation of objects", + "title_en": "Data from: The roles of edge-based and surface-based information in the dynamic neural representation of objects", + "title_zh": "Data from: The roles of edge-based and surface-based information in the dynamic neural representation of objects", + "description": "

Including experimental stimuli and EEG data. The stimuli consisted of three categories of animals, fruits, and tools, with 12 objects in each category. Each object had three versions: color photographs, grayscale images, and line drawings, resulting in a total of 108 images. The data were rawdata of EEG.

", + "description_en": "

Including experimental stimuli and EEG data. The stimuli consisted of three categories of animals, fruits, and tools, with 12 objects in each category. Each object had three versions: color photographs, grayscale images, and line drawings, resulting in a total of 108 images. The data were rawdata of EEG.

", + "description_zh": "

Including experimental stimuli and EEG data. The stimuli consisted of three categories of animals, fruits, and tools, with 12 objects in each category. Each object had three versions: color photographs, grayscale images, and line drawings, resulting in a total of 108 images. The data were rawdata of EEG.

", + "authors": [ + { + "name_en": "liansheng yao", + "name_zh": "liansheng yao", + "email": "lianshengyao@yeah.net", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "中国科学院心理研究所", + "ror_id": "https://ror.org/03j7v5j15" + } + ] + }, + { + "name_en": "Qiufang Fu", + "name_zh": "Qiufang Fu", + "email": "fuqf@paych.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "中国科学院心理研究所", + "ror_id": "https://ror.org/03j7v5j15" + } + ] + } + ], + "keywords_en": [ + "EEG", + "stimuli", + "object representation" + ], + "keywords_zh": [ + "EEG", + "stimuli", + "object representation" + ], + "publication_date": "2023-10-30T06:45:08.391Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 20646.59, + "file_size_bytes": 21649513659, + "download_count": 12, + "visit_count": 293, + "url": "https://www.scidb.cn/en/detail?id=653f70ff37cb1b0197fabb97", + "source": "scidb" + }, + { + "dataset_id": "627e1bbf9f0a08024767f878", + "doi": "10.57760/sciencedb.01763", + "cstr": "31253.11.sciencedb.01763", + "pid": "21.86116.6/sciencedb.01763", + "title": "Decoding of the neural representation of the visual RGB colour model", + "title_en": "Decoding of the neural representation of the visual RGB colour model", + "title_zh": "Decoding of the neural representation of the visual RGB colour model", + "description": "

RGB colour is a basic visual feature. Here we use machine learning and visual evoked potential (VEP) of Electroencephalogram (EEG) data to investigate the decoding features of the time courses and space location that extract it, and whether they depend on a common brain cortex channel. We show that RGB colour information can be decoded from EEG data and, with the task-irrelevant paradigm, features can be decoded across fast changes in VEP stimuli. These results are consistent with the theory of both event-related potential (ERP) and P300 mechanisms. The latency on time course is shorter and more temporally precise for RGB colour stimuli than P300, a result that does not depend on a task-relevant paradigm, suggesting that RGB colour is an updating signal that separates visual events. Meanwhile, distribution features are evident for the brain cortex of EEG signal, providing a space correlate of RGB colour in classification accuracy and channel location. Finally, space decoding of RGB colour depends on the channel classification accuracy and location obtained through training and testing EEG data. The result is consistent with channel power value distribution discharged by both VEP and electrophysiological stimuli mechanisms.

", + "description_en": "

RGB colour is a basic visual feature. Here we use machine learning and visual evoked potential (VEP) of Electroencephalogram (EEG) data to investigate the decoding features of the time courses and space location that extract it, and whether they depend on a common brain cortex channel. We show that RGB colour information can be decoded from EEG data and, with the task-irrelevant paradigm, features can be decoded across fast changes in VEP stimuli. These results are consistent with the theory of both event-related potential (ERP) and P300 mechanisms. The latency on time course is shorter and more temporally precise for RGB colour stimuli than P300, a result that does not depend on a task-relevant paradigm, suggesting that RGB colour is an updating signal that separates visual events. Meanwhile, distribution features are evident for the brain cortex of EEG signal, providing a space correlate of RGB colour in classification accuracy and channel location. Finally, space decoding of RGB colour depends on the channel classification accuracy and location obtained through training and testing EEG data. The result is consistent with channel power value distribution discharged by both VEP and electrophysiological stimuli mechanisms.

", + "description_zh": "

RGB colour is a basic visual feature. Here we use machine learning and visual evoked potential (VEP) of Electroencephalogram (EEG) data to investigate the decoding features of the time courses and space location that extract it, and whether they depend on a common brain cortex channel. We show that RGB colour information can be decoded from EEG data and, with the task-irrelevant paradigm, features can be decoded across fast changes in VEP stimuli. These results are consistent with the theory of both event-related potential (ERP) and P300 mechanisms. The latency on time course is shorter and more temporally precise for RGB colour stimuli than P300, a result that does not depend on a task-relevant paradigm, suggesting that RGB colour is an updating signal that separates visual events. Meanwhile, distribution features are evident for the brain cortex of EEG signal, providing a space correlate of RGB colour in classification accuracy and channel location. Finally, space decoding of RGB colour depends on the channel classification accuracy and location obtained through training and testing EEG data. The result is consistent with channel power value distribution discharged by both VEP and electrophysiological stimuli mechanisms.

", + "authors": [ + { + "name_en": "Wu Yi Jia", + "name_zh": "Wu Yi Jia", + "email": "wuyijia@fudan.edu.cn", + "affiliations": [ + { + "name_en": "Fudan University", + "name_zh": "Fudan University", + "ror_id": "https://ror.org/013q1eq08" + } + ] + } + ], + "keywords_en": [ + "computer science", + "visual", + "colour", + "EEG" + ], + "keywords_zh": [ + "computer science", + "visual", + "colour", + "EEG" + ], + "publication_date": "2022-06-07T05:21:57.745Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 4148.02, + "file_size_bytes": 4349510170, + "download_count": 265, + "visit_count": 1236, + "url": "https://www.scidb.cn/en/detail?id=627e1bbf9f0a08024767f878", + "source": "scidb" + }, + { + "dataset_id": "64410294692b1255d27a18c8", + "doi": "10.57760/sciencedb.07960", + "cstr": "31253.11.sciencedb.07960", + "pid": "21.86116.6/sciencedb.07960", + "title": "Data and MATLAB Scripts", + "title_en": "Data and MATLAB Scripts", + "title_zh": "Data and MATLAB Scripts", + "description": "

EEG Data and MATLAB Scripts for Data Preprocessing, Frequency Domain Analysis, Functional Connectivity Analysis, and Plotting

", + "description_en": "

EEG Data and MATLAB Scripts for Data Preprocessing, Frequency Domain Analysis, Functional Connectivity Analysis, and Plotting

", + "description_zh": "

EEG Data and MATLAB Scripts for Data Preprocessing, Frequency Domain Analysis, Functional Connectivity Analysis, and Plotting

", + "authors": [ + { + "name_en": "Zhiwei Xu", + "name_zh": "许志炜", + "email": "zwxu@whu.edu.cn", + "affiliations": [ + { + "name_en": "Hubei University", + "name_zh": "Hubei University" + } + ] + } + ], + "keywords_en": [ + "EEG", + "CODE", + "MATLAB" + ], + "keywords_zh": [ + "EEG", + "CODE", + "MATLAB" + ], + "publication_date": "2023-04-14T02:29:55.915Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 1635.95, + "file_size_bytes": 1715421757, + "download_count": 250, + "visit_count": 2710, + "url": "https://www.scidb.cn/en/detail?id=64410294692b1255d27a18c8", + "source": "scidb" + }, + { + "dataset_id": "649e4461c23e806c83e36bd7", + "doi": "10.57760/sciencedb.09267", + "cstr": "31253.11.sciencedb.09267", + "pid": "", + "title": "raw data of article “The effect of visual working memory load on attentional bias in social anxiety”", + "title_en": "raw data of article “The effect of visual working memory load on attentional bias in social anxiety”", + "title_zh": "raw data of article “The effect of visual working memory load on attentional bias in social anxiety”", + "description": "

This dataset includes demographic information, in-experiment behavioral and EEG data for all participants in this study.

", + "description_en": "

This dataset includes demographic information, in-experiment behavioral and EEG data for all participants in this study.

", + "description_zh": "

This dataset includes demographic information, in-experiment behavioral and EEG data for all participants in this study.

", + "authors": [ + { + "name_en": "jiangyibo", + "name_zh": "jiangyibo", + "email": "psy_jiangyb@163.com", + "affiliations": [ + { + "name_en": "Liaoning Normal University", + "name_zh": "辽宁师范大学", + "ror_id": "https://ror.org/04c3cgg32" + } + ] + } + ], + "keywords_en": [ + "psychology ", + "EEG", + "participants" + ], + "keywords_zh": [ + "psychology ", + "EEG", + "participants" + ], + "publication_date": "2023-07-11T09:13:34.493Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 0.03, + "file_size_bytes": 35840, + "download_count": 18, + "visit_count": 959, + "url": "https://www.scidb.cn/en/detail?id=649e4461c23e806c83e36bd7", + "source": "scidb" + }, + { + "dataset_id": "62f3b7501e8fab63528a3cb7", + "doi": "10.57760/sciencedb.02167", + "cstr": "31253.11.sciencedb.02167", + "pid": "21.86116.6/sciencedb.02167", + "title": "Reconstructing sources location of visual color cortex by the Task-irrelevant visual stimuli through machine learning decoding", + "title_en": "Reconstructing sources location of visual color cortex by the Task-irrelevant visual stimuli through machine learning decoding", + "title_zh": "Reconstructing sources location of visual color cortex by the Task-irrelevant visual stimuli through machine learning decoding", + "description": "

Visual color sensing is generated by electrical discharges from endocranial neuronal sources that penetrate the skull and reach to the cerebral cortex. However, the space location of the source generated by this neural mechanism remains elusive. In this paper, we emulate the generation of visual color signal by task-irrelevant stimuli to activate brain neurons, where its consequences over the cerebral cortex is experimentally tracked. We first document the changes to brain color sensing using electroencephalography (EEG), and find that the sensing classification accuracy of primary visual cortex regions was positively correlated with the space correlation of visual evoked potential (VEP) power distribution under machine learning decoding. We then explore the decoded results to trace the brain activity neural source location of EEG inversion problem and assess its reconstructive possibility. We show that visual color EEG in primary visual cortex can reconstruct endocranial neuronal source location, through the machine learning decoding of channel location.

", + "description_en": "

Visual color sensing is generated by electrical discharges from endocranial neuronal sources that penetrate the skull and reach to the cerebral cortex. However, the space location of the source generated by this neural mechanism remains elusive. In this paper, we emulate the generation of visual color signal by task-irrelevant stimuli to activate brain neurons, where its consequences over the cerebral cortex is experimentally tracked. We first document the changes to brain color sensing using electroencephalography (EEG), and find that the sensing classification accuracy of primary visual cortex regions was positively correlated with the space correlation of visual evoked potential (VEP) power distribution under machine learning decoding. We then explore the decoded results to trace the brain activity neural source location of EEG inversion problem and assess its reconstructive possibility. We show that visual color EEG in primary visual cortex can reconstruct endocranial neuronal source location, through the machine learning decoding of channel location.

", + "description_zh": "

Visual color sensing is generated by electrical discharges from endocranial neuronal sources that penetrate the skull and reach to the cerebral cortex. However, the space location of the source generated by this neural mechanism remains elusive. In this paper, we emulate the generation of visual color signal by task-irrelevant stimuli to activate brain neurons, where its consequences over the cerebral cortex is experimentally tracked. We first document the changes to brain color sensing using electroencephalography (EEG), and find that the sensing classification accuracy of primary visual cortex regions was positively correlated with the space correlation of visual evoked potential (VEP) power distribution under machine learning decoding. We then explore the decoded results to trace the brain activity neural source location of EEG inversion problem and assess its reconstructive possibility. We show that visual color EEG in primary visual cortex can reconstruct endocranial neuronal source location, through the machine learning decoding of channel location.

", + "authors": [ + { + "name_en": "Wu Yi Jia", + "name_zh": "Wu Yi Jia", + "email": "wuyijia@fudan.edu.cn", + "affiliations": [ + { + "name_en": "Fudan University", + "name_zh": "Fudan University", + "ror_id": "https://ror.org/013q1eq08" + } + ] + } + ], + "keywords_en": [ + "Reconstructing", + "decoding", + "visual", + "color", + "machine learning", + "EEG" + ], + "keywords_zh": [ + "Reconstructing", + "decoding", + "visual", + "color", + "machine learning", + "EEG" + ], + "publication_date": "2022-08-11T01:29:20.172Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1676.86, + "file_size_bytes": 1758313148, + "download_count": 11, + "visit_count": 1438, + "url": "https://www.scidb.cn/en/detail?id=62f3b7501e8fab63528a3cb7", + "source": "scidb" + }, + { + "dataset_id": "689d88633c764c24f971e59b", + "doi": "10.57760/sciencedb.29131", + "cstr": "31253.11.sciencedb.29131", + "pid": "", + "title": "Dataset of Empowering Functional Neuroimaging: A Pre-trained Generative Framework for Unified Representation of Neural Signals", + "title_en": "Dataset of Empowering Functional Neuroimaging: A Pre-trained Generative Framework for Unified Representation of Neural Signals", + "title_zh": "Dataset of Empowering Functional Neuroimaging: A Pre-trained Generative Framework for Unified Representation of Neural Signals", + "description": "

The dataset contains three parts: S1, S2 and S3. S1 is pre-processed EEG-fMRI data for naturalistic viewing tasks. S2 is pre-processed EEG-fNIRS data for the motor imagery task. S3 is pre-processed EEG data for clinical validation.

", + "description_en": "

The dataset contains three parts: S1, S2 and S3. S1 is pre-processed EEG-fMRI data for naturalistic viewing tasks. S2 is pre-processed EEG-fNIRS data for the motor imagery task. S3 is pre-processed EEG data for clinical validation.

", + "description_zh": "

The dataset contains three parts: S1, S2 and S3. S1 is pre-processed EEG-fMRI data for naturalistic viewing tasks. S2 is pre-processed EEG-fNIRS data for the motor imagery task. S3 is pre-processed EEG data for clinical validation.

", + "authors": [ + { + "name_en": "Weiheng Yao", + "name_zh": "Weiheng Yao", + "email": "wh.yao@siat.ac.cn", + "affiliations": [ + { + "name_en": "Shenzhen Institutes of Advanced Technology", + "name_zh": "中国科学院深圳先进技术研究院", + "ror_id": "https://ror.org/04gh4er46" + } + ] + }, + { + "name_en": "Xuhang Chen", + "name_zh": "Xuhang Chen", + "email": "xx.chen2@siat.ac.cn", + "affiliations": [ + { + "name_en": "Shenzhen Institutes of Advanced Technology", + "name_zh": "中国科学院深圳先进技术研究院", + "ror_id": "https://ror.org/04gh4er46" + } + ] + }, + { + "name_en": "Shuqiang Wang", + "name_zh": "Shuqiang Wang", + "email": "sq.wang@siat.ac.cn", + "affiliations": [ + { + "name_en": "Shenzhen Institutes of Advanced Technology", + "name_zh": "中国科学院深圳先进技术研究院", + "ror_id": "https://ror.org/04gh4er46" + } + ] + } + ], + "keywords_en": [ + "brain-computer interface", + "braindecoding", + "generativeai" + ], + "keywords_zh": [ + "brain-computer interface", + "braindecoding", + "generativeai" + ], + "publication_date": "2025-08-15T01:15:42.507Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-SA 4.0", + "file_size_mb": 9683.8, + "file_size_bytes": 10154204924, + "download_count": 0, + "visit_count": 112, + "url": "https://www.scidb.cn/en/detail?id=689d88633c764c24f971e59b", + "source": "scidb" + }, + { + "dataset_id": "681a1af1aa991804f7636e80", + "doi": "10.57760/sciencedb.17992", + "cstr": "31253.11.sciencedb.17992", + "pid": "", + "title": "Interplay of Prosociality, Fairness, and Social Status in Moral Judgment", + "title_en": "Interplay of Prosociality, Fairness, and Social Status in Moral Judgment", + "title_zh": "Interplay of Prosociality, Fairness, and Social Status in Moral Judgment", + "description": "

Here are the raw data from an online behavioral experiment and an offline EEG experiment. The raw data from the online behavioral experiment is summarized in tabular form, presenting the keypress results of 60 participants. The offline EEG experiment comprises both behavioral and EEG data. The behavioral data is summarized in two tables, presenting the scores of 31 participants on two dependent variables. The EEG data is presented in its raw form, sequentially for all 31 participants.

", + "description_en": "

Here are the raw data from an online behavioral experiment and an offline EEG experiment. The raw data from the online behavioral experiment is summarized in tabular form, presenting the keypress results of 60 participants. The offline EEG experiment comprises both behavioral and EEG data. The behavioral data is summarized in two tables, presenting the scores of 31 participants on two dependent variables. The EEG data is presented in its raw form, sequentially for all 31 participants.

", + "description_zh": "

Here are the raw data from an online behavioral experiment and an offline EEG experiment. The raw data from the online behavioral experiment is summarized in tabular form, presenting the keypress results of 60 participants. The offline EEG experiment comprises both behavioral and EEG data. The behavioral data is summarized in two tables, presenting the scores of 31 participants on two dependent variables. The EEG data is presented in its raw form, sequentially for all 31 participants.

", + "authors": [ + { + "name_en": "WU JUN", + "name_zh": "WU JUN", + "email": "941911346@qq.com", + "affiliations": [ + { + "name_en": "Shenzhen University", + "name_zh": "深圳大学", + "ror_id": "https://ror.org/01vy4gh70" + } + ] + }, + { + "name_en": "CUI FANG", + "name_zh": "CUI FANG", + "email": "cuifang0826@gmail.com", + "affiliations": [ + { + "name_en": "Shenzhen University", + "name_zh": "Shenzhen University", + "ror_id": "https://ror.org/01vy4gh70" + } + ] + } + ], + "keywords_en": [ + "Moral Judgment", + "Prosociality", + "Fairness", + "Social Status", + "Event-Related Potentials", + "FRN" + ], + "keywords_zh": [ + "Moral Judgment", + "Prosociality", + "Fairness", + "Social Status", + "Event-Related Potentials", + "FRN" + ], + "publication_date": "2024-12-06T06:32:49.116Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 5490.47, + "file_size_bytes": 5757178758, + "download_count": 4, + "visit_count": 184, + "url": "https://www.scidb.cn/en/detail?id=681a1af1aa991804f7636e80", + "source": "scidb" + }, + { + "dataset_id": "63a5b1e9f4cc512f6fba2c4f", + "doi": "10.57760/sciencedb.06986", + "cstr": "31253.11.sciencedb.06986", + "pid": "21.86116.6/sciencedb.06986", + "title": "Effects of Group Size on Third-party Punishments 2022 data set", + "title_en": "Effects of Group Size on Third-party Punishments 2022 data set", + "title_zh": "群体规模对第三方惩罚的影响2022年数据集", + "description": "

In April 2022, EEG data was collected in the EEG Laboratory of North China University of Science and Technology. To explore the neural mechanism of the influence of group size on third party punishment.

", + "description_en": "

In April 2022, EEG data was collected in the EEG Laboratory of North China University of Science and Technology. To explore the neural mechanism of the influence of group size on third party punishment.

", + "description_zh": "

2022年4月,在华北理工大学脑电实验室收集脑电数据。为探究群体规模影响第三方惩罚的神经机制。

", + "authors": [ + { + "name_en": "Yuan Gao", + "name_zh": "高媛", + "email": "gaoyuan171717@163.com", + "affiliations": [ + { + "name_en": "North China University of Science and Technology", + "name_zh": "North China University of Science and Technology" + } + ] + } + ], + "keywords_en": [ + "Third-party punishment", + "Group size", + "Gain and loss contexts" + ], + "keywords_zh": [ + "第三方惩罚", + "群体规模", + "得失情境" + ], + "publication_date": "2022-12-26T01:38:36.857Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 20906.59, + "file_size_bytes": 21922144500, + "download_count": 0, + "visit_count": 69, + "url": "https://www.scidb.cn/en/detail?id=63a5b1e9f4cc512f6fba2c4f", + "source": "scidb" + }, + { + "dataset_id": "665822bd6db6702daf1dbf65", + "doi": "10.57760/sciencedb.j00133.00276", + "cstr": "31253.11.sciencedb.j00133.00276", + "pid": "", + "title": "Dataset of Service Providers’ Participation Motivations in Skill-Based Crowdsourcing", + "title_en": "Dataset of Service Providers’ Participation Motivations in Skill-Based Crowdsourcing", + "title_zh": "技能众包服务商参与动机数据集", + "description": "

This dataset covers all successfully completed bidding tasks from epwk.com from November 2017 to November 2022, with a total of 2385 service provider information (involving 15641 corresponding bidding documents). The main row and column labels in the data table have the following meanings: 1. Bidding frequency (bid): The number of tasks participated in, that is, the number of tasks each service provider participated in the bidding process; 2. Hobbies(hob): Skill task similarity, constructing a TF-IDF model based on service provider skill labels and task titles, and calculating text similarity; 3. Competency (com): past task similarity, building a BERT fine-tuning model based on all task titles participated by the service provider, and calculating text similarity; 4. Bonus stimulation (bon): The reward amount, the average reward amount for service providers participating in tasks; 5. Task attraction (att): task detail, task requirements, and the number of text characters supplemented by the requirements; 6. Ability exercise (abi): Service provider capabilities, service provider capability product level; 7. Reputation and Reputation (rep): Service Provider Credit, Service Provider Credit Rating; 8. Social recognition (soc): positive review rate, service provider positive review rate; 9. Task difficulty (dif): The ratio of the number of bidders to the number of viewers, and the ratio of the number of bidders and viewers participating in the task by the service provider. 

", + "description_en": "

This dataset covers all successfully completed bidding tasks from epwk.com from November 2017 to November 2022, with a total of 2385 service provider information (involving 15641 corresponding bidding documents). The main row and column labels in the data table have the following meanings: 1. Bidding frequency (bid): The number of tasks participated in, that is, the number of tasks each service provider participated in the bidding process; 2. Hobbies(hob): Skill task similarity, constructing a TF-IDF model based on service provider skill labels and task titles, and calculating text similarity; 3. Competency (com): past task similarity, building a BERT fine-tuning model based on all task titles participated by the service provider, and calculating text similarity; 4. Bonus stimulation (bon): The reward amount, the average reward amount for service providers participating in tasks; 5. Task attraction (att): task detail, task requirements, and the number of text characters supplemented by the requirements; 6. Ability exercise (abi): Service provider capabilities, service provider capability product level; 7. Reputation and Reputation (rep): Service Provider Credit, Service Provider Credit Rating; 8. Social recognition (soc): positive review rate, service provider positive review rate; 9. Task difficulty (dif): The ratio of the number of bidders to the number of viewers, and the ratio of the number of bidders and viewers participating in the task by the service provider. 

", + "description_zh": "

本数据集涵盖了2017年11月至2022年11月5年间一品威客平台中所有圆满完成的招投标任务,共包含2385位服务商信息(涉及与之对应的15641条标书),其中数据表主要行列标签含义如下:

1.投标次数(bid):参与的任务数量,即每位服务商参与招投标的任务数量;

2.兴趣爱好(hob):技能任务相似度,基于服务商技能标签和任务标题构建TF-IDF模型,计算文本相似度;

3.胜任能力(com):过往任务相似度,基于服务商参与的所有任务标题构建BERT微调模型,计算文本相似度;

4.奖金刺激(bon):悬赏金额,服务商参与任务的悬赏金额均值;

5.任务吸引(att):任务详细度,任务需求与需求补充的文本字符数;

6.能力锻炼(abi):服务商能力,服务商能力品级数;

7.声望信誉(rep):服务商信用,服务商信用等级;

8.社交认可(soc):好评率,服务商好评率;

9.任务难度(dif):投标人数与浏览人数的比例,服务商参与任务的投标人数与浏览人数之比。


", + "authors": [ + { + "name_en": "Wang Xiaolun", + "name_zh": "王筱纶", + "email": "w_xl@nuaa.edu.cn", + "affiliations": [ + { + "name_en": "Nanjing University of Aeronautics and Astronautics", + "name_zh": "Nanjing University of Aeronautics and Astronautics", + "ror_id": "https://ror.org/01scyh794" + } + ] + } + ], + "keywords_en": [ + "Skill-based crowdsourcing", + " Participation motivation", + "Service provider", + " Machine learning" + ], + "keywords_zh": [ + "技能共享", + "参与动机", + "服务商", + "机器学习" + ], + "publication_date": "2024-07-26T08:47:32.409Z", + "created": "", + "modified": "", + "status": "", + "license": "ODC-BY", + "file_size_mb": 1.19, + "file_size_bytes": 1244160, + "download_count": 56, + "visit_count": 705, + "url": "https://www.scidb.cn/en/detail?id=665822bd6db6702daf1dbf65", + "source": "scidb" + }, + { + "dataset_id": "60b9c3adae98d4289fceed46", + "doi": "10.11922/sciencedb.00832", + "cstr": "31253.11.sciencedb.00832", + "pid": "21.86116.6/sciencedb.00832", + "title": "SVM and Randfores Code for DoA monitoring", + "title_en": "SVM and Randfores Code for DoA monitoring", + "title_zh": "SVM and Randfores Code for DoA monitoring", + "description": "


According to Etsevo, during anesthesia induction, we have divided the patient’s depth of sedation into awake, light sedation, and deep sedation and collected 90s of EEG and EOG at each sedation depth for predictive analysis. We included 33 patients’ data into the analysis and obtained 297 pieces of data input into the machine learning method for classification and prediction.

      In order to study whether sound-evoked EOG has an auxiliary effect on anesthesia monitoring, we combine EEG and EOG features or only input EEG features into the random forest and linear support vector machine for classification tasks. 

", + "description_en": "


According to Etsevo, during anesthesia induction, we have divided the patient’s depth of sedation into awake, light sedation, and deep sedation and collected 90s of EEG and EOG at each sedation depth for predictive analysis. We included 33 patients’ data into the analysis and obtained 297 pieces of data input into the machine learning method for classification and prediction.

      In order to study whether sound-evoked EOG has an auxiliary effect on anesthesia monitoring, we combine EEG and EOG features or only input EEG features into the random forest and linear support vector machine for classification tasks. 

", + "description_zh": "


According to Etsevo, during anesthesia induction, we have divided the patient’s depth of sedation into awake, light sedation, and deep sedation and collected 90s of EEG and EOG at each sedation depth for predictive analysis. We included 33 patients’ data into the analysis and obtained 297 pieces of data input into the machine learning method for classification and prediction.

      In order to study whether sound-evoked EOG has an auxiliary effect on anesthesia monitoring, we combine EEG and EOG features or only input EEG features into the random forest and linear support vector machine for classification tasks. 

", + "authors": [ + { + "name_en": "Guozheng Wang", + "name_zh": "Guozheng Wang", + "affiliations": [ + { + "name_en": "Zhejiang university", + "name_zh": "Zhejiang university", + "ror_id": "https://ror.org/00a2xv884" + } + ] + } + ], + "keywords_en": [ + "Anesthetic depth monitoring", + " auditory stimulation", + " consciousness", + " electrooculogram", + " sevoflurane" + ], + "keywords_zh": [ + "Anesthetic depth monitoring", + " auditory stimulation", + " consciousness", + " electrooculogram", + " sevoflurane" + ], + "publication_date": "2021-05-26T08:53:42.809Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 12812, + "download_count": 24, + "visit_count": 768, + "url": "https://www.scidb.cn/en/detail?id=60b9c3adae98d4289fceed46", + "source": "scidb" + }, + { + "dataset_id": "6242bffbe9abd34325de4caf", + "doi": "10.11922/sciencedb.j00052.00001", + "cstr": "31253.11.sciencedb.j00052.00001", + "pid": "21.86116.6/sciencedb.j00052.00001", + "title": "empathy", + "title_en": "empathy", + "title_zh": "共情数据", + "description": "

EEG study data on empathy and musical emotion recognition

", + "description_en": "

EEG study data on empathy and musical emotion recognition

", + "description_zh": "

关于共情与音乐情绪识别的脑电研究数据

", + "authors": [ + { + "name_en": "Yang Jimei", + "name_zh": "杨集梅", + "email": "157553855@qq.com", + "affiliations": [ + { + "name_en": "西南大学", + "name_zh": "西南大学" + } + ] + }, + { + "name_en": "Zheng Maoping", + "name_zh": "郑茂平", + "email": "zhengmpxlx@126.com", + "affiliations": [ + { + "name_en": "西南大学", + "name_zh": "西南大学" + } + ] + } + ], + "keywords_en": [ + "empathy", + "Chinese national music", + "emotion recognition" + ], + "keywords_zh": [ + "共情", + "中国民族音乐", + "情绪识别" + ], + "publication_date": "2022-04-01T08:20:44.896Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 8309, + "download_count": 44, + "visit_count": 2590, + "url": "https://www.scidb.cn/en/detail?id=6242bffbe9abd34325de4caf", + "source": "scidb" + }, + { + "dataset_id": "66c7406cb7542f64ded99762", + "doi": "10.57760/sciencedb.12355", + "cstr": "31253.11.sciencedb.12355", + "pid": "", + "title": "Transcranial alternating current stimulation and creativity", + "title_en": "Transcranial alternating current stimulation and creativity", + "title_zh": "经颅交流电刺激与创造性", + "description": "

Collection Period: March 2024 to April 2024

Acquisition Location: Qufu Normal University

Behavioral data: Eprime 2.0.10 acquisition, organized in csv

EEG data: Borecon Newsen W wireless EEG acquisition device, 16-lead, sampling rate 500Hz, preprocessed using MATLAB EEGLAB toolbox, time-frequency analysis (wavelet transform) using MATLAB Fieldtrip toolbox

Data may contain errors: due to the configurable electrodes of the EEG acquisition device, only regions of interest were acquired (AF3, AFz, AF4, F3, Fz, F4, FCz, PO3, Poz, PO4, P3, Pz, P4, Oz)

", + "description_en": "

Collection Period: March 2024 to April 2024

Acquisition Location: Qufu Normal University

Behavioral data: Eprime 2.0.10 acquisition, organized in csv

EEG data: Borecon Newsen W wireless EEG acquisition device, 16-lead, sampling rate 500Hz, preprocessed using MATLAB EEGLAB toolbox, time-frequency analysis (wavelet transform) using MATLAB Fieldtrip toolbox

Data may contain errors: due to the configurable electrodes of the EEG acquisition device, only regions of interest were acquired (AF3, AFz, AF4, F3, Fz, F4, FCz, PO3, Poz, PO4, P3, Pz, P4, Oz)

", + "description_zh": "

采集时间:2024年3月至2024年4月

采集地点:曲阜师范大学

行为数据:Eprime2.0.10采集,整理在csv中

EEG数据:博睿康Newsen W无线脑电采集设备,16导,采样率500Hz,使用MATLAB EEGLAB toolbox进行预处理,使用MATLAB Fieldtrip toolbox进行时频分析(小波变换)

数据可能存在误差:由于脑电采集设备的电极可设置,因此只采集了感兴趣的区域(AF3, AFz, AF4, F3, Fz, F4, FCz, PO3, Poz, PO4, P3, Pz, P4, Oz)

", + "authors": [ + { + "name_en": "Zhou Runze", + "name_zh": "周润泽", + "email": "creapsychojoe@163.com", + "affiliations": [ + { + "name_en": "Southwest University", + "name_zh": "西南大学", + "ror_id": "https://ror.org/01kj4z117" + }, + { + "name_en": "Qufu Normal University", + "name_zh": "曲阜师范大学", + "ror_id": "https://ror.org/03ceheh96" + } + ] + }, + { + "name_en": "Liu Chunlei", + "name_zh": "刘春雷", + "email": "liuchunlei@qfnu.edu.cn", + "affiliations": [ + { + "name_en": "Qufu Normal University", + "name_zh": "曲阜师范大学", + "ror_id": "https://ror.org/03ceheh96" + } + ] + } + ], + "keywords_en": [ + "transcranial alternating current stimulation", + "creative thinking", + "alpha oscillation" + ], + "keywords_zh": [ + "经颅电刺激", + "创造性思维", + "alpha神经振荡" + ], + "publication_date": "2024-08-23T07:49:53.567Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 2360.43, + "file_size_bytes": 2475085544, + "download_count": 0, + "visit_count": 1343, + "url": "https://www.scidb.cn/en/detail?id=66c7406cb7542f64ded99762", + "source": "scidb" + }, + { + "dataset_id": "68d16f3afae9e04d156b14f3", + "doi": "10.57760/sciencedb.28622", + "cstr": "31253.11.sciencedb.28622", + "pid": "", + "title": "Selective attention and audiovisual synchrony independently and interactively enhance visual processing in a competing scenario", + "title_en": "Selective attention and audiovisual synchrony independently and interactively enhance visual processing in a competing scenario", + "title_zh": "Selective attention and audiovisual synchrony independently and interactively enhance visual processing in a competing scenario", + "description": "

The dataset is organized into four folders as follows:

‘Behavior’ includes behavioral data for statistics.

‘EEG_Rhythmic’ comprises data for statistics from the rhythmic experiment.

‘EEG_Unrhythmic’ contains data for statistics from the unrhythmic experiment.

‘EEGs_Rhythmic&Unrhythimc’ includes combined data for statistics from both the rhythmic and unrhythmic experiment.

", + "description_en": "

The dataset is organized into four folders as follows:

‘Behavior’ includes behavioral data for statistics.

‘EEG_Rhythmic’ comprises data for statistics from the rhythmic experiment.

‘EEG_Unrhythmic’ contains data for statistics from the unrhythmic experiment.

‘EEGs_Rhythmic&Unrhythimc’ includes combined data for statistics from both the rhythmic and unrhythmic experiment.

", + "description_zh": "

The dataset is organized into four folders as follows:

‘Behavior’ includes behavioral data for statistics.

‘EEG_Rhythmic’ comprises data for statistics from the rhythmic experiment.

‘EEG_Unrhythmic’ contains data for statistics from the unrhythmic experiment.

‘EEGs_Rhythmic&Unrhythimc’ includes combined data for statistics from both the rhythmic and unrhythmic experiment.

", + "authors": [ + { + "name_en": "Chen Jieru", + "name_zh": "Chen Jieru", + "email": "chenjr@psych.ac.cn", + "affiliations": [ + { + "name_en": " Institute of Psychology, Chinese Academy of Sciences", + "name_zh": " Institute of Psychology, Chinese Academy of Sciences" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + }, + { + "name_en": "Liu Wenjie", + "name_zh": "Liu Wenjie", + "email": "wenjieliupsy@126.com", + "affiliations": [ + { + "name_en": "Beijing Huilongguan Hospital", + "name_zh": "Beijing Huilongguan Hospital" + } + ] + }, + { + "name_en": "Tan Shiqi", + "name_zh": "Tan Shiqi", + "email": "tansq@psych.ac.cn", + "affiliations": [ + { + "name_en": " Institute of Psychology, Chinese Academy of Sciences", + "name_zh": " Institute of Psychology, Chinese Academy of Sciences" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + }, + { + "name_en": "Yuan Xiangyong", + "name_zh": "Yuan Xiangyong", + "email": "yuanxy@psych.ac.cn", + "affiliations": [ + { + "name_en": " Institute of Psychology, Chinese Academy of Sciences", + "name_zh": " Institute of Psychology, Chinese Academy of Sciences" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + }, + { + "name_en": "Jiang Yi", + "name_zh": "Jiang Yi", + "email": "yijiang@psych.ac.cn", + "affiliations": [ + { + "name_en": " Institute of Psychology, Chinese Academy of Sciences", + "name_zh": " Institute of Psychology, Chinese Academy of Sciences" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + } + ], + "keywords_en": [ + "audiovisual integration", + "selective attention", + "rhythm", + "steady-state visual evoked potential", + "inter-trial phase coherence" + ], + "keywords_zh": [ + "audiovisual integration", + "selective attention", + "rhythm", + "steady-state visual evoked potential", + "inter-trial phase coherence" + ], + "publication_date": "2025-09-25T06:29:46.293Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 121.94, + "file_size_bytes": 127866915, + "download_count": 297, + "visit_count": 54, + "url": "https://www.scidb.cn/en/detail?id=68d16f3afae9e04d156b14f3", + "source": "scidb" + }, + { + "dataset_id": "66487c324e7538442ce796af", + "doi": "10.57760/sciencedb.02109", + "cstr": "31253.11.sciencedb.02109", + "pid": "21.86116.6/sciencedb.02109", + "title": "Motor inhibition impacts the motor interference effect of dangerous objects", + "title_en": "Motor inhibition impacts the motor interference effect of dangerous objects", + "title_zh": "Motor inhibition impacts the motor interference effect of dangerous objects", + "description": "

The experimental apparatus was a Lenovo computer connected to a 17-inch Cathode Ray Tube (CRT) monitor (85Hz refresh rates). The stimulus presentation was performed using an E-prime 2.0 software. The input device was a standard keyboard. Electroencephalogram (EEG) data were recorded by a Neuroscan system (Neuroscan, Inc.). A Neuroscan Synamp 2 amplifier with a 64 Ag/AgCl electrode cap mounted according to the extended international 10–20 system was used to continuously record EEG data (sampling rate at 500 Hz).

", + "description_en": "

The experimental apparatus was a Lenovo computer connected to a 17-inch Cathode Ray Tube (CRT) monitor (85Hz refresh rates). The stimulus presentation was performed using an E-prime 2.0 software. The input device was a standard keyboard. Electroencephalogram (EEG) data were recorded by a Neuroscan system (Neuroscan, Inc.). A Neuroscan Synamp 2 amplifier with a 64 Ag/AgCl electrode cap mounted according to the extended international 10–20 system was used to continuously record EEG data (sampling rate at 500 Hz).

", + "description_zh": "

The experimental apparatus was a Lenovo computer connected to a 17-inch Cathode Ray Tube (CRT) monitor (85Hz refresh rates). The stimulus presentation was performed using an E-prime 2.0 software. The input device was a standard keyboard. Electroencephalogram (EEG) data were recorded by a Neuroscan system (Neuroscan, Inc.). A Neuroscan Synamp 2 amplifier with a 64 Ag/AgCl electrode cap mounted according to the extended international 10–20 system was used to continuously record EEG data (sampling rate at 500 Hz).

", + "authors": [ + { + "name_en": "Peng Liu", + "name_zh": "Peng Liu", + "email": "liupeng@nwu.edu.cn", + "affiliations": [ + { + "name_en": "Northwest University", + "name_zh": "Northwest University", + "ror_id": "https://ror.org/00y7snj24" + } + ] + } + ], + "keywords_en": [ + "motor interference effect", + "dangerous objects", + "motor inhibition", + "danger evaluation" + ], + "keywords_zh": [ + "motor interference effect", + "dangerous objects", + "motor inhibition", + "danger evaluation" + ], + "publication_date": "2022-08-02T09:08:20.475Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 3923.25, + "file_size_bytes": 4113824391, + "download_count": 249, + "visit_count": 938, + "url": "https://www.scidb.cn/en/detail?id=66487c324e7538442ce796af", + "source": "scidb" + }, + { + "dataset_id": "677f4e0ea51e4d6139abfaf2", + "doi": "10.57760/sciencedb.11364", + "cstr": "31253.11.sciencedb.11364", + "pid": "", + "title": "Neuronal Mechanisms of Nociceptive-evoked Gamma-band Oscillations in Rodents", + "title_en": "Neuronal Mechanisms of Nociceptive-evoked Gamma-band Oscillations in Rodents", + "title_zh": "Neuronal Mechanisms of Nociceptive-evoked Gamma-band Oscillations in Rodents", + "description": "

Data for generating figures of the manuscript. The data contains the EEG data for humans, electrophysiological data for rats and calcium imaging data for mice.

", + "description_en": "

Data for generating figures of the manuscript. The data contains the EEG data for humans, electrophysiological data for rats and calcium imaging data for mice.

", + "description_zh": "

Data for generating figures of the manuscript. The data contains the EEG data for humans, electrophysiological data for rats and calcium imaging data for mice.

", + "authors": [ + { + "name_en": "Yue Lupeng", + "name_zh": "Yue Lupeng", + "email": "yuelp@psych.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology", + "name_zh": "Institute of Psychology", + "ror_id": "https://ror.org/034dn0836" + } + ] + }, + { + "name_en": "Hu Li", + "name_zh": "Hu Li", + "email": "huli@psych.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "中国科学院心理研究所", + "ror_id": "https://ror.org/03j7v5j15" + } + ] + } + ], + "keywords_en": [ + "Gamma band oscillations (GBOs)", + "Pain", + "Parvalbumin (PV) positive interneurons", + "Primary somatosensory cortex (S1)", + "Calcium imaging", + "Optogenetics" + ], + "keywords_zh": [ + "Gamma band oscillations (GBOs)", + "Pain", + "Parvalbumin (PV) positive interneurons", + "Primary somatosensory cortex (S1)", + "Calcium imaging", + "Optogenetics" + ], + "publication_date": "2024-08-06T03:15:00.613Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-SA 4.0", + "file_size_mb": 98024.41, + "file_size_bytes": 102786043650, + "download_count": 41, + "visit_count": 1464, + "url": "https://www.scidb.cn/en/detail?id=677f4e0ea51e4d6139abfaf2", + "source": "scidb" + }, + { + "dataset_id": "633c098f1eb2ba6997fb4a78", + "doi": "10.57760/sciencedb.j00052.00033", + "cstr": "31253.11.sciencedb.j00052.00033", + "pid": "21.86116.6/sciencedb.j00052.00033", + "title": "The role of norm understanding in third-party punishment and its time course", + "title_en": "The role of norm understanding in third-party punishment and its time course", + "title_zh": "The role of norm understanding in third-party punishment and its time course", + "description": "

This dataset is about Chinese's norm understanding and their third-party punishment. It includes one behavioral experiment and one EEG experiment.

", + "description_en": "

This dataset is about Chinese's norm understanding and their third-party punishment. It includes one behavioral experiment and one EEG experiment.

", + "description_zh": "

This dataset is about Chinese's norm understanding and their third-party punishment. It includes one behavioral experiment and one EEG experiment.

", + "authors": [ + { + "name_en": "Dongjie Xie", + "name_zh": "Dongjie Xie", + "email": "xie_dongjie@163.com", + "affiliations": [ + { + "name_en": "Guangdong Institute of Public Administration", + "name_zh": "Guangdong Institute of Public Administration" + } + ] + }, + { + "name_en": "Yanjie Su", + "name_zh": "Yanjie Su", + "email": "yjsu@pku.edu.cn", + "affiliations": [ + { + "name_en": "Peking University", + "name_zh": "Peking University" + } + ] + } + ], + "keywords_en": [ + "third-party punishment", + "descriptive norm", + "injunctive norm", + "norm understanding", + "event-related potential" + ], + "keywords_zh": [ + "third-party punishment", + "descriptive norm", + "injunctive norm", + "norm understanding", + "event-related potential" + ], + "publication_date": "2023-08-31T01:07:19.091Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 0.04, + "file_size_bytes": 37192, + "download_count": 31, + "visit_count": 1398, + "url": "https://www.scidb.cn/en/detail?id=633c098f1eb2ba6997fb4a78", + "source": "scidb" + }, + { + "dataset_id": "653ba4bf844a5137567bc803", + "doi": "10.57760/sciencedb.12791", + "cstr": "31253.11.sciencedb.12791", + "pid": "", + "title": "Temporal dynamics of gaze-cueing attention among distinct interpersonal competence groups: ERP Evidence", + "title_en": "Temporal dynamics of gaze-cueing attention among distinct interpersonal competence groups: ERP Evidence", + "title_zh": "Temporal dynamics of gaze-cueing attention among distinct interpersonal competence groups: ERP Evidence", + "description": "

This data set is the behavioral and Electrophysiology data of eye gaze cue experiments in people with different levels of social competence. Using the point detection paradigm and Evoked potential technology, we explored the temporal characteristics of college students' eye gaze cue processing. The data set includes three files, namely (1) Behavioral data: subjects' behavioral data results (2) EEG raw data: subjects' EEG raw data (3)EEG exp date: EEG data for post-processing after output, and (4) Figures and tables: Figures and tables mentioned in the manuscript.

The file (1) Behavioral data presents the behavioral data results of the participants, including 12 horizontal rows and 43 vertical columns. In the first horizontal row, we list the groups of participants (1 is the high social ability group, 2 is the low social ability group), id (subject number), age (subject age), sex (1 is male, 2 is female), and different experimental conditions (direct, averted, inverted, arrow, averted consistent/inconsistent, arrow consistent/inconsistent). The values in the vertical column under each condition are the participants' reaction times. 

File (2) EEG date is the original Electrophysiology data of the experiment. There are a total of 132 projects in the document. The items beginning with H are participants in the high social ability group, while the items beginning with L are participants in the low social ability group. 

File(3) Includes EEG data from the N170, ADAN, and LPP mentioned in the manuscript and the unmentioned P200. This included data on peak and latency of N170, ADAN, and P200 in direct/avert/inverted/arrow/consistent and inconsistent with arrows and Grand-averaged ERP waveforms of 400-650ms (LPPs) for H (high social competence)/L (low social competence).

File(4) Includes two tables and four figures inserted in the manuscript with their titles and related notes.

", + "description_en": "

This data set is the behavioral and Electrophysiology data of eye gaze cue experiments in people with different levels of social competence. Using the point detection paradigm and Evoked potential technology, we explored the temporal characteristics of college students' eye gaze cue processing. The data set includes three files, namely (1) Behavioral data: subjects' behavioral data results (2) EEG raw data: subjects' EEG raw data (3)EEG exp date: EEG data for post-processing after output, and (4) Figures and tables: Figures and tables mentioned in the manuscript.

The file (1) Behavioral data presents the behavioral data results of the participants, including 12 horizontal rows and 43 vertical columns. In the first horizontal row, we list the groups of participants (1 is the high social ability group, 2 is the low social ability group), id (subject number), age (subject age), sex (1 is male, 2 is female), and different experimental conditions (direct, averted, inverted, arrow, averted consistent/inconsistent, arrow consistent/inconsistent). The values in the vertical column under each condition are the participants' reaction times. 

File (2) EEG date is the original Electrophysiology data of the experiment. There are a total of 132 projects in the document. The items beginning with H are participants in the high social ability group, while the items beginning with L are participants in the low social ability group. 

File(3) Includes EEG data from the N170, ADAN, and LPP mentioned in the manuscript and the unmentioned P200. This included data on peak and latency of N170, ADAN, and P200 in direct/avert/inverted/arrow/consistent and inconsistent with arrows and Grand-averaged ERP waveforms of 400-650ms (LPPs) for H (high social competence)/L (low social competence).

File(4) Includes two tables and four figures inserted in the manuscript with their titles and related notes.

", + "description_zh": "

This data set is the behavioral and Electrophysiology data of eye gaze cue experiments in people with different levels of social competence. Using the point detection paradigm and Evoked potential technology, we explored the temporal characteristics of college students' eye gaze cue processing. The data set includes three files, namely (1) Behavioral data: subjects' behavioral data results (2) EEG raw data: subjects' EEG raw data (3)EEG exp date: EEG data for post-processing after output, and (4) Figures and tables: Figures and tables mentioned in the manuscript.

The file (1) Behavioral data presents the behavioral data results of the participants, including 12 horizontal rows and 43 vertical columns. In the first horizontal row, we list the groups of participants (1 is the high social ability group, 2 is the low social ability group), id (subject number), age (subject age), sex (1 is male, 2 is female), and different experimental conditions (direct, averted, inverted, arrow, averted consistent/inconsistent, arrow consistent/inconsistent). The values in the vertical column under each condition are the participants' reaction times. 

File (2) EEG date is the original Electrophysiology data of the experiment. There are a total of 132 projects in the document. The items beginning with H are participants in the high social ability group, while the items beginning with L are participants in the low social ability group. 

File(3) Includes EEG data from the N170, ADAN, and LPP mentioned in the manuscript and the unmentioned P200. This included data on peak and latency of N170, ADAN, and P200 in direct/avert/inverted/arrow/consistent and inconsistent with arrows and Grand-averaged ERP waveforms of 400-650ms (LPPs) for H (high social competence)/L (low social competence).

File(4) Includes two tables and four figures inserted in the manuscript with their titles and related notes.

", + "authors": [ + { + "name_en": "Yan Zhixiong", + "name_zh": "Yan Zhixiong", + "email": "yanzx@nnnu.edu.cn", + "affiliations": [ + { + "name_en": "Nanning Normal University", + "name_zh": "Nanning Normal University" + } + ] + } + ], + "keywords_en": [ + "gaze-cueing ", + "interpersonal competence ", + "N170 ", + "anterior directing attention negativity ", + "late positive potential ", + "event-related potentials ", + "ERPs" + ], + "keywords_zh": [ + "gaze-cueing ", + "interpersonal competence ", + "N170 ", + "anterior directing attention negativity ", + "late positive potential ", + "event-related potentials ", + "ERPs" + ], + "publication_date": "2023-11-13T11:18:20.674Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 4732.03, + "file_size_bytes": 4961893877, + "download_count": 14, + "visit_count": 291, + "url": "https://www.scidb.cn/en/detail?id=653ba4bf844a5137567bc803", + "source": "scidb" + }, + { + "dataset_id": "686751b46501574b34a055d9", + "doi": "10.57760/sciencedb.12128", + "cstr": "31253.11.sciencedb.12128", + "pid": "", + "title": "CuBiAAD-v2", + "title_en": "CuBiAAD-v2", + "title_zh": "CuBiAAD-v2", + "description": "

Investigating auditory attention in multiple speech streams is crucial for the research on language comprehension and the development of neuro-steered hearing devices. This study proposed a multimodal dataset recording brain activities based on a cue-masked auditory attention paradigm, which avoid information leakage before the experiment for better simulating real-world scenarios. The dataset included electroencephalography (EEG) data from 30 subjects. The dataset would benefit the studies on the mechanism of speech comprehension, the sensor optimization and algorithm design of auditory attention decoding, facilitating the technology development of auditory-based brain computer interface (BCI).

", + "description_en": "

Investigating auditory attention in multiple speech streams is crucial for the research on language comprehension and the development of neuro-steered hearing devices. This study proposed a multimodal dataset recording brain activities based on a cue-masked auditory attention paradigm, which avoid information leakage before the experiment for better simulating real-world scenarios. The dataset included electroencephalography (EEG) data from 30 subjects. The dataset would benefit the studies on the mechanism of speech comprehension, the sensor optimization and algorithm design of auditory attention decoding, facilitating the technology development of auditory-based brain computer interface (BCI).

", + "description_zh": "

Investigating auditory attention in multiple speech streams is crucial for the research on language comprehension and the development of neuro-steered hearing devices. This study proposed a multimodal dataset recording brain activities based on a cue-masked auditory attention paradigm, which avoid information leakage before the experiment for better simulating real-world scenarios. The dataset included electroencephalography (EEG) data from 30 subjects. The dataset would benefit the studies on the mechanism of speech comprehension, the sensor optimization and algorithm design of auditory attention decoding, facilitating the technology development of auditory-based brain computer interface (BCI).

", + "authors": [ + { + "name_en": "Keren Shi", + "name_zh": "Keren Shi", + "email": "skr@alu.uestc.edu.cn", + "affiliations": [ + { + "name_en": "University of Electronic Science and Technology of China", + "name_zh": "电子科技大学", + "ror_id": "https://ror.org/04qr3zq92" + } + ] + }, + { + "name_en": "Xue Yuan", + "name_zh": "Xue Yuan", + "email": "yuanxue_@stu.scu.edu.cn", + "affiliations": [ + { + "name_en": "West China Hospital of Sichuan University", + "name_zh": "West China Hospital of Sichuan University", + "ror_id": "https://ror.org/007mrxy13" + } + ] + }, + { + "name_en": "Xu Liu", + "name_zh": "Xu Liu", + "email": "liuxu_007@stu.scu.edu.cn", + "affiliations": [ + { + "name_en": "West China Hospital of Sichuan University", + "name_zh": "West China Hospital of Sichuan University", + "ror_id": "https://ror.org/007mrxy13" + } + ] + }, + { + "name_en": "Ruiting Dai", + "name_zh": "Ruiting Dai", + "email": "rtdai@uestc.edu.cn", + "affiliations": [ + { + "name_en": "University of Electronic Science and Technology of China", + "name_zh": "电子科技大学", + "ror_id": "https://ror.org/04qr3zq92" + } + ] + }, + { + "name_en": "Na Li", + "name_zh": "Na Li", + "email": "lina56@stu.scu.edu.cn", + "affiliations": [ + { + "name_en": "West China Hospital of Sichuan University", + "name_zh": "West China Hospital of Sichuan University", + "ror_id": "https://ror.org/007mrxy13" + } + ] + }, + { + "name_en": "Yunfa Fu", + "name_zh": "Yunfa Fu", + "email": "fyf@ynu.edu.cn", + "affiliations": [ + { + "name_en": "Kunming University of Science and Technology", + "name_zh": "昆明理工大学", + "ror_id": "https://ror.org/00xyeez13" + } + ] + }, + { + "name_en": "Ning Jiang", + "name_zh": "Ning Jiang", + "email": "jiangning21@wchscu.cn", + "affiliations": [ + { + "name_en": "West China Hospital of Sichuan University", + "name_zh": "West China Hospital of Sichuan University", + "ror_id": "https://ror.org/007mrxy13" + } + ] + }, + { + "name_en": "Jiayuan He", + "name_zh": "Jiayuan He", + "email": "jiayuan.he@wchscu.cn", + "affiliations": [ + { + "name_en": "West China Hospital of Sichuan University", + "name_zh": "West China Hospital of Sichuan University", + "ror_id": "https://ror.org/007mrxy13" + } + ] + } + ], + "keywords_en": [ + "BCI", + "EEG", + "fnirs", + "AAD", + "bimodal" + ], + "keywords_zh": [ + "BCI", + "EEG", + "fnirs", + "AAD", + "bimodal" + ], + "publication_date": "2024-08-23T06:44:28.631Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 2922.22, + "file_size_bytes": 3064171934, + "download_count": 389, + "visit_count": 1162, + "url": "https://www.scidb.cn/en/detail?id=686751b46501574b34a055d9", + "source": "scidb" + }, + { + "dataset_id": "65d7ea38e07c37345b652b55", + "doi": "10.57760/sciencedb.13699", + "cstr": "31253.11.sciencedb.13699", + "pid": "", + "title": "Behavior and ERP data of geometric shapes and social role priming effects based on the global-local paradigm", + "title_en": "Behavior and ERP data of geometric shapes and social role priming effects based on the global-local paradigm", + "title_zh": "基于整体——局部范式的图形与社会角色启动效应的行为及ERP数据", + "description": "

EEG data are recorded using the EEG system produced by the American EGI company, utilizing a 64-channel electrode cap extended from the international 10-20 system. The Cz electrode site serves as the online reference electrode, with a sampling rate of 1000Hz, and all electrode impedances are maintained below 50kΩ. This experiment used real-time recording of continuous EEG data, which was subsequently analyzed offline by the EEGlab toolbox based on Matlab R2019a software (Delorme & Makeig, 2004) .

EEG data were analyzed using EEGlab with binaural mastoid as a re-reference, and offline processing was performed using 0.1-30 Hz bandpass filtering. Artifacts such as electro-oculogram, electro-myography, and drift were removed using independent component analysis, and trials with amplitudes exceeding a threshold of ±100 μV were automatically rejected. Data segmentation is conducted over a period spanning 200 ms before stimulus presentation and 800 ms post-presentation, with baseline correction applied using the average amplitude of the 200 ms pre-stimulus period. The 800 ms following stimulus onset is utilized for the time-course analysis of ERPs. Signals from 9 electrodes (F3, Fz, F4, C3, Cz, C4, P3, Pz, P4) were taken for superimposed averaging according to a previous study (Gray et al., 2004; Montalan et al., 2008; Wang et al., 2021; Zhao Guangping et al., 2023). Finally, the EEG data are analyzed using repeated-measures Analysis of Variance (ANOVA).


In the behavioral data, the \"age\" column is highlighted in yellow to indicate male gender.




In ERP data, sort according to the order of n170, p200, n400, as well as the two conditions in the paper

", + "description_en": "

EEG data are recorded using the EEG system produced by the American EGI company, utilizing a 64-channel electrode cap extended from the international 10-20 system. The Cz electrode site serves as the online reference electrode, with a sampling rate of 1000Hz, and all electrode impedances are maintained below 50kΩ. This experiment used real-time recording of continuous EEG data, which was subsequently analyzed offline by the EEGlab toolbox based on Matlab R2019a software (Delorme & Makeig, 2004) .

EEG data were analyzed using EEGlab with binaural mastoid as a re-reference, and offline processing was performed using 0.1-30 Hz bandpass filtering. Artifacts such as electro-oculogram, electro-myography, and drift were removed using independent component analysis, and trials with amplitudes exceeding a threshold of ±100 μV were automatically rejected. Data segmentation is conducted over a period spanning 200 ms before stimulus presentation and 800 ms post-presentation, with baseline correction applied using the average amplitude of the 200 ms pre-stimulus period. The 800 ms following stimulus onset is utilized for the time-course analysis of ERPs. Signals from 9 electrodes (F3, Fz, F4, C3, Cz, C4, P3, Pz, P4) were taken for superimposed averaging according to a previous study (Gray et al., 2004; Montalan et al., 2008; Wang et al., 2021; Zhao Guangping et al., 2023). Finally, the EEG data are analyzed using repeated-measures Analysis of Variance (ANOVA).


In the behavioral data, the \"age\" column is highlighted in yellow to indicate male gender.




In ERP data, sort according to the order of n170, p200, n400, as well as the two conditions in the paper

", + "description_zh": "

采用美国 EGI 公司生产的EEG系统记录与分析数据,按国际10−20系统扩展的64导电极帽在线记录EEG数据。以Cz电极点为在线参考电极,采样率为1000Hz,所有电极阻抗维持在50kΩ以下。本实验采用实时记录连续脑电数据,随后通过基于Matlab R2019a软件的EEGlab工具包进行离线分析(Delorme & Makeig, 2004)。

使用EEGlab对脑电数据进行分析,以双耳乳突作为重参考,离线处理采用0.1~30Hz带通滤波。使用独立成分分析去除眼电、肌电、漂移等伪迹,自动剔除振幅超过±100μV的试次。以刺激呈现前200ms和呈现后800ms进行分段,并以刺激前200ms的平均波幅进行基线校正,刺激后800ms为ERPs分析时程。根据前人研究采取了9个电极(F3、Fz、F4、C3、Cz、C4、P3、Pz、P4)的信号进行叠加平均(Gray et al., 2004; Montalan et al., 2008; Wang et al., 2021; 赵广平 等人, 2023)。最后采用重复测量方差分析对脑电数据进行分析。


行为数据中,“age”一列,标黄表示男性。

erp数据中,按照n170,p200,n400的顺序,以及论文中两个条件而排序

", + "authors": [ + { + "name_en": "Guo Yi'an", + "name_zh": "郭易安", + "email": "189047937@qq.com", + "affiliations": [ + { + "name_en": "Zhangzhou Normal University", + "name_zh": "闽南师范大学", + "ror_id": "https://ror.org/02vj1vm13" + } + ] + } + ], + "keywords_en": [ + "response time", + " ERP", + "matlab" + ], + "keywords_zh": [ + "反应时", + "ERP", + "matlab" + ], + "publication_date": "2023-11-28T04:24:51.434Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 0.09, + "file_size_bytes": 97704, + "download_count": 16, + "visit_count": 216, + "url": "https://www.scidb.cn/en/detail?id=65d7ea38e07c37345b652b55", + "source": "scidb" + }, + { + "dataset_id": "6863bdc5a7d5e55cbdbbbfab", + "doi": "10.57760/sciencedb.27389", + "cstr": "31253.11.sciencedb.27389", + "pid": "", + "title": "CuBiAAD", + "title_en": "CuBiAAD", + "title_zh": "CuBiAAD", + "description": "

Investigating auditory attention in multiple speech streams is crucial for the research on language comprehension and the development of neuro-steered hearing devices. This study proposed a multimodal dataset recording brain activities based on a cue-masked auditory attention paradigm, which avoid information leakage before the experiment for better simulating real-world scenarios. The dataset included electroencephalography (EEG) data from 30 participants, functional near-infrared spectroscopy (fNIRS) data from 10 participants, and all the audio files played during the experiment. To the best of our knowledge, this was the first multimodal dataset based on auditory attention, and it was currently the dataset with the largest number of participants. The dataset would benefit the studies on the mechanism of speech comprehension, the sensor optimization and algorithm design of auditory attention decoding, facilitating the technology development of auditory-based brain computer interface (BCI).

", + "description_en": "

Investigating auditory attention in multiple speech streams is crucial for the research on language comprehension and the development of neuro-steered hearing devices. This study proposed a multimodal dataset recording brain activities based on a cue-masked auditory attention paradigm, which avoid information leakage before the experiment for better simulating real-world scenarios. The dataset included electroencephalography (EEG) data from 30 participants, functional near-infrared spectroscopy (fNIRS) data from 10 participants, and all the audio files played during the experiment. To the best of our knowledge, this was the first multimodal dataset based on auditory attention, and it was currently the dataset with the largest number of participants. The dataset would benefit the studies on the mechanism of speech comprehension, the sensor optimization and algorithm design of auditory attention decoding, facilitating the technology development of auditory-based brain computer interface (BCI).

", + "description_zh": "

Investigating auditory attention in multiple speech streams is crucial for the research on language comprehension and the development of neuro-steered hearing devices. This study proposed a multimodal dataset recording brain activities based on a cue-masked auditory attention paradigm, which avoid information leakage before the experiment for better simulating real-world scenarios. The dataset included electroencephalography (EEG) data from 30 participants, functional near-infrared spectroscopy (fNIRS) data from 10 participants, and all the audio files played during the experiment. To the best of our knowledge, this was the first multimodal dataset based on auditory attention, and it was currently the dataset with the largest number of participants. The dataset would benefit the studies on the mechanism of speech comprehension, the sensor optimization and algorithm design of auditory attention decoding, facilitating the technology development of auditory-based brain computer interface (BCI).

", + "authors": [ + { + "name_en": "Keren Shi", + "name_zh": "Keren Shi", + "email": "skr@alu.uestc.edu.cn", + "affiliations": [ + { + "name_en": "Sichuan University", + "name_zh": "Sichuan University", + "ror_id": "https://ror.org/011ashp19" + } + ] + } + ], + "keywords_en": [ + "EEG", + "AAD", + "fNIRS" + ], + "keywords_zh": [ + "EEG", + "AAD", + "fNIRS" + ], + "publication_date": "2025-07-11T03:19:57.720Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 2922.22, + "file_size_bytes": 3064171934, + "download_count": 0, + "visit_count": 97, + "url": "https://www.scidb.cn/en/detail?id=6863bdc5a7d5e55cbdbbbfab", + "source": "scidb" + }, + { + "dataset_id": "6627dd403e08f2716205c955", + "doi": "10.57760/sciencedb.18350", + "cstr": "31253.11.sciencedb.18350", + "pid": "", + "title": "Prestimulus power and phase of α and β influence sensitivity and criterion", + "title_en": "Prestimulus power and phase of α and β influence sensitivity and criterion", + "title_zh": "刺激前α以及β频段的能量与相位对感受性和判断标准的预测作用", + "description": "

The experimental material was sinusoidal Gabor patch with a Michelson contrast ratio of 0.03 and a vertical tilt of 45° to the left or right. Blank stimulus was no target. The experimental materials were made from online-gabor-patch-generator. The background brightness of all these types of stimuli was 22cd/m2. The experiments were conducted in a quiet, dimly lit EEG laboratory. Experimental stimuli are presented in E-Prime 2.0 software. The resolution of the screen was 1024x768 pixels, and the screen refresh rate was 60Hz (1 refresh cycle was about 17ms). The participant was about 80cm away from the screen. EEG data were collected using the Curry7 software produced by NeuroScan, and EEG recording was performed by participants wearing an extended international 10-20 system 64 electrode cap. When recording online, the center electrode of the forehead was grounded (located at the midpoint of the FCZ and FX connections), and the overhead electrode was a reference electrode. The sampling rate was 1000Hz in DC mode. Electrodes were placed outside both eyes to record horizontal eye electricity (HEOG) and above and below the left eye to record vertical eye electricity (VEOG). The resistance was kept below 10kΩ.

", + "description_en": "

The experimental material was sinusoidal Gabor patch with a Michelson contrast ratio of 0.03 and a vertical tilt of 45° to the left or right. Blank stimulus was no target. The experimental materials were made from online-gabor-patch-generator. The background brightness of all these types of stimuli was 22cd/m2. The experiments were conducted in a quiet, dimly lit EEG laboratory. Experimental stimuli are presented in E-Prime 2.0 software. The resolution of the screen was 1024x768 pixels, and the screen refresh rate was 60Hz (1 refresh cycle was about 17ms). The participant was about 80cm away from the screen. EEG data were collected using the Curry7 software produced by NeuroScan, and EEG recording was performed by participants wearing an extended international 10-20 system 64 electrode cap. When recording online, the center electrode of the forehead was grounded (located at the midpoint of the FCZ and FX connections), and the overhead electrode was a reference electrode. The sampling rate was 1000Hz in DC mode. Electrodes were placed outside both eyes to record horizontal eye electricity (HEOG) and above and below the left eye to record vertical eye electricity (VEOG). The resistance was kept below 10kΩ.

", + "description_zh": "

实验材料为正弦曲线Gabor patch,迈克尔逊对比度为0.03,垂直向左或者向右倾斜45°。空白刺激即为无目标刺激。实验材料制作来自online-gabor-patch-generator。所有这些类型刺激的背景亮度均为22cd/m2。实验在安静昏暗的EEG实验室内进行。实验刺激在E-Prime 2.0软件中呈现。屏幕的分辨率为1024x768像素,屏幕刷新率为60Hz(1个刷新周期约为17ms)。被试距离屏幕80cm左右。使用NeuroScan公司生产的Curry7软件采集脑电数据,被试佩戴国际10-20系统扩展的64导电极帽进行EEG记录。在线记录时前额中央电极接地(位于在FCZ和FX连线的中点上),头顶电极为参考电极。采样率为1000Hz,DC模式采样。在双眼的外侧位置安置电极对记录水平眼电(HEOG),左眼上下位置安置电极记录垂直眼电(VEOG),电阻保持在10kΩ以下。

", + "authors": [ + { + "name_en": "li xiao xiao", + "name_zh": "李笑笑", + "email": "1421269185@qq.com", + "affiliations": [ + { + "name_en": "Tianjin Normal University", + "name_zh": "天津师范大学", + "ror_id": "https://ror.org/05x2td559" + } + ] + } + ], + "keywords_en": [ + "alpha", + "beta", + "visual awareness" + ], + "keywords_zh": [ + "α频段", + "β频段", + "视觉意识" + ], + "publication_date": "2024-06-17T16:19:07.493Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 26860.94, + "file_size_bytes": 28165734617, + "download_count": 0, + "visit_count": 707, + "url": "https://www.scidb.cn/en/detail?id=6627dd403e08f2716205c955", + "source": "scidb" + }, + { + "dataset_id": "68db287a19a491453e1c15ac", + "doi": "10.57760/sciencedb.psych.00769", + "cstr": "31253.11.sciencedb.psych.00769", + "pid": "", + "title": "alpha frequency transcranial alternating current stimulation in the parieto-occipital region", + "title_en": "alpha frequency transcranial alternating current stimulation in the parieto-occipital region", + "title_zh": "alpha frequency transcranial alternating current stimulation in the parieto-occipital region", + "description": "

we employed a within-participant design using EEG and the Alternative Uses Task (AUT). 28 participants completed two experimental sessions—one with sham stimulation and one with α-tACS—separated by a 24 ~ 48 h interval. In each session, participants performed the AUT immediately

following stimulation.

", + "description_en": "

we employed a within-participant design using EEG and the Alternative Uses Task (AUT). 28 participants completed two experimental sessions—one with sham stimulation and one with α-tACS—separated by a 24 ~ 48 h interval. In each session, participants performed the AUT immediately

following stimulation.

", + "description_zh": "

we employed a within-participant design using EEG and the Alternative Uses Task (AUT). 28 participants completed two experimental sessions—one with sham stimulation and one with α-tACS—separated by a 24 ~ 48 h interval. In each session, participants performed the AUT immediately

following stimulation.

", + "authors": [ + { + "name_en": "Chunlei Liu", + "name_zh": "Chunlei Liu", + "email": "liuchunlei@qfnu.edu.cn", + "affiliations": [ + { + "name_en": "Qufu Normal University", + "name_zh": "Qufu Normal University" + } + ] + }, + { + "name_en": "Runze Zhou", + "name_zh": "Runze Zhou", + "email": "271324336@qq.com", + "affiliations": [ + { + "name_en": "Qufu Normal University", + "name_zh": "Qufu Normal University" + }, + { + "name_en": "Southwest University", + "name_zh": "西南大学", + "ror_id": "https://ror.org/01kj4z117" + } + ] + } + ], + "keywords_en": [ + " α-tACS", + "creative thinking", + "Alternative Uses Task (AUT)" + ], + "keywords_zh": [ + " α-tACS", + "creative thinking", + "Alternative Uses Task (AUT)" + ], + "publication_date": "2025-10-04T00:33:22.455Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 863.25, + "file_size_bytes": 905184609, + "download_count": 208, + "visit_count": 76, + "url": "https://www.scidb.cn/en/detail?id=68db287a19a491453e1c15ac", + "source": "scidb" + }, + { + "dataset_id": "6862a43c7fbf00385d589248", + "doi": "10.57760/sciencedb.27339", + "cstr": "31253.11.sciencedb.27339", + "pid": "", + "title": "UNITE example dataset", + "title_en": "UNITE example dataset", + "title_zh": "UNITE example dataset", + "description": "

This dataset includes neuroimaging and clinical data from three patients with stroke, collected as part of the UNITE study. All data are organized according to the Brain Imaging Data Structure (BIDS) format to facilitate reproducibility and standardized processing. The dataset contains T1-weighted structural MRI and resting-state fMRI for each subject.

", + "description_en": "

This dataset includes neuroimaging and clinical data from three patients with stroke, collected as part of the UNITE study. All data are organized according to the Brain Imaging Data Structure (BIDS) format to facilitate reproducibility and standardized processing. The dataset contains T1-weighted structural MRI and resting-state fMRI for each subject.

", + "description_zh": "

This dataset includes neuroimaging and clinical data from three patients with stroke, collected as part of the UNITE study. All data are organized according to the Brain Imaging Data Structure (BIDS) format to facilitate reproducibility and standardized processing. The dataset contains T1-weighted structural MRI and resting-state fMRI for each subject.

", + "authors": [ + { + "name_en": "Wei Zhang", + "name_zh": "Wei Zhang", + "email": "2101111787@stu.pku.edu.cn", + "affiliations": [ + { + "name_en": "Changping Laboratory, Beijing, China", + "name_zh": "Changping Laboratory, Beijing, China" + } + ] + }, + { + "name_en": "Shenshen Li", + "name_zh": "Shenshen Li", + "email": "ssli@pku.edu.cn", + "affiliations": [ + { + "name_en": "Changping Laboratory", + "name_zh": "Changping Laboratory" + }, + { + "name_en": "College of Future Technology, Peking University", + "name_zh": "College of Future Technology, Peking University" + } + ] + }, + { + "name_en": "Ning An", + "name_zh": "Ning An", + "email": "anning@cpl.ac.cn", + "affiliations": [ + { + "name_en": "Changping Laboratory", + "name_zh": "Changping Laboratory" + } + ] + }, + { + "name_en": "Jianting Huang", + "name_zh": "Jianting Huang", + "email": "jianting.huang@pku.edu.cn", + "affiliations": [ + { + "name_en": "Changping Laboratory", + "name_zh": "Changping Laboratory" + } + ] + }, + { + "name_en": "Danhong Wang", + "name_zh": "Danhong Wang", + "email": "wangdanhong@cpl.ac.cn", + "affiliations": [ + { + "name_en": "Changping Laboratory", + "name_zh": "Changping Laboratory" + } + ] + }, + { + "name_en": "Jianxun Ren", + "name_zh": "Jianxun Ren", + "email": "davidren555@outlook.com", + "affiliations": [ + { + "name_en": "Changping Laboratory", + "name_zh": "Changping Laboratory" + } + ] + }, + { + "name_en": "Hesheng Liu", + "name_zh": "Hesheng Liu", + "email": "liuhesheng@cpl.ac.cn", + "affiliations": [ + { + "name_en": "Changping Laboratory", + "name_zh": "Changping Laboratory" + }, + { + "name_en": "Biomedical Pioneering Innovation Center, Peking University", + "name_zh": "Biomedical Pioneering Innovation Center, Peking University" + } + ] + } + ], + "keywords_en": [ + "stroke ", + "aphasia", + "cognition", + "motor" + ], + "keywords_zh": [ + "stroke ", + "aphasia", + "cognition", + "motor" + ], + "publication_date": "2025-07-08T03:02:42.167Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 322.31, + "file_size_bytes": 337968898, + "download_count": 8, + "visit_count": 285, + "url": "https://www.scidb.cn/en/detail?id=6862a43c7fbf00385d589248", + "source": "scidb" + }, + { + "dataset_id": "648dc7c1cd978c23074a645f", + "doi": "10.57760/sciencedb.09015", + "cstr": "31253.11.sciencedb.09015", + "pid": "", + "title": "Temporal dynamics of gaze-cueing attention among distinct interpersonal competence groups: Evidence from event-related potentials", + "title_en": "Temporal dynamics of gaze-cueing attention among distinct interpersonal competence groups: Evidence from event-related potentials", + "title_zh": "在不同水平社交能力人群中眼部注视线索的事件相关电位数据集", + "description": "

This data set is the behavioral and Electrophysiology data of eye gaze cue experiment in people with different levels of social competence. Using the point detection paradigm and Evoked potential technology, we explored the temporal characteristics of college students' eye gaze cue processing. The data set includes two files, namely (1) Behavioral date: subjects' behavioral data results and (2) EEG date: subjects' EEG raw data. The file (1) Behavioral date presents the behavioral data results of the participants, including 12 horizontal rows and 43 vertical columns. In the first horizontal row, we list the groups of participants (1 is the high social ability group, 2 is the low social ability group), number (subject number), age (subject age), gender (1 is male, 2 is female), and different experimental conditions (direct vision, averted, inverted, arrow, averted consistent/inconsistent, arrow consistent/inconsistent). The values in the vertical column under each condition are the participants' reaction time under that condition. File (2) EEG date is the original Electrophysiology data of the experiment. There are a total of 132 projects in the document. The items beginning with H are participants in the high social ability group, while the items beginning with L are participants in the low social ability group. 

", + "description_en": "

This data set is the behavioral and Electrophysiology data of eye gaze cue experiment in people with different levels of social competence. Using the point detection paradigm and Evoked potential technology, we explored the temporal characteristics of college students' eye gaze cue processing. The data set includes two files, namely (1) Behavioral date: subjects' behavioral data results and (2) EEG date: subjects' EEG raw data. The file (1) Behavioral date presents the behavioral data results of the participants, including 12 horizontal rows and 43 vertical columns. In the first horizontal row, we list the groups of participants (1 is the high social ability group, 2 is the low social ability group), number (subject number), age (subject age), gender (1 is male, 2 is female), and different experimental conditions (direct vision, averted, inverted, arrow, averted consistent/inconsistent, arrow consistent/inconsistent). The values in the vertical column under each condition are the participants' reaction time under that condition. File (2) EEG date is the original Electrophysiology data of the experiment. There are a total of 132 projects in the document. The items beginning with H are participants in the high social ability group, while the items beginning with L are participants in the low social ability group. 

", + "description_zh": "

该数据集是在不同水平社交能力人群中眼部注视线索实验的行为和电生理学数据。我们采用点探测范式和事件相关电位技术,探索了大学生在眼部注视线索处理上的时间特征。数据集包括两个文件,分别是(1)Behavioral date:被试的行为数据结果和(2)EEG date:被试的EEG原始数据。

文件(1)Behavioral date呈现的是被试的行为数据结果,包含12横行和43竖列。在第一横行中我们列明了被试的分组group(1为高社交能力组,2为低社交能力组)、number(被试编号)、age(被试年龄)、gender(1为性别男,2为性别女)和不同的实验条件(直视、斜视、倒置、箭头、斜视一致/不一致、箭头一致/不一致)等,每个条件下的竖列中的数值为被试在该条件下的反应时。

文件(2)EEG date为实验的电生理学原始数据。文件中共132个项目。其中H开头的项目为高社交能力组的被试,L开头的为低社交能力组的被试。

", + "authors": [ + { + "name_en": "shanlinglv", + "name_zh": "shanlinglv", + "email": "lvshanling@qq.com", + "affiliations": [ + { + "name_en": "Nanning Normal University", + "name_zh": "南宁师范大学", + "ror_id": "https://ror.org/04dx82x73" + } + ] + } + ], + "keywords_en": [ + "gaze-cueing", + "interpersonal competence", + "N170", + "anterior directing attention negativity", + "late positive potential", + "event-related potentials", + "ERPs" + ], + "keywords_zh": [ + "眼部线索", + "社交能力", + "N170", + "ADAN", + "晚期正电位", + "事件相关电位" + ], + "publication_date": "2023-06-26T07:53:20.424Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 4730.44, + "file_size_bytes": 4960231021, + "download_count": 29, + "visit_count": 351, + "url": "https://www.scidb.cn/en/detail?id=648dc7c1cd978c23074a645f", + "source": "scidb" + }, + { + "dataset_id": "67c5b86ecfa1d066cfad6fd8", + "doi": "10.57760/sciencedb.21680", + "cstr": "31253.11.sciencedb.21680", + "pid": "", + "title": "Effect of Color Hue on the Experience of Movement Flow", + "title_en": "Effect of Color Hue on the Experience of Movement Flow", + "title_zh": "The Effect of Color Hue on the Experience of Movement Flow", + "description": "

The experiments were conducted in the laboratory using the motion of a treadmill to detect the state of the motion flow. A tablet screen placed on the treadmill displays one of the three typical and often studied color progress bars (red, yellow, and green). A combination of subjective and objective measurements was used in the experiment. Subjective experience was measured using the Simplified Flow State Scale-2 (S FSS-2). Objective data came from participants' EEG brain waves. One-way repeated measures were used for the within-group experiment. Participants were asked to visit the laboratory three times under different conditions, each time walking briskly for 10 minutes. To minimize the effects of fatigue and circadian rhythms, each participant was scheduled to walk at the same time on a different day. The experimental order of the different participants was based on a Latin square design.

", + "description_en": "

The experiments were conducted in the laboratory using the motion of a treadmill to detect the state of the motion flow. A tablet screen placed on the treadmill displays one of the three typical and often studied color progress bars (red, yellow, and green). A combination of subjective and objective measurements was used in the experiment. Subjective experience was measured using the Simplified Flow State Scale-2 (S FSS-2). Objective data came from participants' EEG brain waves. One-way repeated measures were used for the within-group experiment. Participants were asked to visit the laboratory three times under different conditions, each time walking briskly for 10 minutes. To minimize the effects of fatigue and circadian rhythms, each participant was scheduled to walk at the same time on a different day. The experimental order of the different participants was based on a Latin square design.

", + "description_zh": "

实验在实验室中进行,利用跑步机的运动来检测运动流的状态。放置在跑步机上的平板电脑屏幕显示三种典型的、经常被研究的颜色进度条(红、黄、绿)之一。实验中采用了主观和客观测量相结合的方法。主观体验是使用简化流动状态量表-2(S FSS-2)来测量的。客观数据来自参与者的脑电图脑电波。组内实验采用了单因子重复测量法。要求参与者在不同条件下参观实验室三次,每次快走 10 分钟。为了减少疲劳和昼夜节律的影响,每位参与者都被安排在不同一天的同一时间进行步行。不同参与者的实验顺序采用拉丁方阵设计。

", + "authors": [ + { + "name_en": "Huang Xueqin", + "name_zh": "黄雪芹", + "email": "1022201075@tju.edu.cn", + "affiliations": [ + { + "name_en": "Tianjin University", + "name_zh": "Tianjin University", + "ror_id": "https://ror.org/012tb2g32" + } + ] + } + ], + "keywords_en": [ + "progress bars", + "flow experience", + "EEG", + " color hue" + ], + "keywords_zh": [ + "color hue", + "movement flow", + "EEG", + "flow experience", + "progress bars" + ], + "publication_date": "2025-04-14T02:48:01.071Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC 4.0", + "file_size_mb": 0.02, + "file_size_bytes": 17916, + "download_count": 5, + "visit_count": 121, + "url": "https://www.scidb.cn/en/detail?id=67c5b86ecfa1d066cfad6fd8", + "source": "scidb" + }, + { + "dataset_id": "63145e688608590738eb4f6c", + "doi": "10.57760/sciencedb.j00052.00013", + "cstr": "31253.11.sciencedb.j00052.00013", + "pid": "21.86116.6/sciencedb.j00052.00013", + "title": "Acute psychological stress impairs attention disengagement toward threat-related stimuli", + "title_en": "Acute psychological stress impairs attention disengagement toward threat-related stimuli", + "title_zh": "急性应激损害对威胁刺激的注意解除", + "description": "

This repository contains data and code for the paper on Acta Psychologica Sinica entitled \"Acute psychological stress impairs attention disengagement toward threat-related stimuli\".

", + "description_en": "

This repository contains data and code for the paper on Acta Psychologica Sinica entitled \"Acute psychological stress impairs attention disengagement toward threat-related stimuli\".

", + "description_zh": "

本数据集为2020年1月发表在《心理学报》的论文原始数据。主要有以下内容:(1)基于E-prime 2.0编制和运行的点探测任务程序脚本;(2)EEG原始数据和分析脚本。

", + "authors": [ + { + "name_en": "Luo Yu", + "name_zh": "罗禹", + "email": "yuluo@gznu.edu.cn", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Nian Jingqing", + "name_zh": "念靖晴", + "email": "nianjingqing@126.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Bao Wei", + "name_zh": "鲍未", + "email": "baoweibow@163.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Zhang Jingjing", + "name_zh": "张静静", + "email": "583187483@qq.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Zhao Shouying", + "name_zh": "赵守盈", + "email": "zhaoshouying@126.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Pan Yun", + "name_zh": "潘运", + "email": "Panyun129@163.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Xu Shuang", + "name_zh": "许爽", + "email": "1162127430@qq.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Zhang Yu", + "name_zh": "张禹", + "email": "yuzhang331@163.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + } + ], + "keywords_en": [ + "acute stress", + "attention engagement", + "attention disengagement", + "N2pc", + "SPCN" + ], + "keywords_zh": [ + "急性应激", + "注意定向", + "注意解除", + "N2pc", + "SPCN" + ], + "publication_date": "2022-08-30T07:36:03.881Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 18427.95, + "file_size_bytes": 19323102333, + "download_count": 491, + "visit_count": 730, + "url": "https://www.scidb.cn/en/detail?id=63145e688608590738eb4f6c", + "source": "scidb" + }, + { + "dataset_id": "6625e721c70b375c9c533d5b", + "doi": "10.57760/sciencedb.17657", + "cstr": "31253.11.sciencedb.17657", + "pid": "", + "title": "Electrophysiological study of social anxiety levels on eye cue processing in the Trust Game paradigm", + "title_en": "Electrophysiological study of social anxiety levels on eye cue processing in the Trust Game paradigm", + "title_zh": "信任博弈范式下社交焦虑水平对眼部线索加工的脑电研究数据集", + "description": "

This dataset is behavioral and electrophysiological data from experiments using eye cue material in a trust game paradigm among individuals with different levels of social anxiety. This study explored the temporal characteristics of eye cue processing in college students with different levels of social anxiety using the Trust Game paradigm and event-related potential techniques. The dataset consists of three files, namely (1) behavioral results: subjects' behavioral data results and (2) EEG data: subjects' EEG raw data.

File (1) Behavioral Results presents the behavioral data results of the subjects and contains 8 horizontal rows and 469 vertical columns. In the first horizontal row the subjects' anxiety level grouping (high anxiety group and low anxiety group), subject number, ocular cue condition (all conditions, straight anger, squinted anger, straight sadness, squinted sadness, straight calmness, squinted calmness, straight happiness, squinted happiness), number of investments (i.e., number of times the subject chose to trust), number of retentions (i.e., number of times the subject chose to distrust), total (the total number of choices the subject made during the experiment), and reaction time (the total number of choices the subject total number of choices made by the subjects in the experiment), reaction time and trust rate (calculated as the number of investments/total).

File (2) EEG date is the electrophysiological raw data of the experiment. There are 156 items in the file. The items beginning with H are for subjects in the high social anxiety group, and those beginning with L are for subjects in the low social anxiety group.

", + "description_en": "

This dataset is behavioral and electrophysiological data from experiments using eye cue material in a trust game paradigm among individuals with different levels of social anxiety. This study explored the temporal characteristics of eye cue processing in college students with different levels of social anxiety using the Trust Game paradigm and event-related potential techniques. The dataset consists of three files, namely (1) behavioral results: subjects' behavioral data results and (2) EEG data: subjects' EEG raw data.

File (1) Behavioral Results presents the behavioral data results of the subjects and contains 8 horizontal rows and 469 vertical columns. In the first horizontal row the subjects' anxiety level grouping (high anxiety group and low anxiety group), subject number, ocular cue condition (all conditions, straight anger, squinted anger, straight sadness, squinted sadness, straight calmness, squinted calmness, straight happiness, squinted happiness), number of investments (i.e., number of times the subject chose to trust), number of retentions (i.e., number of times the subject chose to distrust), total (the total number of choices the subject made during the experiment), and reaction time (the total number of choices the subject total number of choices made by the subjects in the experiment), reaction time and trust rate (calculated as the number of investments/total).

File (2) EEG date is the electrophysiological raw data of the experiment. There are 156 items in the file. The items beginning with H are for subjects in the high social anxiety group, and those beginning with L are for subjects in the low social anxiety group.

", + "description_zh": "

该数据集是在不同水平社交焦虑水平个体中使用眼部线索材料在信任博弈范式下进行实验的行为和电生理学数据。本研究采用信任博弈范式和事件相关电位技术,探索了不同社交焦虑水平大学生在眼部线索处理上的时间特征。数据集包括三个文件,分别是(1)行为结果:被试的行为数据结果和(2)EEG date:被试的EEG原始数据。

文件(1)行为结果呈现的是被试的行为数据结果,包含8横行和469竖列。在第一横行中列明了被试的焦虑水平分组(高焦虑组和低焦虑组)、被试编号、眼部线索条件(所有条件、直视愤怒、斜视愤怒、直视悲伤、斜视悲伤、直视平静、斜视平静、直视快乐、斜视快乐)、投资数(即被试选择信任的次数)、保留数(即被试选择不信任的次数)、总计(被试在实验中做出的选择总数)、反应时和信任率(计算方法为投资数/总计)。

文件(2)EEG date为实验的电生理学原始数据。文件中共156个项目。其中H开头的项目为高社交焦虑组的被试,L开头的为低社交焦虑组的被试。

", + "authors": [ + { + "name_en": "shanlinglv", + "name_zh": "shanlinglv", + "email": "461676235@qq.com", + "affiliations": [ + { + "name_en": "Nanning Normal University", + "name_zh": "南宁师范大学", + "ror_id": "https://ror.org/04dx82x73" + } + ] + } + ], + "keywords_en": [ + "social anxiety", + "eye cues", + "trust game", + "ERP" + ], + "keywords_zh": [ + "社交焦虑", + "眼部线索", + "信任博弈", + "事件相关电位" + ], + "publication_date": "2024-04-10T01:07:57.616Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-ND 4.0", + "file_size_mb": 11655.55, + "file_size_bytes": 12221734939, + "download_count": 59, + "visit_count": 895, + "url": "https://www.scidb.cn/en/detail?id=6625e721c70b375c9c533d5b", + "source": "scidb" + }, + { + "dataset_id": "68c3c45626b8ca4876f6e3c3", + "doi": "10.57760/sciencedb.27618", + "cstr": "31253.11.sciencedb.27618", + "pid": "", + "title": "A Fine-grained Spatiotemporal ECoG Dataset during Speech Perception in Tonal Language", + "title_en": "A Fine-grained Spatiotemporal ECoG Dataset during Speech Perception in Tonal Language", + "title_zh": "A Fine-grained Spatiotemporal ECoG Dataset during Speech Perception in Tonal Language", + "description": "

High-density intracranial recordings during naturalistic language processing are critical for advancing models of speech perception. However, open, well-annotated high-density ECoG resources for tonal languages such as Mandarin remain scarce. We present a publicly available high-density ECoG dataset from four participants undergoing awake craniotomy who listened to continuous, sentence-level Mandarin drawn from the Annotated Speech Corpus of Chinese Discourse (ASCCD). Signals were recorded with 128–256-channel subdural grids and synchronized with the audio; high-gamma activity (70–150 Hz) was derived and down-sampled to 400 Hz. The release follows BIDS-iEEG and is distributed as NWB files, with derivatives including word- and syllable-level alignments; Pinyin; lexical tone and stress tiers; prosodic break indices; mel-spectrograms; F0 and formants; and electrode localization on individual anatomy with projections to MNI space. This resource supports fine-grained investigations of lexical tone, syllabic structure, and higher-level linguistic representations during naturalistic listening.

", + "description_en": "

High-density intracranial recordings during naturalistic language processing are critical for advancing models of speech perception. However, open, well-annotated high-density ECoG resources for tonal languages such as Mandarin remain scarce. We present a publicly available high-density ECoG dataset from four participants undergoing awake craniotomy who listened to continuous, sentence-level Mandarin drawn from the Annotated Speech Corpus of Chinese Discourse (ASCCD). Signals were recorded with 128–256-channel subdural grids and synchronized with the audio; high-gamma activity (70–150 Hz) was derived and down-sampled to 400 Hz. The release follows BIDS-iEEG and is distributed as NWB files, with derivatives including word- and syllable-level alignments; Pinyin; lexical tone and stress tiers; prosodic break indices; mel-spectrograms; F0 and formants; and electrode localization on individual anatomy with projections to MNI space. This resource supports fine-grained investigations of lexical tone, syllabic structure, and higher-level linguistic representations during naturalistic listening.

", + "description_zh": "

High-density intracranial recordings during naturalistic language processing are critical for advancing models of speech perception. However, open, well-annotated high-density ECoG resources for tonal languages such as Mandarin remain scarce. We present a publicly available high-density ECoG dataset from four participants undergoing awake craniotomy who listened to continuous, sentence-level Mandarin drawn from the Annotated Speech Corpus of Chinese Discourse (ASCCD). Signals were recorded with 128–256-channel subdural grids and synchronized with the audio; high-gamma activity (70–150 Hz) was derived and down-sampled to 400 Hz. The release follows BIDS-iEEG and is distributed as NWB files, with derivatives including word- and syllable-level alignments; Pinyin; lexical tone and stress tiers; prosodic break indices; mel-spectrograms; F0 and formants; and electrode localization on individual anatomy with projections to MNI space. This resource supports fine-grained investigations of lexical tone, syllabic structure, and higher-level linguistic representations during naturalistic listening.

", + "authors": [ + { + "name_en": "Haobo Zhang", + "name_zh": "Haobo Zhang", + "email": "22301050292@m.fudan.edu.cn", + "affiliations": [ + { + "name_en": "HuaShan Hospital", + "name_zh": "复旦大学附属华山医院", + "ror_id": "https://www.huashan.org.cn/" + } + ] + }, + { + "name_en": "Daohan Zhang", + "name_zh": "Daohan Zhang", + "email": "20301050208@fudan.edu.cn", + "affiliations": [ + { + "name_en": "HuaShan Hospital", + "name_zh": "复旦大学附属华山医院", + "ror_id": "https://www.huashan.org.cn/" + } + ] + }, + { + "name_en": "Jinsong Wu", + "name_zh": "Jinsong Wu", + "email": "wujinsong@huashan.org.cn", + "affiliations": [ + { + "name_en": "HuaShan Hospital", + "name_zh": "复旦大学附属华山医院", + "ror_id": "https://www.huashan.org.cn/" + } + ] + }, + { + "name_en": "Yuanning Li", + "name_zh": "Yuanning Li", + "email": "liyn2@shanghaitech.edu.cn", + "affiliations": [ + { + "name_en": "ShanghaiTech University", + "name_zh": "ShanghaiTech University", + "ror_id": "https://ror.org/030bhh786" + } + ] + }, + { + "name_en": "Junfeng Lu", + "name_zh": "Junfeng Lu", + "email": "junfeng_lu@fudan.edu.cn", + "affiliations": [ + { + "name_en": "HuaShan Hospital", + "name_zh": "复旦大学附属华山医院", + "ror_id": "https://www.huashan.org.cn/" + } + ] + } + ], + "keywords_en": [ + "neural encoding", + "cognitive neuroscience", + "ECoG", + "Mandarin", + "speech perception" + ], + "keywords_zh": [ + "neural encoding", + "cognitive neuroscience", + "ECoG", + "Mandarin", + "speech perception" + ], + "publication_date": "2025-09-12T03:32:36.797Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 5637.41, + "file_size_bytes": 5911250493, + "download_count": 1020, + "visit_count": 1145, + "url": "https://www.scidb.cn/en/detail?id=68c3c45626b8ca4876f6e3c3", + "source": "scidb" + }, + { + "dataset_id": "678f973027843a4e4768394b", + "doi": "10.57760/sciencedb.20263", + "cstr": "31253.11.sciencedb.20263", + "pid": "", + "title": "ERP and fMRI datasets of addition and subtraction approximation operations", + "title_en": "ERP and fMRI datasets of addition and subtraction approximation operations", + "title_zh": "加减法近似运算ERP和fMRI数据集", + "description": "

Data collection period: 2022-2023.


EEG data recording and processing


Preprocessing. EEGLAB and ERPLAB toolboxes were used, including (1) loading electrode position files (2) using the mean values of the left and right mastoids (M1, M2 electrodes) as a re-reference; (3) applying 0. 1 Hz high-pass filtering and 30 Hz low-pass filtering to all electrode data; (4) setting up Eventlist in ERPLAB according to different experimental conditions and assigning it to the corresponding Bin; (5) Calculate the weights of artefacts such as corrected electrooculograms using FastICA; (6) Perform automatic bad-conductance detection of the data; (7) Artefact detection; (8) Stacked average the preprocessed EEG data using ERPLAB toolkit to obtain the ERP results. 


ERP data analysis. The ERP results were obtained by overlay averaging the preprocessed EEG data using the ERPLAB toolkit and low-pass filtering the overlay averaged data at 20 Hz. According to topographic maps and previous studies, it was found that attentional shifts on the mental digit line mainly activate the inferior parietal cortex [6,13], so we selected (P3, PZ, P4, PO3, POZ, PO4), and performed 2 (arithmetic operation: subtraction, addition) × 3 (direction of the result: less than, equal to, or greater than) repeated-measures ANOVA, and p-values of the ANOVA were corrected using the Green-house correction, Bonferroni-corrected. Bonferroni-corrected test was used for post hoc multiple comparisons. 


Magnetic resonance data analysis


Preprocessing. The SPM12 toolbox was used, including: (1) conversion of DICOM data to NIFTI format; (2) time-layer correction of functional image data; (3) head-motion correction; (4) alignment of T1 structural images to the MNI standard space; (5) alignment of structural images to functional images; (6) normalisation of brain imaging data to the standard space by means of the EPI template included in the SPM and voxel resampling to 3 mm × 3 mm × 3 mm; (7) spatial smoothing of the functional image using Gaussian kernel function with FWHM set to 6 mm. 


Analysis of fMRI data. Individual analyses were performed using a generalised linear model (GLM) to construct multiple linear regression matrices. The matrix was designed to include six types of regressions, including additive-less than, additive-equal to, additive-greater than, subtractive-less than, subtractive-equal to, and subtractive-greater than, with the six header The six head parameters were added as covariates in the analyses. Based on the contrast images generated by GLM, a 2 (arithmetic operation: addition, subtraction) × 3 (result direction: less than, equal to, greater than) repeated measures ANOVA was performed using Flexible Factorial Design, with the calibration thresholds set at voxel level p < 0.001 uncorrected, and clump level p < 0.05 FWE corrected. Signal values of significant peak interaction coordinates in ANOVA were extracted by Marsbar and analysed by 2 (arithmetic operations: addition, subtraction) × 3 (direction of results: less than, equal to, greater than) repeated measures ANOVA in SPSS. 


Functional connectivity analyses . The signal values of the significant peak interaction coordinates in the ANOVA were extracted by the CONN toolkit to create spherical seed points with a radius of 6 mm, and their functional connectivity with the whole brain was examined, and the strength of connectivity between the seed points and different brain regions was examined by a 2 (arithmetic operation: addition, subtraction) × 3 (direction of the result: less than, equal to, or greater than) repeated-measurement ANOVA analysis, with the calibration threshold set at the voxel level of p < 0.001 uncorrected, cluster level p < 0.05 FWE corrected.


EEG and MRI correlation analysis


Characterisation similarities . This included (1) calculation of Representational Dissimilarity Matrices (RDM) for ERP using a continuous 10ms time window based on preprocessed EEG data; (2) calculation of RDM for fMRI based on preprocessed functional image data by means of a spherical searchlight with a radius of 3mm; and (3) The time points corresponding to the N1, P2, and P3b wave peaks were selected, and the Spearman correlation coefficient was used to construct the RSA characterisation similarity analysis by calculating the correlation between the RDM of each ERP modality and the RDM of the fMRI modality in a spherical searchlight with a radius of 3 mm. For the RSA corresponding to each time point, a temporal activity profile was obtained from the ERP data, and a spatial correlation map was obtained from the fMRI data, and the comparison results were compared. Spatial correlation maps were obtained from ERP data and fMRI data. Significance tests were performed to level the comparison results, and the calibration thresholds were set at p < 0. 001 uncorrected for the voxel level and p < 0. 05 FWE corrected for the cluster level. 

", + "description_en": "

Data collection period: 2022-2023.


EEG data recording and processing


Preprocessing. EEGLAB and ERPLAB toolboxes were used, including (1) loading electrode position files (2) using the mean values of the left and right mastoids (M1, M2 electrodes) as a re-reference; (3) applying 0. 1 Hz high-pass filtering and 30 Hz low-pass filtering to all electrode data; (4) setting up Eventlist in ERPLAB according to different experimental conditions and assigning it to the corresponding Bin; (5) Calculate the weights of artefacts such as corrected electrooculograms using FastICA; (6) Perform automatic bad-conductance detection of the data; (7) Artefact detection; (8) Stacked average the preprocessed EEG data using ERPLAB toolkit to obtain the ERP results. 


ERP data analysis. The ERP results were obtained by overlay averaging the preprocessed EEG data using the ERPLAB toolkit and low-pass filtering the overlay averaged data at 20 Hz. According to topographic maps and previous studies, it was found that attentional shifts on the mental digit line mainly activate the inferior parietal cortex [6,13], so we selected (P3, PZ, P4, PO3, POZ, PO4), and performed 2 (arithmetic operation: subtraction, addition) × 3 (direction of the result: less than, equal to, or greater than) repeated-measures ANOVA, and p-values of the ANOVA were corrected using the Green-house correction, Bonferroni-corrected. Bonferroni-corrected test was used for post hoc multiple comparisons. 


Magnetic resonance data analysis


Preprocessing. The SPM12 toolbox was used, including: (1) conversion of DICOM data to NIFTI format; (2) time-layer correction of functional image data; (3) head-motion correction; (4) alignment of T1 structural images to the MNI standard space; (5) alignment of structural images to functional images; (6) normalisation of brain imaging data to the standard space by means of the EPI template included in the SPM and voxel resampling to 3 mm × 3 mm × 3 mm; (7) spatial smoothing of the functional image using Gaussian kernel function with FWHM set to 6 mm. 


Analysis of fMRI data. Individual analyses were performed using a generalised linear model (GLM) to construct multiple linear regression matrices. The matrix was designed to include six types of regressions, including additive-less than, additive-equal to, additive-greater than, subtractive-less than, subtractive-equal to, and subtractive-greater than, with the six header The six head parameters were added as covariates in the analyses. Based on the contrast images generated by GLM, a 2 (arithmetic operation: addition, subtraction) × 3 (result direction: less than, equal to, greater than) repeated measures ANOVA was performed using Flexible Factorial Design, with the calibration thresholds set at voxel level p < 0.001 uncorrected, and clump level p < 0.05 FWE corrected. Signal values of significant peak interaction coordinates in ANOVA were extracted by Marsbar and analysed by 2 (arithmetic operations: addition, subtraction) × 3 (direction of results: less than, equal to, greater than) repeated measures ANOVA in SPSS. 


Functional connectivity analyses . The signal values of the significant peak interaction coordinates in the ANOVA were extracted by the CONN toolkit to create spherical seed points with a radius of 6 mm, and their functional connectivity with the whole brain was examined, and the strength of connectivity between the seed points and different brain regions was examined by a 2 (arithmetic operation: addition, subtraction) × 3 (direction of the result: less than, equal to, or greater than) repeated-measurement ANOVA analysis, with the calibration threshold set at the voxel level of p < 0.001 uncorrected, cluster level p < 0.05 FWE corrected.


EEG and MRI correlation analysis


Characterisation similarities . This included (1) calculation of Representational Dissimilarity Matrices (RDM) for ERP using a continuous 10ms time window based on preprocessed EEG data; (2) calculation of RDM for fMRI based on preprocessed functional image data by means of a spherical searchlight with a radius of 3mm; and (3) The time points corresponding to the N1, P2, and P3b wave peaks were selected, and the Spearman correlation coefficient was used to construct the RSA characterisation similarity analysis by calculating the correlation between the RDM of each ERP modality and the RDM of the fMRI modality in a spherical searchlight with a radius of 3 mm. For the RSA corresponding to each time point, a temporal activity profile was obtained from the ERP data, and a spatial correlation map was obtained from the fMRI data, and the comparison results were compared. Spatial correlation maps were obtained from ERP data and fMRI data. Significance tests were performed to level the comparison results, and the calibration thresholds were set at p < 0. 001 uncorrected for the voxel level and p < 0. 05 FWE corrected for the cluster level. 

", + "description_zh": "

数据采集时间:2022年-2023年。

脑电数据记录与处理

预处理. 采用EEGLAB和ERPLAB工具箱, 包括:(1)加载电极位置文件 (2)以左右乳突(M1, M2电极)的平均值作重参考; (3)对所有电极数据进行0. 1Hz高通滤波和30Hz低通滤波; (4)在ERPLAB中根据不同的实验条件设置Eventlist, 并分配给相应的Bin; (5)使用FastICA计算校正眼电等伪迹权重; (6)对数据进行自动坏导检测; (7) 伪迹检测; (8)利用ERPLAB工具包对预处理后的脑电数据进行叠加平均, 得到ERP结果.

ERP数据分析. 采用ERPLAB工具包对预处理后的脑电数据进行叠加平均, 并对叠加平均后的数据进行20Hz的低通滤波, 得到ERP结果. 根据地形图和以往研究, 发现心理数字线上的注意转移主要激活下顶叶皮层[6,13], 故选取(P3, PZ, P4, PO3, POZ, PO4), 进行2(算术操作:减法、加法)×3(结果方向:小于、等于、大于)重复测量方差分析, 方差分析的p值采用Green-house 矫正, Bonferroni-corrected test被用于事后多重比较.

磁共振数据分析

预处理. 采用SPM12工具箱, 包括:(1)将DICOM数据转换为NIFTI格式; (2)功能像数据进行时间层校正; (3)头动校正; (4) 将T1结构像配准到MNI标准空间; (5) 将结构像配准到功能像; (6) 通过 SPM 自带 EPI 模板, 将脑成像数据归一化到标准空间, 并将体素重采样为3 mm × 3 mm × 3 mm; (7)采用高斯核函数对功能像进行空间平滑处理, FWHM设置为6 mm.

fMRI数据分析. 个体分析采用广义线性模型(GLM)构建多重线性回归矩阵. 设计矩阵包括六种类型的回归量, 包括加法—小于、加法—等于、加法—大于、减法—小于、减法—等于、减法—大于, 并将6个头动参数作为协变量加入分析. 基于GLM 产生的 contrast images, 采用Flexible Factorial Design进行2(算术操作:加法、减法) × 3(结果方向:小于、等于、大于)重复测量方差分析, 校正阈限设置为体素水平p < 0.001未校正, 团块水平p < 0.05 FWE校正. 通过Marsbar提取方差分析中交互作用显著峰值坐标的信号值, 并在SPSS中进行2(算术操作:加法、减法) × 3(结果方向:小于、等于、大于)重复测量方差分析.

功能连接分析. 通过CONN工具包提取方差分析中交互作用显著峰值坐标的信号值创建半径为6mm的球形种子点, 考察其与全脑功能连接的情况, 并通过2(算术操作:加法、减法) × 3(结果方向:小于、等于、大于)重复测量方差分析分析考察种子点与不同脑区的连接强度, 校正阈限设置为体素水平p < 0.001未校正, 团块水平p < 0.05 FWE校正.

脑电、磁共振相关性分析

表征相似性. 包括:(1) 基于预处理后的脑电数据, 使用连续10ms时间窗口计算ERP的表征相异性矩阵(Representational Dissimilarity Matrices, RDM); (2)基于预处理后功能像数据, 通过半径为3mm的球形探照灯计算fMRI的 RDM; (3)选取N1、P2、P3b波峰所对应的时间点, 采用斯皮尔曼相关系数, 通过计算半径为3mm的球形探照灯内每个 ERP模态的RDM 和 fMRI模态的RDM 间的相关性, 建构RSA表征相似性分析, 对于各时间点对应的RSA, 根据 ERP 数据获得时间活动概况, 根据 fMRI 数据获得空间相关图, 对比较结果进行显著性检验平, 校正阈限设置为体素水平p < 0. 001未校正, 团块水平p < 0. 05 FWE校正. 

", + "authors": [ + { + "name_en": "jia liang zhi", + "name_zh": "贾良智", + "email": "2674952168@qq.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Yun", + "name_zh": "Yun", + "email": "panyun129@163.pan", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + } + ], + "keywords_en": [ + "functional magnetic resonance imaging", + "event-related potential", + "representational similarity analysis" + ], + "keywords_zh": [ + "功能性核磁成像", + "事件相关电位", + "表征相似性分析" + ], + "publication_date": "2025-01-26T12:01:41.653Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 41305.8, + "file_size_bytes": 43312265577, + "download_count": 1, + "visit_count": 55, + "url": "https://www.scidb.cn/en/detail?id=678f973027843a4e4768394b", + "source": "scidb" + }, + { + "dataset_id": "68cb5fc7dd2f5321a0f253cb", + "doi": "10.57760/sciencedb.23231", + "cstr": "31253.11.sciencedb.23231", + "pid": "", + "title": "EVA-MED: An Enhanced Valence-Arousal Multimodal Emotion Dataset for Emotion Recognition", + "title_en": "EVA-MED: An Enhanced Valence-Arousal Multimodal Emotion Dataset for Emotion Recognition", + "title_zh": "EVA-MED: An Enhanced Valence-Arousal Multimodal Emotion Dataset for Emotion Recognition", + "description": "

We introduce a novel multimodal emotion recognition dataset that enhances the precision of Valence-Arousal Model while accounting for individual differences. This dataset includes electroencephalography (EEG), electrocardiography (ECG), and pulse interval (PI) from 64 participants. Data collection employed two emotion induction paradigms: video stimuli that targeted different valence levels (positive, neutral, and negative) and the Mannheim Multicomponent Stress Test (MMST), which induced high arousal through cognitive, emotional, and social stressors. To enrich the dataset, participants' personality traits, anxiety, depression, and emotional states were assessed using validated questionnaires. By capturing a broad spectrum of affective responses while accounting for individual differences, this dataset provides a robust resource for precise emotion modeling. The integration of multimodal physiological data with psychological assessments lays a strong foundation for personalized emotion recognition. We anticipate this resource will support the development of more accurate, adaptive, and individualized emotion recognition systems across diverse applications.

", + "description_en": "

We introduce a novel multimodal emotion recognition dataset that enhances the precision of Valence-Arousal Model while accounting for individual differences. This dataset includes electroencephalography (EEG), electrocardiography (ECG), and pulse interval (PI) from 64 participants. Data collection employed two emotion induction paradigms: video stimuli that targeted different valence levels (positive, neutral, and negative) and the Mannheim Multicomponent Stress Test (MMST), which induced high arousal through cognitive, emotional, and social stressors. To enrich the dataset, participants' personality traits, anxiety, depression, and emotional states were assessed using validated questionnaires. By capturing a broad spectrum of affective responses while accounting for individual differences, this dataset provides a robust resource for precise emotion modeling. The integration of multimodal physiological data with psychological assessments lays a strong foundation for personalized emotion recognition. We anticipate this resource will support the development of more accurate, adaptive, and individualized emotion recognition systems across diverse applications.

", + "description_zh": "

We introduce a novel multimodal emotion recognition dataset that enhances the precision of Valence-Arousal Model while accounting for individual differences. This dataset includes electroencephalography (EEG), electrocardiography (ECG), and pulse interval (PI) from 64 participants. Data collection employed two emotion induction paradigms: video stimuli that targeted different valence levels (positive, neutral, and negative) and the Mannheim Multicomponent Stress Test (MMST), which induced high arousal through cognitive, emotional, and social stressors. To enrich the dataset, participants' personality traits, anxiety, depression, and emotional states were assessed using validated questionnaires. By capturing a broad spectrum of affective responses while accounting for individual differences, this dataset provides a robust resource for precise emotion modeling. The integration of multimodal physiological data with psychological assessments lays a strong foundation for personalized emotion recognition. We anticipate this resource will support the development of more accurate, adaptive, and individualized emotion recognition systems across diverse applications.

", + "authors": [ + { + "name_en": "Huang Xin", + "name_zh": "Huang Xin", + "email": "hx11@pku.edu.cn", + "affiliations": [ + { + "name_en": "Zhejiang University", + "name_zh": "Zhejiang University", + "ror_id": "https://ror.org/00a2xv884" + } + ] + } + ], + "keywords_en": [ + "emotion recognition", + "Multimodal", + "Dataset " + ], + "keywords_zh": [ + "emotion recognition", + "Multimodal", + "Dataset " + ], + "publication_date": "2025-04-23T00:59:37.630Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 115903.23, + "file_size_bytes": 121533347163, + "download_count": 14516, + "visit_count": 2005, + "url": "https://www.scidb.cn/en/detail?id=68cb5fc7dd2f5321a0f253cb", + "source": "scidb" + }, + { + "dataset_id": "67175a23c9311b679d0adff0", + "doi": "10.57760/sciencedb.j00133.00406", + "cstr": "31253.11.sciencedb.j00133.00406", + "pid": "", + "title": "Enterprise Emergency Incident News Dataset", + "title_en": "Enterprise Emergency Incident News Dataset", + "title_zh": "企业突发事件新闻数据集", + "description": "

This dataset consists of three xlsx files: Weibo data.xlsx: The microblog data of the pickled Chinese cabbage event in the earthen pit contains 22303 pieces of data, each of which is a piece of microblog content, including 18 fields: id, bid, user_id, user nickname, microblog body, headline url, publishing location, Aite users, topics, forwarding numbers, comments, likes, publishing time, publishing tools, microblog image url, microblog video url, retweet_id, ip. News. xlsx: news data of the pickled Chinese cabbage event in the earthen pit, including 82 pieces of news data in total, each of which contains 5 fields: title, time, source, link, and news body Train data.xlsx: Enterprise Emergency News Training Dataset, consisting of 9 sub tables, each sub table is a case, and each case contains several news articles. The 9 cases contain a total of 113 news data, and each news article contains 5 fields: title, time, source, link, and news body. 

", + "description_en": "

This dataset consists of three xlsx files: Weibo data.xlsx: The microblog data of the pickled Chinese cabbage event in the earthen pit contains 22303 pieces of data, each of which is a piece of microblog content, including 18 fields: id, bid, user_id, user nickname, microblog body, headline url, publishing location, Aite users, topics, forwarding numbers, comments, likes, publishing time, publishing tools, microblog image url, microblog video url, retweet_id, ip. News. xlsx: news data of the pickled Chinese cabbage event in the earthen pit, including 82 pieces of news data in total, each of which contains 5 fields: title, time, source, link, and news body Train data.xlsx: Enterprise Emergency News Training Dataset, consisting of 9 sub tables, each sub table is a case, and each case contains several news articles. The 9 cases contain a total of 113 news data, and each news article contains 5 fields: title, time, source, link, and news body. 

", + "description_zh": "

本数据集一个包括三个xlsx文件:

weibo data.xlsx: 土坑酸菜事件微博数据,包含22303条数据,每条数据为一条微博内容,包含18个字段:id,bid,user_id,用户昵称,微博正文,头条文章url,发布位置,艾特用户,话题,转发数,评论数,点赞数,发布时间,发布工具,微博图片url,微博视频url,retweet_id,ip。

news.xlsx: 土坑酸菜事件新闻数据,一共包括82条新闻数据,每条数据包含5个字段:标题,时间,来源,链接,新闻正文

Train data.xlsx:企业突发事件新闻训练数据集,包含9个子表,每个子表为一个案例,每个案例包含新闻若干条,9个案例一共包含113条新闻数据,每条新闻包含5个字段:标题,时间,来源,链接,新闻正文。

", + "authors": [ + { + "name_en": "19825000530", + "name_zh": "19825000530", + "email": "2319488315@qq.com", + "affiliations": [ + { + "name_en": "Nanjing University of Science and Technology", + "name_zh": "南京理工大学", + "ror_id": "https://ror.org/00xp9wg62" + } + ] + } + ], + "keywords_en": [ + "Emergency", + "Incident", + "Dataset" + ], + "keywords_zh": [ + "企业突发事件", + "新闻数据集", + "微博数据" + ], + "publication_date": "2024-12-12T09:02:42.107Z", + "created": "", + "modified": "", + "status": "", + "license": "ODbL", + "file_size_mb": 7.22, + "file_size_bytes": 7571617, + "download_count": 5, + "visit_count": 913, + "url": "https://www.scidb.cn/en/detail?id=67175a23c9311b679d0adff0", + "source": "scidb" + }, + { + "dataset_id": "6389603fab13cc64ab836201", + "doi": "10.11922/sciencedb.00740", + "cstr": "31253.11.sciencedb.00740", + "pid": "21.86116.6/sciencedb.00740", + "title": "Imaging Chinese Young Brains (I See Your Brain)", + "title_en": "Imaging Chinese Young Brains (I See Your Brain)", + "title_zh": "Imaging Chinese Young Brains (I See Your Brain)", + "description": "

This dataset is a part of the CHIMGEN study, which is the largest prospective neuroimaging genetic cohort for Chinese Han adults with lifespan natural and socioeconomic measurements obtained from remote sensing. All participants were recruited by advertisements posted in colleges and communities. Participants were excluded if they met any of the following criteria: regular smoker, pregnancy, abnormal color discrimination, a history of alcohol or drug abuse, currently any medication, MRI contraindications, neuropsychiatric or severe somatic disorder and sedative-hypnotic medication within a month or any medication for major neuropsychiatric disorders.

This dataset contained multimodal neuroimaging data from 215 right-handed Chinese healthy volunteers (156 females; 18-30 years old, mean = 22.55, SD = 2.68). The brain images were acquired by a 3.0-Tesla scanner (GE MR 750) at the MRI Research Center in the Institute of Psychology, Chinese Academy of Sciences. The multimodal imaging protocol implemented a set of MRI sequences of the high-resolution T1-weighted structural, resting-state functional, diffusion tensor, and arterial spin labeling MRI.

We are releasing these data for both research and education training in human brain sciences. Specifically, to protect personal information, we applied the face masking toolkit to achieve privacy anonymization by blurring facial information while all the participants agreed to share their anonymized data to the public. To monitor the quality of all structural and functional images for each participant, we also employed mri_qc toolkit for generating reports on the data quality, which are included in the sharing. All data structures conform to the specification of BIDS data structure.

", + "description_en": "

This dataset is a part of the CHIMGEN study, which is the largest prospective neuroimaging genetic cohort for Chinese Han adults with lifespan natural and socioeconomic measurements obtained from remote sensing. All participants were recruited by advertisements posted in colleges and communities. Participants were excluded if they met any of the following criteria: regular smoker, pregnancy, abnormal color discrimination, a history of alcohol or drug abuse, currently any medication, MRI contraindications, neuropsychiatric or severe somatic disorder and sedative-hypnotic medication within a month or any medication for major neuropsychiatric disorders.

This dataset contained multimodal neuroimaging data from 215 right-handed Chinese healthy volunteers (156 females; 18-30 years old, mean = 22.55, SD = 2.68). The brain images were acquired by a 3.0-Tesla scanner (GE MR 750) at the MRI Research Center in the Institute of Psychology, Chinese Academy of Sciences. The multimodal imaging protocol implemented a set of MRI sequences of the high-resolution T1-weighted structural, resting-state functional, diffusion tensor, and arterial spin labeling MRI.

We are releasing these data for both research and education training in human brain sciences. Specifically, to protect personal information, we applied the face masking toolkit to achieve privacy anonymization by blurring facial information while all the participants agreed to share their anonymized data to the public. To monitor the quality of all structural and functional images for each participant, we also employed mri_qc toolkit for generating reports on the data quality, which are included in the sharing. All data structures conform to the specification of BIDS data structure.

", + "description_zh": "

This dataset is a part of the CHIMGEN study, which is the largest prospective neuroimaging genetic cohort for Chinese Han adults with lifespan natural and socioeconomic measurements obtained from remote sensing. All participants were recruited by advertisements posted in colleges and communities. Participants were excluded if they met any of the following criteria: regular smoker, pregnancy, abnormal color discrimination, a history of alcohol or drug abuse, currently any medication, MRI contraindications, neuropsychiatric or severe somatic disorder and sedative-hypnotic medication within a month or any medication for major neuropsychiatric disorders.

This dataset contained multimodal neuroimaging data from 215 right-handed Chinese healthy volunteers (156 females; 18-30 years old, mean = 22.55, SD = 2.68). The brain images were acquired by a 3.0-Tesla scanner (GE MR 750) at the MRI Research Center in the Institute of Psychology, Chinese Academy of Sciences. The multimodal imaging protocol implemented a set of MRI sequences of the high-resolution T1-weighted structural, resting-state functional, diffusion tensor, and arterial spin labeling MRI.

We are releasing these data for both research and education training in human brain sciences. Specifically, to protect personal information, we applied the face masking toolkit to achieve privacy anonymization by blurring facial information while all the participants agreed to share their anonymized data to the public. To monitor the quality of all structural and functional images for each participant, we also employed mri_qc toolkit for generating reports on the data quality, which are included in the sharing. All data structures conform to the specification of BIDS data structure.

", + "authors": [ + { + "name_en": "Peng Gao", + "name_zh": "Peng Gao", + "email": "smooo1973@gmail.com", + "affiliations": [ + { + "name_en": "Collage of Information and Computer, Taiyuan University of Technology, Taiyuan, China", + "name_zh": "Collage of Information and Computer, Taiyuan University of Technology, Taiyuan, China", + "ror_id": "https://ror.org/03kv08d37" + } + ] + }, + { + "name_en": "Hao-Ming Dong", + "name_zh": "Hao-Ming Dong", + "email": "donghaomingnd@gmail.com", + "affiliations": [ + { + "name_en": "Research Center for Lifespan Development of Brain and Mind, Institute of Psychology, Chinese Academy of Sciences (CAS), Beijing 100101, China", + "name_zh": "Research Center for Lifespan Development of Brain and Mind, Institute of Psychology, Chinese Academy of Sciences (CAS), Beijing 100101, China", + "ror_id": "https://ror.org/03j7v5j15" + }, + { + "name_en": "State Key Laboratory of Cognitive Neuroscience and Learning, Beijing Normal University, Beijing 100875, China", + "name_zh": "State Key Laboratory of Cognitive Neuroscience and Learning, Beijing Normal University, Beijing 100875, China" + } + ] + }, + { + "name_en": "Yin-Shan Wang", + "name_zh": "Yin-Shan Wang", + "email": "c137wys@bnu.edu.cn", + "affiliations": [ + { + "name_en": "State Key Laboratory of Cognitive Neuroscience and Learning, Beijing Normal University, Beijing 100875, China", + "name_zh": "State Key Laboratory of Cognitive Neuroscience and Learning, Beijing Normal University, Beijing 100875, China", + "ror_id": "https://ror.org/022k4wk35" + }, + { + "name_en": "Research Center for Lifespan Development of Brain and Mind, Institute of Psychology, Chinese Academy of Sciences (CAS), Beijing 100101, China", + "name_zh": "Research Center for Lifespan Development of Brain and Mind, Institute of Psychology, Chinese Academy of Sciences (CAS), Beijing 100101, China" + } + ] + }, + { + "name_en": "Chun-Shui Yu", + "name_zh": "Chun-Shui Yu", + "email": "chunshuiyu@tmu.edu.cn", + "affiliations": [ + { + "name_en": "Tianjin Key Laboratory of Functional Imaging, Department of Radiology, Tianjin Medical University General Hospital, Tianjin 300052, P.R. China", + "name_zh": "Tianjin Key Laboratory of Functional Imaging, Department of Radiology, Tianjin Medical University General Hospital, Tianjin 300052, P.R. China" + }, + { + "name_en": " CAS Center for Excellence in Brain Science and Intelligence Technology, Chinese Academy of Sciences, Shanghai 200031, P.R. China", + "name_zh": " CAS Center for Excellence in Brain Science and Intelligence Technology, Chinese Academy of Sciences, Shanghai 200031, P.R. China", + "ror_id": "https://ror.org/00vpwhm04" + } + ] + }, + { + "name_en": "Xi-Nian Zuo", + "name_zh": "Xi-Nian Zuo", + "email": "xinian.zuo@bnu.edu.cn", + "affiliations": [ + { + "name_en": "State Key Laboratory of Cognitive Neuroscience and Learning, Beijing Normal University, Beijing 100875, China", + "name_zh": "State Key Laboratory of Cognitive Neuroscience and Learning, Beijing Normal University, Beijing 100875, China", + "ror_id": "https://ror.org/022k4wk35" + }, + { + "name_en": "Department of Psychology, University of CAS, Beijing 100049, China", + "name_zh": "Department of Psychology, University of CAS, Beijing 100049, China" + }, + { + "name_en": "Institute of Children Health, Changzhou Children’s Hospital, Changzhou 213003, China", + "name_zh": "Institute of Children Health, Changzhou Children’s Hospital, Changzhou 213003, China" + }, + { + "name_en": "Key Laboratory of Brain and Education, School of Education Science, Nanning Normal University, Nanning 530001, China", + "name_zh": "Key Laboratory of Brain and Education, School of Education Science, Nanning Normal University, Nanning 530001, China" + }, + { + "name_en": "CAS Key Laboratory of Behavioral Science, Institute of Psychology, Beijing 100101, China", + "name_zh": "CAS Key Laboratory of Behavioral Science, Institute of Psychology, Beijing 100101, China" + }, + { + "name_en": "IDG/McGovern Institute for Brain Research, Beijing Normal University, Beijing 100875, China", + "name_zh": "IDG/McGovern Institute for Brain Research, Beijing Normal University, Beijing 100875, China" + }, + { + "name_en": "Institute for Brain Research and Rehabilitation, South China Normal University, Guangzhou 510631, China", + "name_zh": "Institute for Brain Research and Rehabilitation, South China Normal University, Guangzhou 510631, China" + } + ] + } + ], + "keywords_en": [ + "Brain Imaging", + " Open Science", + " MRI", + " Connectome" + ], + "keywords_zh": [ + "Brain Imaging", + " Open Science", + " MRI", + " Connectome" + ], + "publication_date": "2025-06-18T08:27:32.000Z", + "created": "", + "modified": "", + "status": "", + "license": "", + "file_size_mb": 63492.36, + "file_size_bytes": 66576568337, + "download_count": 595786, + "visit_count": 15472, + "url": "https://www.scidb.cn/en/detail?id=6389603fab13cc64ab836201", + "source": "scidb" + }, + { + "dataset_id": "68ea45d019a491453e1c19d1", + "doi": "10.57760/sciencedb.psych.00786", + "cstr": "31253.11.sciencedb.psych.00786", + "pid": "", + "title": "The Metaphorical Processing of Novel Classifier-Noun Collocations: Evidence from Event-Related Potentials", + "title_en": "The Metaphorical Processing of Novel Classifier-Noun Collocations: Evidence from Event-Related Potentials", + "title_zh": "量名新奇搭配的隐喻加工机制:来自ERPs的证据", + "description": "

We employed event-related potentials (ERPs) to investigate the metaphorical processing mechanism of novel classifier-noun collocations and the moderating role of individual print exposure. Using a within-subjects design, 34 native Chinese speakers (25 females; mean age 23.27 years, SD = 1.80) read three types of classifier-noun collocations embedded in sentences: literal collocations (e.g., yidao dianguang, \"a bolt of lightning\"), novel collocations (e.g., yishan dianguang, \"a flash of lightning\"), and anomalous collocations (e.g., yibao dianguang, \"a bag of lightning\"). Ninety experimental sentences were presented using rapid serial visual presentation (RSVP), with each word displayed for 400 ms followed by a 400 ms blank screen. EEG was recorded from 32 scalp electrodes. After the ERP session, participants completed the Author Recognition Test to assess their print exposure.

", + "description_en": "

We employed event-related potentials (ERPs) to investigate the metaphorical processing mechanism of novel classifier-noun collocations and the moderating role of individual print exposure. Using a within-subjects design, 34 native Chinese speakers (25 females; mean age 23.27 years, SD = 1.80) read three types of classifier-noun collocations embedded in sentences: literal collocations (e.g., yidao dianguang, \"a bolt of lightning\"), novel collocations (e.g., yishan dianguang, \"a flash of lightning\"), and anomalous collocations (e.g., yibao dianguang, \"a bag of lightning\"). Ninety experimental sentences were presented using rapid serial visual presentation (RSVP), with each word displayed for 400 ms followed by a 400 ms blank screen. EEG was recorded from 32 scalp electrodes. After the ERP session, participants completed the Author Recognition Test to assess their print exposure.

", + "description_zh": "

\t本研究采用事件相关电位(ERPs)技术,探讨新奇量名搭配的隐喻加工机制及个体阅读量的调节作用。实验采用单因素被试内设计,34名被试阅读三种类型的量名搭配:字面搭配(一道电光)、新奇搭配(一闪电光)和异常搭配(一包电光)。结果显示:(1)在早期加工阶段(300-500ms),无论阅读量高低,新奇搭配和异常搭配均在额区诱发显著的N400效应,两者无显著差异,表明新奇搭配暂时被视为语义异常;(2)在晚期加工阶段(600-800ms),阅读量对新奇搭配加工存在调节作用,高阅读量组的新奇搭配诱发显著的晚期负效应,而低阅读量组未见此效应。研究表明,新奇量名搭配的理解涉及两阶段加工:早期语义冲突检测和晚期隐喻映射,后者受个体阅读经验调节。

", + "authors": [ + { + "name_en": "Xiaodong Xu", + "name_zh": "Xiaodong Xu", + "email": "412alix@gmail.com", + "affiliations": [ + { + "name_en": "Nanjing Normal University", + "name_zh": "南京师范大学", + "ror_id": "https://ror.org/036trcv74" + } + ] + } + ], + "keywords_en": [ + "classifier-noun collocation", + "metaphorical processing", + "print exposure", + "N400", + "late negativity" + ], + "keywords_zh": [ + "量名搭配", + "隐喻加工", + "阅读量", + "N400", + "晚期负效应" + ], + "publication_date": "2025-10-13T01:01:31.279Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 990.67, + "file_size_bytes": 1038788094, + "download_count": 3, + "visit_count": 22, + "url": "https://www.scidb.cn/en/detail?id=68ea45d019a491453e1c19d1", + "source": "scidb" + }, + { + "dataset_id": "63353de93d498241dcc00903", + "doi": "10.57760/sciencedb.o00115.00049", + "cstr": "31253.11.sciencedb.o00115.00049", + "pid": "21.86116.6/sciencedb.o00115.00049", + "title": "Dataset for \"Performance‐dependent reward hurts performance: The non‐monotonic attentional load modulation on task‐irrelevant distractor processing\"", + "title_en": "Dataset for \"Performance‐dependent reward hurts performance: The non‐monotonic attentional load modulation on task‐irrelevant distractor processing\"", + "title_zh": "Dataset for \"Performance‐dependent reward hurts performance: The non‐monotonic attentional load modulation on task‐irrelevant distractor processing\"", + "description": "

This dataset comprises of the data presented in the publication \"Performance‐dependent reward hurts performance: The non‐monotonic attentional load modulation on task‐irrelevant distractor processing\" (He et al., 2021) and the codes for data analyses.


Participants were required to perform an attentive multiple object tracking (MOT) task that lasted for 15 s in each trial. We manipulated the levels of attentional load by changing the number of target(s) to track, i.e. 1, 3, or 5 target balls out of 10 balls in total. At the beginning of each trial, target balls among all the balls turned red for 2 s to manifest themselves. After tracking finished, the same amount as the target balls turned red as probes. Either they were exactly the target balls, or one of them was not among the targets. Participants had to determine whether the probes were identical to the target balls or not (2AFC). During tracking, task-irrelevant auditory Oddball distractors (50-ms pure tones played every 600 ms) were presented, with 1000-Hz tones as the standard (80% probability) and 1500-Hz tones as the deviant (20% probability) stimuli.


The whole experiment consisted of 8 blocks × 12 trials. Participants performed the task under 2 levels (low/high) of monetary reward which was given for right choices. Reward levels were counterbalanced across blocks while attentional load levels were randomized across trials in each block but with equal numbers of trials for each level. Participants were shown the reward level (low or high) at the beginning of each block, and there was feedback after choice made in each trial, including right or wrong (for a right choice its reward would be shown) and the aggregate reward gained in the current block so far. At both reward levels the amount increased as the attentional load, but the amount at the higher level was always larger than at the lower level regardless of the attentional load.


Throughout the tracking period, participants' EEG signals and pupil dilation data were recorded. EEG signals were then segmented into 600-ms ERP epochs relative to the onset of each tone (-100 ms to +500 ms). We analyzed the MMN and P3a components of the difference wave elicited between standard and deviant tones to investigate the role of reward in the effect of attentional load on task-irrelevant auditory distractor processing.


For details of the dataset, please see readme.txt in the root directory after unzipping. For details of the study, please refer to:


He, X., Liu, W., Qin, N., Lyu, L., Dong, X., & Bao, M. (2021). Performance‐dependent reward hurts performance: The non‐monotonic attentional load modulation on task‐irrelevant distractor processing. Psychophysiology, 58(12), e13920. https://doi.org/10.1111/psyp.13920.

", + "description_en": "

This dataset comprises of the data presented in the publication \"Performance‐dependent reward hurts performance: The non‐monotonic attentional load modulation on task‐irrelevant distractor processing\" (He et al., 2021) and the codes for data analyses.


Participants were required to perform an attentive multiple object tracking (MOT) task that lasted for 15 s in each trial. We manipulated the levels of attentional load by changing the number of target(s) to track, i.e. 1, 3, or 5 target balls out of 10 balls in total. At the beginning of each trial, target balls among all the balls turned red for 2 s to manifest themselves. After tracking finished, the same amount as the target balls turned red as probes. Either they were exactly the target balls, or one of them was not among the targets. Participants had to determine whether the probes were identical to the target balls or not (2AFC). During tracking, task-irrelevant auditory Oddball distractors (50-ms pure tones played every 600 ms) were presented, with 1000-Hz tones as the standard (80% probability) and 1500-Hz tones as the deviant (20% probability) stimuli.


The whole experiment consisted of 8 blocks × 12 trials. Participants performed the task under 2 levels (low/high) of monetary reward which was given for right choices. Reward levels were counterbalanced across blocks while attentional load levels were randomized across trials in each block but with equal numbers of trials for each level. Participants were shown the reward level (low or high) at the beginning of each block, and there was feedback after choice made in each trial, including right or wrong (for a right choice its reward would be shown) and the aggregate reward gained in the current block so far. At both reward levels the amount increased as the attentional load, but the amount at the higher level was always larger than at the lower level regardless of the attentional load.


Throughout the tracking period, participants' EEG signals and pupil dilation data were recorded. EEG signals were then segmented into 600-ms ERP epochs relative to the onset of each tone (-100 ms to +500 ms). We analyzed the MMN and P3a components of the difference wave elicited between standard and deviant tones to investigate the role of reward in the effect of attentional load on task-irrelevant auditory distractor processing.


For details of the dataset, please see readme.txt in the root directory after unzipping. For details of the study, please refer to:


He, X., Liu, W., Qin, N., Lyu, L., Dong, X., & Bao, M. (2021). Performance‐dependent reward hurts performance: The non‐monotonic attentional load modulation on task‐irrelevant distractor processing. Psychophysiology, 58(12), e13920. https://doi.org/10.1111/psyp.13920.

", + "description_zh": "

This dataset comprises of the data presented in the publication \"Performance‐dependent reward hurts performance: The non‐monotonic attentional load modulation on task‐irrelevant distractor processing\" (He et al., 2021) and the codes for data analyses.


Participants were required to perform an attentive multiple object tracking (MOT) task that lasted for 15 s in each trial. We manipulated the levels of attentional load by changing the number of target(s) to track, i.e. 1, 3, or 5 target balls out of 10 balls in total. At the beginning of each trial, target balls among all the balls turned red for 2 s to manifest themselves. After tracking finished, the same amount as the target balls turned red as probes. Either they were exactly the target balls, or one of them was not among the targets. Participants had to determine whether the probes were identical to the target balls or not (2AFC). During tracking, task-irrelevant auditory Oddball distractors (50-ms pure tones played every 600 ms) were presented, with 1000-Hz tones as the standard (80% probability) and 1500-Hz tones as the deviant (20% probability) stimuli.


The whole experiment consisted of 8 blocks × 12 trials. Participants performed the task under 2 levels (low/high) of monetary reward which was given for right choices. Reward levels were counterbalanced across blocks while attentional load levels were randomized across trials in each block but with equal numbers of trials for each level. Participants were shown the reward level (low or high) at the beginning of each block, and there was feedback after choice made in each trial, including right or wrong (for a right choice its reward would be shown) and the aggregate reward gained in the current block so far. At both reward levels the amount increased as the attentional load, but the amount at the higher level was always larger than at the lower level regardless of the attentional load.


Throughout the tracking period, participants' EEG signals and pupil dilation data were recorded. EEG signals were then segmented into 600-ms ERP epochs relative to the onset of each tone (-100 ms to +500 ms). We analyzed the MMN and P3a components of the difference wave elicited between standard and deviant tones to investigate the role of reward in the effect of attentional load on task-irrelevant auditory distractor processing.


For details of the dataset, please see readme.txt in the root directory after unzipping. For details of the study, please refer to:


He, X., Liu, W., Qin, N., Lyu, L., Dong, X., & Bao, M. (2021). Performance‐dependent reward hurts performance: The non‐monotonic attentional load modulation on task‐irrelevant distractor processing. Psychophysiology, 58(12), e13920. https://doi.org/10.1111/psyp.13920.

", + "authors": [ + { + "name_en": "Xin He", + "name_zh": "Xin He", + "email": "hex@psych.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "Institute of Psychology, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Weilin Liu", + "name_zh": "Weilin Liu", + "email": "1372593229@qq.com", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "Institute of Psychology, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Nan Qin", + "name_zh": "Nan Qin", + "email": "qinnanah@126.com", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "Institute of Psychology, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Lili Lyu", + "name_zh": "Lili Lyu", + "email": "lllv@ion.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "Institute of Psychology, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Xue Dong", + "name_zh": "Xue Dong", + "email": "dongx@psych.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "Institute of Psychology, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Min Bao", + "name_zh": "Min Bao", + "email": "baom@psych.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "Institute of Psychology, Chinese Academy of Sciences" + } + ] + } + ], + "keywords_en": [ + "reward", + "selective attention", + "ERP" + ], + "keywords_zh": [ + "reward", + "selective attention", + "ERP" + ], + "publication_date": "2022-09-16T15:30:45.330Z", + "created": "", + "modified": "", + "status": "", + "license": "ODbL", + "file_size_mb": 23516.52, + "file_size_bytes": 24658853287, + "download_count": 18, + "visit_count": 310, + "url": "https://www.scidb.cn/en/detail?id=63353de93d498241dcc00903", + "source": "scidb" + }, + { + "dataset_id": "67c19e52d732af307692239e", + "doi": "10.57760/sciencedb.psych.00262", + "cstr": "31253.11.sciencedb.psych.00262", + "pid": "", + "title": "Distinguishing the roles of edge, color, and other surface information in basic and superordinate scene representation", + "title_en": "Distinguishing the roles of edge, color, and other surface information in basic and superordinate scene representation", + "title_zh": "Distinguishing the roles of edge, color, and other surface information in basic and superordinate scene representation", + "description": "

The human brain possesses a remarkable ability to recognize scenes depicted in line drawings, despite these drawings contain only edge information. It remains unclear how the brain uses this information alongside surface information in scene recognition. Here, we combined electroencephalogram (EEG) and multivariate pattern analysis (MVPA) to distinguish the role of edge and surface information in scene representation at the basic and superordinate levels over time. First, we found that surface information is involved in initial neural scene representation at the basic level, but not at the superordinate level. Second, edge information is sufficient and more effective for scene recognition at the superordinate level. Third, time-generalization analysis revealed that edge information in line drawings is crucial for representation at every level of abstraction. These findings provide novel neural evidence that edge and surface information play different roles in dynamic neural scene representations at different levels of abstraction, and help to enhance our understanding of how the human brain represents scenes.

", + "description_en": "

The human brain possesses a remarkable ability to recognize scenes depicted in line drawings, despite these drawings contain only edge information. It remains unclear how the brain uses this information alongside surface information in scene recognition. Here, we combined electroencephalogram (EEG) and multivariate pattern analysis (MVPA) to distinguish the role of edge and surface information in scene representation at the basic and superordinate levels over time. First, we found that surface information is involved in initial neural scene representation at the basic level, but not at the superordinate level. Second, edge information is sufficient and more effective for scene recognition at the superordinate level. Third, time-generalization analysis revealed that edge information in line drawings is crucial for representation at every level of abstraction. These findings provide novel neural evidence that edge and surface information play different roles in dynamic neural scene representations at different levels of abstraction, and help to enhance our understanding of how the human brain represents scenes.

", + "description_zh": "

The human brain possesses a remarkable ability to recognize scenes depicted in line drawings, despite these drawings contain only edge information. It remains unclear how the brain uses this information alongside surface information in scene recognition. Here, we combined electroencephalogram (EEG) and multivariate pattern analysis (MVPA) to distinguish the role of edge and surface information in scene representation at the basic and superordinate levels over time. First, we found that surface information is involved in initial neural scene representation at the basic level, but not at the superordinate level. Second, edge information is sufficient and more effective for scene recognition at the superordinate level. Third, time-generalization analysis revealed that edge information in line drawings is crucial for representation at every level of abstraction. These findings provide novel neural evidence that edge and surface information play different roles in dynamic neural scene representations at different levels of abstraction, and help to enhance our understanding of how the human brain represents scenes.

", + "authors": [ + { + "name_en": "liansheng yao", + "name_zh": "liansheng yao", + "email": "lianshengyao@yeah.net", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "中国科学院心理研究所", + "ror_id": "https://ror.org/03j7v5j15" + } + ] + }, + { + "name_en": "qiufang fu", + "name_zh": "qiufang fu", + "email": "fuqf@psych.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "Institute of Psychology, Chinese Academy of Sciences" + } + ] + } + ], + "keywords_en": [ + "scene representation", + "edge information", + "surface information", + "basic level", + "superordinate level" + ], + "keywords_zh": [ + "scene representation", + "edge information", + "surface information", + "basic level", + "superordinate level" + ], + "publication_date": "2024-09-06T09:03:59.878Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 11770.0, + "file_size_bytes": 12341738656, + "download_count": 342, + "visit_count": 764, + "url": "https://www.scidb.cn/en/detail?id=67c19e52d732af307692239e", + "source": "scidb" + }, + { + "dataset_id": "60b9f23881e63e42b94c22d4", + "doi": "10.11922/sciencedb.893", + "cstr": "31253.11.sciencedb.893", + "pid": "21.86101/sciencedb.893", + "title": "A dataset of China’s overseas power projects (2000–2019)", + "title_en": "A dataset of China’s overseas power projects (2000–2019)", + "title_zh": "2000–2019年中国海外电力项目信息数据集", + "description": "Power shortages are faced by developing countries in the Belt and Road region. Since the Belt and Road initiative was put forward, Chinese companies have invested and built a large number of electrical power projects in countries and areas with power shortages in this region. Due to the large number and wide distribution of projects and continuous increases in the number of new power projects, a large amount of project information has been generated. Accordingly, it is urgent to collect and summarize One Belt and One Road overseas power project information. In this study, web crawler technology was used to obtain overseas power project information. A One Belt and One Road dataset of overseas power projects was formed by further supplementing and improving the project information using documents from ministries, embassies, counselors of the ministry of economy and commerce, local news reports in Chinese and English, and case studies and field studies conducted by scholars and non-governmental organizations. The dataset includes information on 376 power projects from 80 countries in Asia, Africa, Europe, America, and Oceania. Each project’s information includes the project number, project name, construction status, enterprise name, installed capacity, continent, country, project category, and bid information. The collection and improvement of this dataset will help with understanding the distribution of One Belt, One Road overseas power projects, as well as development trends in overseas power investment and construction in recent years. This can provide a basis for China’s power companies to “go global” and become “One Belt, One Road” overseas. It also provides a reference for power project development planning and government department decision-making.", + "description_en": "Power shortages are faced by developing countries in the Belt and Road region. Since the Belt and Road initiative was put forward, Chinese companies have invested and built a large number of electrical power projects in countries and areas with power shortages in this region. Due to the large number and wide distribution of projects and continuous increases in the number of new power projects, a large amount of project information has been generated. Accordingly, it is urgent to collect and summarize One Belt and One Road overseas power project information. In this study, web crawler technology was used to obtain overseas power project information. A One Belt and One Road dataset of overseas power projects was formed by further supplementing and improving the project information using documents from ministries, embassies, counselors of the ministry of economy and commerce, local news reports in Chinese and English, and case studies and field studies conducted by scholars and non-governmental organizations. The dataset includes information on 376 power projects from 80 countries in Asia, Africa, Europe, America, and Oceania. Each project’s information includes the project number, project name, construction status, enterprise name, installed capacity, continent, country, project category, and bid information. The collection and improvement of this dataset will help with understanding the distribution of One Belt, One Road overseas power projects, as well as development trends in overseas power investment and construction in recent years. This can provide a basis for China’s power companies to “go global” and become “One Belt, One Road” overseas. It also provides a reference for power project development planning and government department decision-making.", + "description_zh": "电力短缺是“一带一路”区域广大发展中国家面临的问题之一。自“一带一路”倡议提出以来,中国企业在“一带一路”沿线电力短缺的国家和地区投资、建设了大量的电力项目,由于项目数量多,分布范围广泛,并且每年会不断增加新的电力项目,将形成大量的项目信息,亟需将“一带一路”海外电力项目信息进行收集汇总。本文利用网络爬虫的方法获取海外电力项目的信息,同时通过部委、使馆、经济商务部参赞机构文件、中文英文的当地新闻报道、学者和非政府组织进行的案例研究和实地研究中对项目信息进行进一步补充和完善,形成了“一带一路”海外电力项目数据集。数据集包括来自亚洲、非洲、欧洲、美洲、大洋洲80个国家的376个电力项目,每个项目信息包括项目编号、项目状态、央企集团、二级单位、项目名称、装机容量、所属地区、所在国家、项目类型、中标信息。数据集的收集和完善有助于了解“一带一路”海外电力项目的分布分局,以及近年来的海外电力投资建设发展态势,可为我国电力企业“走出去”提供依据,为“一带一路”海外电力项目发展规划、政府部门决策提供参考。", + "authors": [ + { + "name_en": "蒋瑜", + "name_zh": "蒋瑜", + "affiliations": [ + { + "name_en": "", + "name_zh": "" + } + ] + }, + { + "name_en": "邬明权", + "name_zh": "邬明权", + "affiliations": [ + { + "name_en": "", + "name_zh": "" + } + ] + }, + { + "name_en": "黄长军", + "name_zh": "黄长军", + "affiliations": [ + { + "name_en": "", + "name_zh": "" + } + ] + }, + { + "name_en": "牛铮", + "name_zh": "牛铮", + "affiliations": [ + { + "name_en": "", + "name_zh": "" + } + ] + } + ], + "keywords_en": [ + "Belt and Road Initiative", + " power projects", + " dataset", + "web crawler technology" + ], + "keywords_zh": [ + "一带一路", + "电力项目", + "数据集", + "网络爬虫" + ], + "publication_date": "2019-09-23T13:12:37.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.07, + "file_size_bytes": 71377, + "download_count": 2012, + "visit_count": 13926, + "url": "https://www.scidb.cn/en/detail?id=60b9f23881e63e42b94c22d4", + "source": "scidb" + }, + { + "dataset_id": "64bf82f502e62a3c98eeff55", + "doi": "10.57760/sciencedb.02116", + "cstr": "31253.11.sciencedb.02116", + "pid": "21.86116.6/sciencedb.02116", + "title": "Acute stress impairs target enhancement but not distractor suppression in attention selection: Evidence from the N2pc and Pd", + "title_en": "Acute stress impairs target enhancement but not distractor suppression in attention selection: Evidence from the N2pc and Pd", + "title_zh": "Acute stress impairs target enhancement but not distractor suppression in attention selection: Evidence from the N2pc and Pd", + "description": "

This repository contains data and code for the paper entitled \"Acute stress impairs target enhancement but not distractor suppression in attention selection: Evidence from the N2pc and Pd\".

", + "description_en": "

This repository contains data and code for the paper entitled \"Acute stress impairs target enhancement but not distractor suppression in attention selection: Evidence from the N2pc and Pd\".

", + "description_zh": "

This repository contains data and code for the paper entitled \"Acute stress impairs target enhancement but not distractor suppression in attention selection: Evidence from the N2pc and Pd\".

", + "authors": [ + { + "name_en": "Luo Yu", + "name_zh": "Luo Yu", + "email": "yuluo@gznu.edu.cn", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "Guizhou Normal University" + } + ] + }, + { + "name_en": "Nian Jingqing", + "name_zh": "Nian Jingqing", + "email": "nianjingqing@126.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "Guizhou Normal University", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Yang Run", + "name_zh": "Yang Run", + "email": "617674892@qq.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Xie Jiao", + "name_zh": "Xie Jiao", + "email": "1759812273@qq.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + }, + { + "name_en": "Zhang Yu", + "name_zh": "Zhang Yu", + "email": "yuzhang331@163.com", + "affiliations": [ + { + "name_en": "Guizhou Normal University", + "name_zh": "贵州师范大学", + "ror_id": "https://ror.org/02x1pa065" + } + ] + } + ], + "keywords_en": [ + "Stress", + " attentional capature ", + "visual search", + "acute stress", + "N2pc", + "EEG" + ], + "keywords_zh": [ + "Stress", + " attentional capature ", + "visual search", + "acute stress", + "N2pc", + "EEG" + ], + "publication_date": "2022-08-03T02:49:14.234Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 61798.19, + "file_size_bytes": 64800100196, + "download_count": 6156, + "visit_count": 1791, + "url": "https://www.scidb.cn/en/detail?id=64bf82f502e62a3c98eeff55", + "source": "scidb" + }, + { + "dataset_id": "6414216494d8a763720bdf0a", + "doi": "10.57760/sciencedb.07756", + "cstr": "31253.11.sciencedb.07756", + "pid": "21.86116.6/sciencedb.07756", + "title": "Altered excitatory-inhibitory balance and network communication coincident with visual hallucinations elicited by stimulation", + "title_en": "Altered excitatory-inhibitory balance and network communication coincident with visual hallucinations elicited by stimulation", + "title_zh": "Altered excitatory-inhibitory balance and network communication coincident with visual hallucinations elicited by stimulation", + "description": "

Here are the relevant codes and data used in the analysis process of this article. To facilitate your better understanding of the entire process, we have organized the analysis code according to the analysis process and retained the analysis results of major steps.

This folder includes several main directories, here is a brief introduction to their functions, and then a detailed introduction to the contents of each folder:

(1)  ./brain_atlas, this contains some brain structural atlas used in the analysis, and another part of the brain structural atlas are in ./Phi_Analysis/brain_atlas

(2)  ./myfun, this folder contains some general functions used in programming

(3)  ./dataForEI, the data used in the E/I anlaysis

(4)  ./01_EI_hallucinationTrial_stimulation_vs_baseline, in this folder, we compare the E/I difference between the electrical stimulation period and the baseline period for the visual hallucination trials

(5)  ./02_EI_controlTrial_stimulation_vs_baseline, in this folder, we compare the E/I difference between the electrical stimulation period and the baseline period for the control trials

(6)  ./03_EI_stimulationPeriod_halluTrial_vs_controlTrial, in this folder, we compare the E/I difference between the two types of trials during the electrical stimulation period

(7)  ./04_EI_baselinePeriod_halluTrial_vs_controlTrial, in this folder, we compare the E/I difference between the two types of trials during the baseline period

(8)  ./Phi_Analysis, this folder contains analysis related to information integration

(9)  ./Other_Analysis, this folder contains other related analysis





Next, let's introduce the contents of each subfolder in detail:

1.    ./dataForEI

(1)  st05_elec_value_mat.mat, st05_elec_value_mat_nohall.mat

These two files respectively contain the aperiodic 1/f values calculated for each recorded electrode in the visual hallucination trials and control trials, as well as the coordinates of each electrode in the standard MNI space. (The code for calculating the aperiodic 1/f values is placed in ./Other_Analysis/cal_1f.py, FOOOF toolbox(Donoghue et al., 2020) was used).


2.    ./01_EI_hallucinationTrial_stimulation_vs_baseline

(1)  ./ st06_filtered_data.m

This code is mainly used to find the recording contacts that are shared by hallucination trials and control trials, and these shared contracts will be used for subsequent analysis. The results of running this file are saved in:

./result_01/st06_filted_vis.mat, ./result_01/st06_filted_non.mat

(2)  ./ st08_vox_within_contact.m

This code is mainly used to find which voxels in the standard space are within the 8mm range of the recorded electrode. The results of running this file are saved in:

./result_01/st08_vox_within_contact_radius_vis_10.mat

(3)  ./st09_vox_subjNum_elecNum.m, ./st10_reorg_st09.m

This analysis mainly calculates the number of subjects available for each voxel in the standard space and reorganizes the result data for subsequent analysis. The results of the analysis are stored in:

./result_01/st09_all_vox_subjNum.mat (This file is used in ./Other_Analysis/st09_... for showing the number of patients contributing electrode contacts to each neocortical location (Fig. 2))

./result_01/st09_final_5_vox_subj_metric.mat

./result_01/st10_final_5_vox_subj_metric.mat

(4)  ./st12_01_true_tstat.m

This code is used to calculate the true t-values of each voxel, which is mainly used to compare with the null-distribution to determine significance. The results of the analysis are stored in:

./result_01/st12_tstats_voxs.mat

(5)  ./ st13_01_get_eachsubj_brain.m

./st13_02_permut1000_eachbrain.m

./ st13_03_permut1000_fullbrain.m

./st14_01_tstat_permut1000.m

./st15_01_group_distribution.m

These codes are mainly used to implement the following parts of the article's Methods

“To determine the significance threshold, we randomly sign-flipped half of the values at each voxel for each patient’s brain map and recomputed t-statistics at the group level. By performing this procedure 1000 times, a null distribution was generated. Finally, the 2.5th and 97.5th percentiles of this null distribution were identified as negative and positive significance thresholds, respectively.”


The final generated file (./result_01/ st15_01_group_threshold.mat) contains the threshold used to determine significance.

(6)  ./ st15_02_get_vol.m

./st15_03_to_nifti.py

./st15_04_plot_surf.py

This section of code compares the true t-values with the significance threshold, and then presents the t-values and their distribution of significant voxels (Fig.4 A, note: the colorbar here was flipped in the article figure for better describing the steep/flattened changes of aperiodic 1/f slope).

(7)  ./st20_get_vol.mat

This code calculates the distribution of the percentage of significant voxels among 22 brain regions of the HCP atlas. (This result was also used in ./Other_Analysis/st01_... for Fig.4 B)

(8)  ./ st22_yeo7.m

The distribution of the percentage of significant voxels among yeo7 networks. (This result was also used in ./Other_Analysis/st02_... for Fig.4 C)


Note: For the code in

./02_EI_controlTrial_stimulation_vs_baseline,

./03_EI_stimulationPeriod_halluTrial_vs_controlTrial,

./04_EI_baselinePeriod_halluTrial_vs_controlTrial, 

the process is the same as that in ./01_EI_hallucinationTrial_stimulation_vs_baseline as described above.







3.    ./Other_Analysis

(1)  ./cal_1f.py

Code for calculating aperiodic 1/f slope, which was already mentioned above.

(2)  ./stimcontact_info.mat

The number of stimulation contacts that induced visual hallucination in each region of hcp22, and the total number of stimulation contacts in each region of hcp22.

(3)  ./ st01_shuffle_b.m, ./st01_shuffle_b_supp.m

These codes were used for permutation test for comparing the proportion of significant voxels using Yeo7 atlas between the two types of trials. (Fig.4 B, Fig. S2 B) (./yeo7_bar.csv was the used, which was generated in the above E/I analysis process).

(4)  ./st02_shuffle_c.m, ./st02_shuffle_c_supp.m

These codes were used for permutation test for comparing the proportion of significant voxels using HCP22 atlas between the two types of trials. (Fig.4 C, Fig. S2 C) (./hcp22_bar.csv was the used, which was generated in the above E/I analysis process).

(5)  ./ st09_01_subjNum_cortex.m

./ st09_02_to_nifti.py

./ st09_03_plot_subjNum.py

These codes were used to show the number of patients contributing electrode contacts to each neocortical location (Fig. 2). The data used here were generated in the previous E/I analysis as mentioned above.







4.    ./Phi_Analysis

(1)  ./brain_atlas

This folder contains brain structural atlas used in the information integration analysis.

(2)  ./ComFiles

This folder contains some pre-generated data used to assist in information integration calculations.

(3)  ./PhiToolbox-master

This fold contains the toolbox for calculating phi (https://github.com/oizumi-lab/PhiToolbox)

(4)  ./result_01/st05_lfp_vis, ./result_01/st05_lfp_non

These folders contain LFP signals for analyzing integrating information (_vis for hallucination trials, _non for control trials).

(5)  ./st07_filter_1.m

This code choses sessions where recording contacts distributed over more than one brain region and less than 15 brain regions. (in the following analysis process, only sessions where recording contacts distributed over more than 2 brain region and less than 15 brain regions were used)

(6)  ./ st08_cal_phi_vis.m, ./ st08_fun.m

These two codes are used to calculate phi. (PhiToolbox was used, https://github.com/oizumi-lab/PhiToolbox)


(7)  ./ st70_find_tau_vis.m, ./ st70_find_tau_non.m

These codes were used to find t that yielded the highest F* across all lag times. (For both hallucination trials and control trials, the result was t = 175.8 ms.)

(8)  ./ st71_avg_phi_non.m, ./ st71_avg_phi_vis.m, ./st72_test.m

These codes were used to investigate the changes of integrated information during visual hallucinations (the result was used for Fig.5 A).

(9)  ./ st76_all_phis_non.m, ./ st76_all_phis_vis.m, ./ st77_zs_reorganize.m

These codes were used to get MIP information across all subsystems where contacts distributed over more than two brain regions (and less than 15 brain regions) when t = 175.8 ms as calculated above.

(10) st78_zs_cal.m, st79_graph.py

The code for analyzing the MIP (please referring the Method “Analyzinig the Minimum Information Partitions”). Fig.5 and Fig. S1 could be generated using these codes.

(11) ./ st101_zs_non_unchange.m

The code was used to show the normalized number of pairs of brain regions whose relationship to the MIP were unchanged during the stimulation period compared to the baseline for control trials. (Fig5. C)













 

", + "description_en": "

Here are the relevant codes and data used in the analysis process of this article. To facilitate your better understanding of the entire process, we have organized the analysis code according to the analysis process and retained the analysis results of major steps.

This folder includes several main directories, here is a brief introduction to their functions, and then a detailed introduction to the contents of each folder:

(1)  ./brain_atlas, this contains some brain structural atlas used in the analysis, and another part of the brain structural atlas are in ./Phi_Analysis/brain_atlas

(2)  ./myfun, this folder contains some general functions used in programming

(3)  ./dataForEI, the data used in the E/I anlaysis

(4)  ./01_EI_hallucinationTrial_stimulation_vs_baseline, in this folder, we compare the E/I difference between the electrical stimulation period and the baseline period for the visual hallucination trials

(5)  ./02_EI_controlTrial_stimulation_vs_baseline, in this folder, we compare the E/I difference between the electrical stimulation period and the baseline period for the control trials

(6)  ./03_EI_stimulationPeriod_halluTrial_vs_controlTrial, in this folder, we compare the E/I difference between the two types of trials during the electrical stimulation period

(7)  ./04_EI_baselinePeriod_halluTrial_vs_controlTrial, in this folder, we compare the E/I difference between the two types of trials during the baseline period

(8)  ./Phi_Analysis, this folder contains analysis related to information integration

(9)  ./Other_Analysis, this folder contains other related analysis





Next, let's introduce the contents of each subfolder in detail:

1.    ./dataForEI

(1)  st05_elec_value_mat.mat, st05_elec_value_mat_nohall.mat

These two files respectively contain the aperiodic 1/f values calculated for each recorded electrode in the visual hallucination trials and control trials, as well as the coordinates of each electrode in the standard MNI space. (The code for calculating the aperiodic 1/f values is placed in ./Other_Analysis/cal_1f.py, FOOOF toolbox(Donoghue et al., 2020) was used).


2.    ./01_EI_hallucinationTrial_stimulation_vs_baseline

(1)  ./ st06_filtered_data.m

This code is mainly used to find the recording contacts that are shared by hallucination trials and control trials, and these shared contracts will be used for subsequent analysis. The results of running this file are saved in:

./result_01/st06_filted_vis.mat, ./result_01/st06_filted_non.mat

(2)  ./ st08_vox_within_contact.m

This code is mainly used to find which voxels in the standard space are within the 8mm range of the recorded electrode. The results of running this file are saved in:

./result_01/st08_vox_within_contact_radius_vis_10.mat

(3)  ./st09_vox_subjNum_elecNum.m, ./st10_reorg_st09.m

This analysis mainly calculates the number of subjects available for each voxel in the standard space and reorganizes the result data for subsequent analysis. The results of the analysis are stored in:

./result_01/st09_all_vox_subjNum.mat (This file is used in ./Other_Analysis/st09_... for showing the number of patients contributing electrode contacts to each neocortical location (Fig. 2))

./result_01/st09_final_5_vox_subj_metric.mat

./result_01/st10_final_5_vox_subj_metric.mat

(4)  ./st12_01_true_tstat.m

This code is used to calculate the true t-values of each voxel, which is mainly used to compare with the null-distribution to determine significance. The results of the analysis are stored in:

./result_01/st12_tstats_voxs.mat

(5)  ./ st13_01_get_eachsubj_brain.m

./st13_02_permut1000_eachbrain.m

./ st13_03_permut1000_fullbrain.m

./st14_01_tstat_permut1000.m

./st15_01_group_distribution.m

These codes are mainly used to implement the following parts of the article's Methods

“To determine the significance threshold, we randomly sign-flipped half of the values at each voxel for each patient’s brain map and recomputed t-statistics at the group level. By performing this procedure 1000 times, a null distribution was generated. Finally, the 2.5th and 97.5th percentiles of this null distribution were identified as negative and positive significance thresholds, respectively.”


The final generated file (./result_01/ st15_01_group_threshold.mat) contains the threshold used to determine significance.

(6)  ./ st15_02_get_vol.m

./st15_03_to_nifti.py

./st15_04_plot_surf.py

This section of code compares the true t-values with the significance threshold, and then presents the t-values and their distribution of significant voxels (Fig.4 A, note: the colorbar here was flipped in the article figure for better describing the steep/flattened changes of aperiodic 1/f slope).

(7)  ./st20_get_vol.mat

This code calculates the distribution of the percentage of significant voxels among 22 brain regions of the HCP atlas. (This result was also used in ./Other_Analysis/st01_... for Fig.4 B)

(8)  ./ st22_yeo7.m

The distribution of the percentage of significant voxels among yeo7 networks. (This result was also used in ./Other_Analysis/st02_... for Fig.4 C)


Note: For the code in

./02_EI_controlTrial_stimulation_vs_baseline,

./03_EI_stimulationPeriod_halluTrial_vs_controlTrial,

./04_EI_baselinePeriod_halluTrial_vs_controlTrial, 

the process is the same as that in ./01_EI_hallucinationTrial_stimulation_vs_baseline as described above.







3.    ./Other_Analysis

(1)  ./cal_1f.py

Code for calculating aperiodic 1/f slope, which was already mentioned above.

(2)  ./stimcontact_info.mat

The number of stimulation contacts that induced visual hallucination in each region of hcp22, and the total number of stimulation contacts in each region of hcp22.

(3)  ./ st01_shuffle_b.m, ./st01_shuffle_b_supp.m

These codes were used for permutation test for comparing the proportion of significant voxels using Yeo7 atlas between the two types of trials. (Fig.4 B, Fig. S2 B) (./yeo7_bar.csv was the used, which was generated in the above E/I analysis process).

(4)  ./st02_shuffle_c.m, ./st02_shuffle_c_supp.m

These codes were used for permutation test for comparing the proportion of significant voxels using HCP22 atlas between the two types of trials. (Fig.4 C, Fig. S2 C) (./hcp22_bar.csv was the used, which was generated in the above E/I analysis process).

(5)  ./ st09_01_subjNum_cortex.m

./ st09_02_to_nifti.py

./ st09_03_plot_subjNum.py

These codes were used to show the number of patients contributing electrode contacts to each neocortical location (Fig. 2). The data used here were generated in the previous E/I analysis as mentioned above.







4.    ./Phi_Analysis

(1)  ./brain_atlas

This folder contains brain structural atlas used in the information integration analysis.

(2)  ./ComFiles

This folder contains some pre-generated data used to assist in information integration calculations.

(3)  ./PhiToolbox-master

This fold contains the toolbox for calculating phi (https://github.com/oizumi-lab/PhiToolbox)

(4)  ./result_01/st05_lfp_vis, ./result_01/st05_lfp_non

These folders contain LFP signals for analyzing integrating information (_vis for hallucination trials, _non for control trials).

(5)  ./st07_filter_1.m

This code choses sessions where recording contacts distributed over more than one brain region and less than 15 brain regions. (in the following analysis process, only sessions where recording contacts distributed over more than 2 brain region and less than 15 brain regions were used)

(6)  ./ st08_cal_phi_vis.m, ./ st08_fun.m

These two codes are used to calculate phi. (PhiToolbox was used, https://github.com/oizumi-lab/PhiToolbox)


(7)  ./ st70_find_tau_vis.m, ./ st70_find_tau_non.m

These codes were used to find t that yielded the highest F* across all lag times. (For both hallucination trials and control trials, the result was t = 175.8 ms.)

(8)  ./ st71_avg_phi_non.m, ./ st71_avg_phi_vis.m, ./st72_test.m

These codes were used to investigate the changes of integrated information during visual hallucinations (the result was used for Fig.5 A).

(9)  ./ st76_all_phis_non.m, ./ st76_all_phis_vis.m, ./ st77_zs_reorganize.m

These codes were used to get MIP information across all subsystems where contacts distributed over more than two brain regions (and less than 15 brain regions) when t = 175.8 ms as calculated above.

(10) st78_zs_cal.m, st79_graph.py

The code for analyzing the MIP (please referring the Method “Analyzinig the Minimum Information Partitions”). Fig.5 and Fig. S1 could be generated using these codes.

(11) ./ st101_zs_non_unchange.m

The code was used to show the normalized number of pairs of brain regions whose relationship to the MIP were unchanged during the stimulation period compared to the baseline for control trials. (Fig5. C)













 

", + "description_zh": "

Here are the relevant codes and data used in the analysis process of this article. To facilitate your better understanding of the entire process, we have organized the analysis code according to the analysis process and retained the analysis results of major steps.

This folder includes several main directories, here is a brief introduction to their functions, and then a detailed introduction to the contents of each folder:

(1)  ./brain_atlas, this contains some brain structural atlas used in the analysis, and another part of the brain structural atlas are in ./Phi_Analysis/brain_atlas

(2)  ./myfun, this folder contains some general functions used in programming

(3)  ./dataForEI, the data used in the E/I anlaysis

(4)  ./01_EI_hallucinationTrial_stimulation_vs_baseline, in this folder, we compare the E/I difference between the electrical stimulation period and the baseline period for the visual hallucination trials

(5)  ./02_EI_controlTrial_stimulation_vs_baseline, in this folder, we compare the E/I difference between the electrical stimulation period and the baseline period for the control trials

(6)  ./03_EI_stimulationPeriod_halluTrial_vs_controlTrial, in this folder, we compare the E/I difference between the two types of trials during the electrical stimulation period

(7)  ./04_EI_baselinePeriod_halluTrial_vs_controlTrial, in this folder, we compare the E/I difference between the two types of trials during the baseline period

(8)  ./Phi_Analysis, this folder contains analysis related to information integration

(9)  ./Other_Analysis, this folder contains other related analysis





Next, let's introduce the contents of each subfolder in detail:

1.    ./dataForEI

(1)  st05_elec_value_mat.mat, st05_elec_value_mat_nohall.mat

These two files respectively contain the aperiodic 1/f values calculated for each recorded electrode in the visual hallucination trials and control trials, as well as the coordinates of each electrode in the standard MNI space. (The code for calculating the aperiodic 1/f values is placed in ./Other_Analysis/cal_1f.py, FOOOF toolbox(Donoghue et al., 2020) was used).


2.    ./01_EI_hallucinationTrial_stimulation_vs_baseline

(1)  ./ st06_filtered_data.m

This code is mainly used to find the recording contacts that are shared by hallucination trials and control trials, and these shared contracts will be used for subsequent analysis. The results of running this file are saved in:

./result_01/st06_filted_vis.mat, ./result_01/st06_filted_non.mat

(2)  ./ st08_vox_within_contact.m

This code is mainly used to find which voxels in the standard space are within the 8mm range of the recorded electrode. The results of running this file are saved in:

./result_01/st08_vox_within_contact_radius_vis_10.mat

(3)  ./st09_vox_subjNum_elecNum.m, ./st10_reorg_st09.m

This analysis mainly calculates the number of subjects available for each voxel in the standard space and reorganizes the result data for subsequent analysis. The results of the analysis are stored in:

./result_01/st09_all_vox_subjNum.mat (This file is used in ./Other_Analysis/st09_... for showing the number of patients contributing electrode contacts to each neocortical location (Fig. 2))

./result_01/st09_final_5_vox_subj_metric.mat

./result_01/st10_final_5_vox_subj_metric.mat

(4)  ./st12_01_true_tstat.m

This code is used to calculate the true t-values of each voxel, which is mainly used to compare with the null-distribution to determine significance. The results of the analysis are stored in:

./result_01/st12_tstats_voxs.mat

(5)  ./ st13_01_get_eachsubj_brain.m

./st13_02_permut1000_eachbrain.m

./ st13_03_permut1000_fullbrain.m

./st14_01_tstat_permut1000.m

./st15_01_group_distribution.m

These codes are mainly used to implement the following parts of the article's Methods

“To determine the significance threshold, we randomly sign-flipped half of the values at each voxel for each patient’s brain map and recomputed t-statistics at the group level. By performing this procedure 1000 times, a null distribution was generated. Finally, the 2.5th and 97.5th percentiles of this null distribution were identified as negative and positive significance thresholds, respectively.”


The final generated file (./result_01/ st15_01_group_threshold.mat) contains the threshold used to determine significance.

(6)  ./ st15_02_get_vol.m

./st15_03_to_nifti.py

./st15_04_plot_surf.py

This section of code compares the true t-values with the significance threshold, and then presents the t-values and their distribution of significant voxels (Fig.4 A, note: the colorbar here was flipped in the article figure for better describing the steep/flattened changes of aperiodic 1/f slope).

(7)  ./st20_get_vol.mat

This code calculates the distribution of the percentage of significant voxels among 22 brain regions of the HCP atlas. (This result was also used in ./Other_Analysis/st01_... for Fig.4 B)

(8)  ./ st22_yeo7.m

The distribution of the percentage of significant voxels among yeo7 networks. (This result was also used in ./Other_Analysis/st02_... for Fig.4 C)


Note: For the code in

./02_EI_controlTrial_stimulation_vs_baseline,

./03_EI_stimulationPeriod_halluTrial_vs_controlTrial,

./04_EI_baselinePeriod_halluTrial_vs_controlTrial, 

the process is the same as that in ./01_EI_hallucinationTrial_stimulation_vs_baseline as described above.







3.    ./Other_Analysis

(1)  ./cal_1f.py

Code for calculating aperiodic 1/f slope, which was already mentioned above.

(2)  ./stimcontact_info.mat

The number of stimulation contacts that induced visual hallucination in each region of hcp22, and the total number of stimulation contacts in each region of hcp22.

(3)  ./ st01_shuffle_b.m, ./st01_shuffle_b_supp.m

These codes were used for permutation test for comparing the proportion of significant voxels using Yeo7 atlas between the two types of trials. (Fig.4 B, Fig. S2 B) (./yeo7_bar.csv was the used, which was generated in the above E/I analysis process).

(4)  ./st02_shuffle_c.m, ./st02_shuffle_c_supp.m

These codes were used for permutation test for comparing the proportion of significant voxels using HCP22 atlas between the two types of trials. (Fig.4 C, Fig. S2 C) (./hcp22_bar.csv was the used, which was generated in the above E/I analysis process).

(5)  ./ st09_01_subjNum_cortex.m

./ st09_02_to_nifti.py

./ st09_03_plot_subjNum.py

These codes were used to show the number of patients contributing electrode contacts to each neocortical location (Fig. 2). The data used here were generated in the previous E/I analysis as mentioned above.







4.    ./Phi_Analysis

(1)  ./brain_atlas

This folder contains brain structural atlas used in the information integration analysis.

(2)  ./ComFiles

This folder contains some pre-generated data used to assist in information integration calculations.

(3)  ./PhiToolbox-master

This fold contains the toolbox for calculating phi (https://github.com/oizumi-lab/PhiToolbox)

(4)  ./result_01/st05_lfp_vis, ./result_01/st05_lfp_non

These folders contain LFP signals for analyzing integrating information (_vis for hallucination trials, _non for control trials).

(5)  ./st07_filter_1.m

This code choses sessions where recording contacts distributed over more than one brain region and less than 15 brain regions. (in the following analysis process, only sessions where recording contacts distributed over more than 2 brain region and less than 15 brain regions were used)

(6)  ./ st08_cal_phi_vis.m, ./ st08_fun.m

These two codes are used to calculate phi. (PhiToolbox was used, https://github.com/oizumi-lab/PhiToolbox)


(7)  ./ st70_find_tau_vis.m, ./ st70_find_tau_non.m

These codes were used to find t that yielded the highest F* across all lag times. (For both hallucination trials and control trials, the result was t = 175.8 ms.)

(8)  ./ st71_avg_phi_non.m, ./ st71_avg_phi_vis.m, ./st72_test.m

These codes were used to investigate the changes of integrated information during visual hallucinations (the result was used for Fig.5 A).

(9)  ./ st76_all_phis_non.m, ./ st76_all_phis_vis.m, ./ st77_zs_reorganize.m

These codes were used to get MIP information across all subsystems where contacts distributed over more than two brain regions (and less than 15 brain regions) when t = 175.8 ms as calculated above.

(10) st78_zs_cal.m, st79_graph.py

The code for analyzing the MIP (please referring the Method “Analyzinig the Minimum Information Partitions”). Fig.5 and Fig. S1 could be generated using these codes.

(11) ./ st101_zs_non_unchange.m

The code was used to show the normalized number of pairs of brain regions whose relationship to the MIP were unchanged during the stimulation period compared to the baseline for control trials. (Fig5. C)













 

", + "authors": [ + { + "name_en": "Yanyan Li", + "name_zh": "Yanyan Li", + "email": "liyanyan@psych.ac.cn", + "affiliations": [ + { + "name_en": "Institue of Psychology, Chinese Academy of Sciences", + "name_zh": "Institue of Psychology, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Bo Zhang", + "name_zh": "Bo Zhang", + "email": "zhangbo_1008@163.com", + "affiliations": [ + { + "name_en": "Key Laboratory of Brain Science, Zunyi Medical University", + "name_zh": "Key Laboratory of Brain Science, Zunyi Medical University" + } + ] + }, + { + "name_en": "Jing Wang", + "name_zh": "Jing Wang", + "email": "jennywj80@aliyun.com", + "affiliations": [ + { + "name_en": " Department of Neurology, SanBo Brain Hospital, Capital Medical University", + "name_zh": " Department of Neurology, SanBo Brain Hospital, Capital Medical University" + } + ] + }, + { + "name_en": "Yuri B. Saalmann", + "name_zh": "Yuri B. Saalmann", + "email": "saalmann@wisc.edu", + "affiliations": [ + { + "name_en": "Department of Psychology, University of Wisconsin-Madison, Madison", + "name_zh": "Department of Psychology, University of Wisconsin-Madison, Madison" + } + ] + }, + { + "name_en": "Mohsen Afrasiabi", + "name_zh": "Mohsen Afrasiabi", + "email": "afrasiabi@wisc.edu", + "affiliations": [ + { + "name_en": "Department of Psychology, University of Wisconsin-Madison, Madison", + "name_zh": "Department of Psychology, University of Wisconsin-Madison, Madison" + } + ] + }, + { + "name_en": "Haixiang Wang", + "name_zh": "Haixiang Wang", + "email": "haixiang321@126.com", + "affiliations": [ + { + "name_en": "Epilepsy Center, Tsinghua University Yuquan Hospital", + "name_zh": "Epilepsy Center, Tsinghua University Yuquan Hospital" + } + ] + }, + { + "name_en": "Changfei Shi", + "name_zh": "Changfei Shi", + "email": "shichangfei666@aliyun.com", + "affiliations": [ + { + "name_en": "Department of Neurology, SanBo Brain Hospital, Capital Medical University", + "name_zh": "Department of Neurology, SanBo Brain Hospital, Capital Medical University" + } + ] + }, + { + "name_en": "Huanhuan Xiang", + "name_zh": "Huanhuan Xiang", + "email": "xianghh1010@aliyun.com", + "affiliations": [ + { + "name_en": "Department of Neurology, SanBo Brain Hospital, Capital Medical University", + "name_zh": "Department of Neurology, SanBo Brain Hospital, Capital Medical University" + } + ] + }, + { + "name_en": "Mengyang Wang", + "name_zh": "Mengyang Wang", + "email": "mengyangwang@ccmu.edu.cn", + "affiliations": [ + { + "name_en": "Department of Neurology, SanBo Brain Hospital, Capital Medical University", + "name_zh": "Department of Neurology, SanBo Brain Hospital, Capital Medical University" + } + ] + }, + { + "name_en": "Guoming Luan", + "name_zh": "Guoming Luan", + "email": "luangm@ccmu.edu.cn", + "affiliations": [ + { + "name_en": "Department of Neurosurgery, SanBo Brain Hospital, Capital Medical University", + "name_zh": "Department of Neurosurgery, SanBo Brain Hospital, Capital Medical University" + } + ] + }, + { + "name_en": "Robert T. Knight", + "name_zh": "Robert T. Knight", + "email": "rtknight@berkeley.edu", + "affiliations": [ + { + "name_en": "Department of Psychology, University of California, Berkeley", + "name_zh": "Department of Psychology, University of California, Berkeley" + } + ] + }, + { + "name_en": "Liang Wang", + "name_zh": "Liang Wang", + "email": "lwang@psych.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Psychology, Chinese Academy of Sciences", + "name_zh": "Institute of Psychology, Chinese Academy of Sciences" + } + ] + } + ], + "keywords_en": [ + "Hallucinations", + "excitatory and inhibitory balance", + "electrical stimulation", + "information integration", + "intracranial EEG" + ], + "keywords_zh": [ + "Hallucinations", + "excitatory and inhibitory balance", + "electrical stimulation", + "information integration", + "intracranial EEG" + ], + "publication_date": "2023-03-21T02:19:58.994Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 1296.2, + "file_size_bytes": 1359161642, + "download_count": 0, + "visit_count": 931, + "url": "https://www.scidb.cn/en/detail?id=6414216494d8a763720bdf0a", + "source": "scidb" + }, + { + "dataset_id": "624756ac8105fb7f09ce902c", + "doi": "10.11922/sciencedb.01667", + "cstr": "31253.11.sciencedb.01667", + "pid": "21.86116.6/sciencedb.01667", + "title": "Simultaneous Mnemonic and Predictive Representations in the Auditory Cortex", + "title_en": "Simultaneous Mnemonic and Predictive Representations in the Auditory Cortex", + "title_zh": "Simultaneous Mnemonic and Predictive Representations in the Auditory Cortex", + "description": "

Dataset for Cappotto, et al, 2022, Simultaneous Mnemonic and Predictive Representations in the Auditory Cortex

", + "description_en": "

Dataset for Cappotto, et al, 2022, Simultaneous Mnemonic and Predictive Representations in the Auditory Cortex

", + "description_zh": "

Dataset for Cappotto, et al, 2022, Simultaneous Mnemonic and Predictive Representations in the Auditory Cortex

", + "authors": [ + { + "name_en": "Drew Cappotto", + "name_zh": "Drew Cappotto", + "email": "drew.cappotto@my.cityu.edu.hk", + "affiliations": [ + { + "name_en": "City University of Hong Kong", + "name_zh": "City University of Hong Kong" + } + ] + } + ], + "keywords_en": [ + "Neuroscience", + "EEG", + "Auditory", + "Prediction" + ], + "keywords_zh": [ + "Neuroscience", + "EEG", + "Auditory", + "Prediction" + ], + "publication_date": "2022-04-06T01:41:50.517Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 29912.31, + "file_size_bytes": 31365328097, + "download_count": 1, + "visit_count": 1661, + "url": "https://www.scidb.cn/en/detail?id=624756ac8105fb7f09ce902c", + "source": "scidb" + }, + { + "dataset_id": "662cf17f3e08f2716205ca7b", + "doi": "10.57760/sciencedb.j00133.00448", + "cstr": "31253.11.sciencedb.j00133.00448", + "pid": "", + "title": "Preprocessed data for sleep staging experiment", + "title_en": "Preprocessed data for sleep staging experiment", + "title_zh": "睡眠分期实验预处理数据集", + "description": "

The compressed file contains preprocessed public data from sleep experiments in numpy format 

", + "description_en": "

The compressed file contains preprocessed public data from sleep experiments in numpy format 

", + "description_zh": "

压缩文件包含睡眠实验中预处理后的公开数据,数据格式为numpy格式

", + "authors": [ + { + "name_en": "Jinbo", + "name_zh": "金博", + "email": "jinbo@dlut.edu.cn", + "affiliations": [ + { + "name_en": "Dalian University of Technology", + "name_zh": "大连理工大学", + "ror_id": "https://ror.org/023hj5876" + } + ] + }, + { + "name_en": "Zhangjiawan", + "name_zh": "章嘉湾", + "email": "zhangjiawan@mail.dlut.edu.cn", + "affiliations": [ + { + "name_en": "Dalian University of Technology", + "name_zh": "大连理工大学", + "ror_id": "https://ror.org/023hj5876" + } + ] + } + ], + "keywords_en": [ + "Sleep Staging", + "Deep Learning", + "EEG" + ], + "keywords_zh": [ + "睡眠分期", + "深度学习", + "EEG" + ], + "publication_date": "2024-07-26T08:47:39.750Z", + "created": "", + "modified": "", + "status": "", + "license": "ODC-BY", + "file_size_mb": 217.78, + "file_size_bytes": 228356887, + "download_count": 21, + "visit_count": 825, + "url": "https://www.scidb.cn/en/detail?id=662cf17f3e08f2716205ca7b", + "source": "scidb" + }, + { + "dataset_id": "66ab23a955fe61355f459219", + "doi": "10.57760/sciencedb.ai.00010", + "cstr": "31253.11.sciencedb.ai.00010", + "pid": "", + "title": "MultiModal Vigilance dataset", + "title_en": "MultiModal Vigilance dataset", + "title_zh": "MultiModal Vigilance dataset", + "description": "

The MultiModal Vigilance (MMV) dataset comprises seven physiological signals acquired during two Brain-Computer Interface (BCI) tasks.

", + "description_en": "

The MultiModal Vigilance (MMV) dataset comprises seven physiological signals acquired during two Brain-Computer Interface (BCI) tasks.

", + "description_zh": "

The MultiModal Vigilance (MMV) dataset comprises seven physiological signals acquired during two Brain-Computer Interface (BCI) tasks.

", + "authors": [ + { + "name_en": "Wei Wei", + "name_zh": "Wei Wei", + "email": "weiwei2018@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "自动化研究所", + "ror_id": "https://ror.org/022c3hy66" + } + ] + }, + { + "name_en": "Kangning Wang", + "name_zh": "Kangning Wang", + "email": "kangningwang_1205@163.com", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "自动化研究所", + "ror_id": "https://ror.org/022c3hy66" + } + ] + }, + { + "name_en": "Shuang Qiu", + "name_zh": "Shuang Qiu", + "email": "shuang.qiu@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "自动化研究所", + "ror_id": "https://ror.org/022c3hy66" + } + ] + }, + { + "name_en": "Huiguang He", + "name_zh": "Huiguang He", + "email": "huiguang.he@ia.ac.cn", + "affiliations": [ + { + "name_en": "Institute of Automation", + "name_zh": "自动化研究所", + "ror_id": "https://ror.org/022c3hy66" + } + ] + } + ], + "keywords_en": [ + "multi-modality", + "EEG", + "vigilance", + "EOG", + "ECG", + "BCI" + ], + "keywords_zh": [ + "multi-modality", + "EEG", + "vigilance", + "EOG", + "ECG", + "BCI" + ], + "publication_date": "2024-01-11T02:54:45.311Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 253156.48, + "file_size_bytes": 265453813779, + "download_count": 205037, + "visit_count": 2523, + "url": "https://www.scidb.cn/en/detail?id=66ab23a955fe61355f459219", + "source": "scidb" + }, + { + "dataset_id": "68ff3c314874aace76ea463b", + "doi": "10.57760/sciencedb.30601", + "cstr": "31253.11.sciencedb.30601", + "pid": "", + "title": "Data for research.0960", + "title_en": "Data for research.0960", + "title_zh": "Data for research.0960", + "description": "

Data for research.0960

", + "description_en": "

Data for research.0960

", + "description_zh": "

Data for research.0960

", + "authors": [ + { + "name_en": "Hangting Ye", + "name_zh": "Hangting Ye", + "email": "12118042@zju.edu.cn", + "affiliations": [ + { + "name_en": "Women's Hospital, School of Medicine, Zhejiang University", + "name_zh": "浙江大学医学院附属妇产科医院", + "ror_id": "https://ror.org/042t7yh44" + } + ] + } + ], + "keywords_en": [ + "EEG", + "ECoG", + "single nueron" + ], + "keywords_zh": [ + "EEG", + "ECoG", + "single nueron" + ], + "publication_date": "2025-10-28T01:33:51.486Z", + "created": "", + "modified": "", + "status": "", + "license": "PDDL", + "file_size_mb": 9335.97, + "file_size_bytes": 9789478351, + "download_count": 0, + "visit_count": 23, + "url": "https://www.scidb.cn/en/detail?id=68ff3c314874aace76ea463b", + "source": "scidb" + }, + { + "dataset_id": "67fd3df2ac9a663b1b555558", + "doi": "10.57760/sciencedb.psych.00239", + "cstr": "31253.11.sciencedb.psych.00239", + "pid": "", + "title": "Automatic processing of variability in multiple facial expressions", + "title_en": "Automatic processing of variability in multiple facial expressions", + "title_zh": "Automatic processing of variability in multiple facial expressions", + "description": "

The variability of multiple facial expressions can be extracted efficiently. However, whether processing emotional variability is automatic, and whether it is impacted by types of emotions, remains unresolved. 

To answer these questions, we employed a passive oddball paradigm and recorded event-related potentials while participants did an attentional demanding task to detect the changes in the central fixation. A set of four faces was shown in the periphery, either displaying low (Experiment 1: SD = 21; Experiment 2: SD = 7) or high emotional variability (Experiment 1: SD = 36.12; Experiment 2: SD = 20.39), which was manipulated by changing the distance of emotional units among faces. In Experiment 1, the face set consisted of two angry and two happy faces, and the mean emotion was neutral (M = 50). In Experiment 2, all four faces were angry or happy, and the mean emotion was moderate anger (M = 25) or moderate happiness (M = 75). In Experiment 3, we additionally controlled for the range of emotional units in the set and used symmetrical distributions in both low (M = 50, SD = 35.67) and high variability conditions (M = 50, SD = 43.42). The two variability conditions had matched mean emotions and were shown with a probability of 20% (deviant) and 80% (standard) respectively in the sequence, or vice versa. When deviant stimuli are embedded within a series of standard stimuli, the appearance of the deviant would disrupt the established statistics or the regularity, leading to the observation of the vMMN (visual mismatch negativity). The vMMN is considered an index of automatic change detection, evoked by any alteration in the sequence. 

The results showed that in Experiment 1, faces with low emotional variability did not elicit vMMN, while those with high emotional variability elicited vMMN at both early (110-140 ms) and late (320-420 ms) time intervals. Further multivariate pattern analysis (MVPA) using all EEG channels showed that the brain could decode the standard and deviant stimuli before 100 ms under the conditions of both high and low emotional variability. In Experiment 2, when the mean emotion was angry, faces with low emotional variability elicited vMMN, whereas faces with high emotional variability elicited vMMP (visual mismatch positivity) in the time window of 320-420 ms. In contrast, when the mean emotion was happy, faces with both high and low emotional variability did not elicit significant vMMN in the 320-420 ms time window. Moreover, under all conditions of emotional variability, the standard and deviant stimuli could be successfully decoded at an early stage, but the decoding onset latency was significantly later in the low compared to the high variability condition, for both happy and angry emotions. In Experiment 3, faces with low emotional variability did not elicit vMMN, while those with high emotional variability elicited vMMP in the time window of 320-420 ms. The MVPA showed that the standard and deviant stimuli could be decoded during the early stage in both variability conditions, replicating the results of the previous experiments and excluding the potential confound of range and distribution.

Taken together, we found that the variability of multiple unattended facial expressions can be perceived automatically. Moreover, there is an advantage in the automatic processing of relatively higher emotional variability, and this advantage is also influenced by the valence of emotions. 

", + "description_en": "

The variability of multiple facial expressions can be extracted efficiently. However, whether processing emotional variability is automatic, and whether it is impacted by types of emotions, remains unresolved. 

To answer these questions, we employed a passive oddball paradigm and recorded event-related potentials while participants did an attentional demanding task to detect the changes in the central fixation. A set of four faces was shown in the periphery, either displaying low (Experiment 1: SD = 21; Experiment 2: SD = 7) or high emotional variability (Experiment 1: SD = 36.12; Experiment 2: SD = 20.39), which was manipulated by changing the distance of emotional units among faces. In Experiment 1, the face set consisted of two angry and two happy faces, and the mean emotion was neutral (M = 50). In Experiment 2, all four faces were angry or happy, and the mean emotion was moderate anger (M = 25) or moderate happiness (M = 75). In Experiment 3, we additionally controlled for the range of emotional units in the set and used symmetrical distributions in both low (M = 50, SD = 35.67) and high variability conditions (M = 50, SD = 43.42). The two variability conditions had matched mean emotions and were shown with a probability of 20% (deviant) and 80% (standard) respectively in the sequence, or vice versa. When deviant stimuli are embedded within a series of standard stimuli, the appearance of the deviant would disrupt the established statistics or the regularity, leading to the observation of the vMMN (visual mismatch negativity). The vMMN is considered an index of automatic change detection, evoked by any alteration in the sequence. 

The results showed that in Experiment 1, faces with low emotional variability did not elicit vMMN, while those with high emotional variability elicited vMMN at both early (110-140 ms) and late (320-420 ms) time intervals. Further multivariate pattern analysis (MVPA) using all EEG channels showed that the brain could decode the standard and deviant stimuli before 100 ms under the conditions of both high and low emotional variability. In Experiment 2, when the mean emotion was angry, faces with low emotional variability elicited vMMN, whereas faces with high emotional variability elicited vMMP (visual mismatch positivity) in the time window of 320-420 ms. In contrast, when the mean emotion was happy, faces with both high and low emotional variability did not elicit significant vMMN in the 320-420 ms time window. Moreover, under all conditions of emotional variability, the standard and deviant stimuli could be successfully decoded at an early stage, but the decoding onset latency was significantly later in the low compared to the high variability condition, for both happy and angry emotions. In Experiment 3, faces with low emotional variability did not elicit vMMN, while those with high emotional variability elicited vMMP in the time window of 320-420 ms. The MVPA showed that the standard and deviant stimuli could be decoded during the early stage in both variability conditions, replicating the results of the previous experiments and excluding the potential confound of range and distribution.

Taken together, we found that the variability of multiple unattended facial expressions can be perceived automatically. Moreover, there is an advantage in the automatic processing of relatively higher emotional variability, and this advantage is also influenced by the valence of emotions. 

", + "description_zh": "

本研究通过反向oddball范式和视觉失匹配负波(vMMN),考察个体能否自动加工多面孔情绪变异性信息,以及这一过程是否受情绪类型的影响。研究采用中央注视点辨别任务,而四张情绪面孔在外周视野同时呈现且与任务无关。情绪变异性通过改变面孔的情绪强度进行操纵。实验1结果发现,当整体情绪为中性时,低情绪变异性面孔不会诱发vMMN,而高情绪变异性面孔诱发了早期和晚期的vMMN。实验2进一步区分了愤怒和高兴两种情绪类型,结果发现,当面孔整体情绪为高兴时,高、低情绪变异性面孔并未诱发显著的vMMN。而当面孔整体情绪为愤怒时,高、低情绪变异性面孔在晚期分别诱发了视觉失匹配正波(vMMP)和vMMN。实验3控制了全距和分布形式,发现低情绪变异性面孔未诱发vMMN,而高情绪变异性面孔在晚期诱发vMMP。此外,在三个实验的所有条件下,全脑均能在早期解码出标准与偏差刺激。实验2还额外发现,低情绪变异性面孔解码时间较高情绪变异性面孔更晚。综上,大脑可以自动加工多张面孔的情绪变异性信息,对相对较高的情绪变异性存在自动加工优势,并受情绪类型的影响。

", + "authors": [ + { + "name_en": "Zilong Chen", + "name_zh": "Zilong Chen", + "email": "chenzilong312@163.com", + "affiliations": [ + { + "name_en": "Guangzhou University", + "name_zh": "广州大学", + "ror_id": "https://ror.org/05ar8rn06" + } + ] + }, + { + "name_en": "Luyan Ji", + "name_zh": "Luyan Ji", + "email": "luyanji@gzhu.edu.cn", + "affiliations": [ + { + "name_en": "Guangzhou University", + "name_zh": "广州大学", + "ror_id": "https://ror.org/05ar8rn06" + } + ] + } + ], + "keywords_en": [ + "Emotional variability", + "Ensemble encoding", + "Facial expressions", + "Visual mismatch negativity(vMMN)", + "Event-related potentials (ERPs)" + ], + "keywords_zh": [ + "Emotional variability", + "Ensemble encoding", + "Facial expressions", + "Visual mismatch negativity(vMMN)", + "Event-related potentials (ERPs)" + ], + "publication_date": "2024-08-08T08:21:47.544Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 251.53, + "file_size_bytes": 263750751, + "download_count": 8450, + "visit_count": 906, + "url": "https://www.scidb.cn/en/detail?id=67fd3df2ac9a663b1b555558", + "source": "scidb" + }, + { + "dataset_id": "684c3451918e1d0fc634c0ef", + "doi": "10.57760/sciencedb.25524", + "cstr": "31253.11.sciencedb.25524", + "pid": "", + "title": "MODIS MAIAC AOD daily grid data for China (GridMAIACAODChina)", + "title_en": "MODIS MAIAC AOD daily grid data for China (GridMAIACAODChina)", + "title_zh": "中国区域MODIS MAIAC AOD日合成值数据(GridMAIACAODChina)", + "description": "

The GridMAIACAODChina dataset is based on the MODIS Collection 6.1 MCD19A2 product. MCD19A2 is an aerosol product retrieved using the MAIAC algorithm and observation data from two MODIS sensors onboard the Terra and Aqua satellites. It primarily includes parameters such as aerosol optical depth (AOD). MCD19A2 data is stored in HDF format and sinusoidal projection. Data extraction, numerical scaling, coordinate conversion, and conversion to the GeoTIFF format are required. We processed the MAIAC AOD data of the MCD19A2 product from 2000 to 2024 in the China region. The processing steps include: (1) extracting 550 nm AOD data from the HDF file, multiplying it by the scaling factor 0.001 to get the actual AOD value, using the quality assurance band to filter the AOD value of each pixel, retaining only the pixel with the best retrieval quality, and setting the remaining values to an invalid value of -999; (2) calculating the mean of each sin projection “tile” based on the valid value; (3) defining the coordinate of each sin projection “tile”; (4) for each day's data, mosaicking each sin projection “tile” data into one data, and outputting the data; (5) reprojecting the data to the WGS84 coordinate system, and outputting it in GeoTIFF format, using LZW lossless compression to reduce the file size, and writing out metadata at the same time. The temporal resolution of GridMAIACAODChina is 1 day, the spatial resolution is 0.01° (approximately 1 km), the spatial coverage range is 70–140 degrees east longitude and 0–55 degrees north latitude, the scaling factor is 1 (the actual AOD value), the file format is GeoTIFF, the coordinate system is WGS84, the file name is date string, and the “_info.txt” file is the metadata file.

 

Please cite the following data and references when using the dataset:


1. Su Xin. Daily composite of MODIS MAIAC AOD in China (GridMAIACAODChina)[DS/OL]. V1. Science Data Bank, 2025[2025-05-26]. https://doi.org/10.57760/sciencedb.25524. DOI:10.57760/sciencedb.25524.

2. Su Xin, Cao Mengdan, Wang Lunche, Gui Xuan, Zhang Ming, Huang Yuhang, Zhao Yueji (2023). Validation, inter-comparison, and usage recommendation of six latest VIIRS and MODIS aerosol products over the ocean and land on the global and regional scales. Science of the Total Environment, 884, 163794. https://doi.org/10.1016/j.scitotenv.2023.163794.

3. Huang Ge, Su Xin, Wang Lunche, Wang Yi, Cao Mengdan, Wang Lin, Ma Xiaoyu, Zhao Yueji, Yang Leiku (2024). Evaluation and analysis of long-term MODIS MAIAC aerosol products in China. Science of the Total Environment, 948, 174983. https://doi.org/10.1016/j.scitotenv.2024.174983.

4. Wang Lunche, Su Xin, Wang Yi, Cao Mengdan, Lang Qin, Li Huaping, Sun Junyao, Zhang Ming, Qin Wenmin, Li Lei, Yang Leiku (2024). Towards long-term, high-accuracy, and continuous satellite total and fine-mode aerosol records: Enhanced Land General Aerosol (e-LaGA) retrieval algorithm for VIIRS. Isprs Journal of Photogrammetry and Remote Sensing, 214, 261-281. https://doi.org/10.1016/j.isprsjprs.2024.06.022.


", + "description_en": "

The GridMAIACAODChina dataset is based on the MODIS Collection 6.1 MCD19A2 product. MCD19A2 is an aerosol product retrieved using the MAIAC algorithm and observation data from two MODIS sensors onboard the Terra and Aqua satellites. It primarily includes parameters such as aerosol optical depth (AOD). MCD19A2 data is stored in HDF format and sinusoidal projection. Data extraction, numerical scaling, coordinate conversion, and conversion to the GeoTIFF format are required. We processed the MAIAC AOD data of the MCD19A2 product from 2000 to 2024 in the China region. The processing steps include: (1) extracting 550 nm AOD data from the HDF file, multiplying it by the scaling factor 0.001 to get the actual AOD value, using the quality assurance band to filter the AOD value of each pixel, retaining only the pixel with the best retrieval quality, and setting the remaining values to an invalid value of -999; (2) calculating the mean of each sin projection “tile” based on the valid value; (3) defining the coordinate of each sin projection “tile”; (4) for each day's data, mosaicking each sin projection “tile” data into one data, and outputting the data; (5) reprojecting the data to the WGS84 coordinate system, and outputting it in GeoTIFF format, using LZW lossless compression to reduce the file size, and writing out metadata at the same time. The temporal resolution of GridMAIACAODChina is 1 day, the spatial resolution is 0.01° (approximately 1 km), the spatial coverage range is 70–140 degrees east longitude and 0–55 degrees north latitude, the scaling factor is 1 (the actual AOD value), the file format is GeoTIFF, the coordinate system is WGS84, the file name is date string, and the “_info.txt” file is the metadata file.

 

Please cite the following data and references when using the dataset:


1. Su Xin. Daily composite of MODIS MAIAC AOD in China (GridMAIACAODChina)[DS/OL]. V1. Science Data Bank, 2025[2025-05-26]. https://doi.org/10.57760/sciencedb.25524. DOI:10.57760/sciencedb.25524.

2. Su Xin, Cao Mengdan, Wang Lunche, Gui Xuan, Zhang Ming, Huang Yuhang, Zhao Yueji (2023). Validation, inter-comparison, and usage recommendation of six latest VIIRS and MODIS aerosol products over the ocean and land on the global and regional scales. Science of the Total Environment, 884, 163794. https://doi.org/10.1016/j.scitotenv.2023.163794.

3. Huang Ge, Su Xin, Wang Lunche, Wang Yi, Cao Mengdan, Wang Lin, Ma Xiaoyu, Zhao Yueji, Yang Leiku (2024). Evaluation and analysis of long-term MODIS MAIAC aerosol products in China. Science of the Total Environment, 948, 174983. https://doi.org/10.1016/j.scitotenv.2024.174983.

4. Wang Lunche, Su Xin, Wang Yi, Cao Mengdan, Lang Qin, Li Huaping, Sun Junyao, Zhang Ming, Qin Wenmin, Li Lei, Yang Leiku (2024). Towards long-term, high-accuracy, and continuous satellite total and fine-mode aerosol records: Enhanced Land General Aerosol (e-LaGA) retrieval algorithm for VIIRS. Isprs Journal of Photogrammetry and Remote Sensing, 214, 261-281. https://doi.org/10.1016/j.isprsjprs.2024.06.022.


", + "description_zh": "

数据集描述:

GridMAIACAODChina数据集基于MODIS Collection 6.1 MCD19A2产品生产,MCD19A2是联合Terra和Aqua卫星上的两颗MODIS传感器观测数据,使用MAIAC算法反演的气溶胶产品,主要包括气溶胶光学厚度(AOD)等参数。MCD19A2数据存储为HDF格式和正弦投影,需要对数据进行提取、数值缩放、坐标转换,转换为软件方便处理和识别的GeoTIFF格式等预处理。为了方便数据用户,我们处理了2000–2024年中国区域的MCD19A2产品的MAIAC AOD数据。处理步骤包括:(1)从HDF文件中提取550 nm AOD数据,乘以缩放系数0.001得到实际AOD值,使用质量保证波段对每个像元的AOD值进行筛选,只保留反演质量最佳的像元值,其余值设置为-999.0;(2)基于有效值计算每个正弦“块”的均值;(3)定义每个正弦“块”的投影;(4)对于每天的数据,镶嵌每个正弦“块”数据为一个数据,并输出数据;(5)重投影数据到WGS84坐标系,输出为GeoTIFF格式,使用LZW无损压缩减小文件量,同时写出元数据文件。

GridMAIACAODChina时间分辨率为1天,空间分辨率为0.01°(约为1 km),空间覆盖范围为东经70–140度,北纬0–55度,缩放因子为1(为实际AOD值),文件格式为GeoTIFF,坐标系统为WGS84,文件名为日期,包含的_info.txt文件为元数据文件。

 

数据集评估:

下图使用中国区域AERONET站点评估了MAIAC AOD在中国区域的精度,相关系数超过0.919,偏差为0.015–0.02,RMSE约为0.1,满足期望误差的比例约为67%,在中国区域的稳定性较差,不确定性变化超过0.065/10年。

 

下图显示了全球区域6个MODIS和VIIRS产品的验证和对比,其中MODIS的三个产品(DT、DB和MAIAC),MAIAC AOD的全球验证精度最高,偏差为0.001,RMSE为0.102,满足期望误差 ±(0.05+15%τ) 的比例为0.761,在全球46.8%的站点和8/10的区域优于MODIS DT和DB AOD。

 

数据集应用:

GridMAIACAODChina为长时序1 km AOD数据集,可以用于气溶胶时空分布和变化趋势分析,捕捉和分析各类气溶胶事件,与其他产品对比分析;环境健康(如颗粒物浓度估算,污染暴露估算等)、气候变化(如辐射估算、辐射平衡等)、定量遥感(如大气校正、痕量气体和温室气体反演支持等)。

 

数据集使用请引用以下数据和参考文献:


1. Su Xin. Daily composite of MODIS MAIAC AOD in China (GridMAIACAODChina)[DS/OL]. V1. Science Data Bank, 2025[2025-05-26]. https://doi.org/10.57760/sciencedb.25524. DOI:10.57760/sciencedb.25524.

2. Su Xin, Cao Mengdan, Wang Lunche, Gui Xuan, Zhang Ming, Huang Yuhang, Zhao Yueji (2023). Validation, inter-comparison, and usage recommendation of six latest VIIRS and MODIS aerosol products over the ocean and land on the global and regional scales. Science of the Total Environment, 884, 163794. https://doi.org/10.1016/j.scitotenv.2023.163794.

3. Huang Ge, Su Xin, Wang Lunche, Wang Yi, Cao Mengdan, Wang Lin, Ma Xiaoyu, Zhao Yueji, Yang Leiku (2024). Evaluation and analysis of long-term MODIS MAIAC aerosol products in China. Science of the Total Environment, 948, 174983. https://doi.org/10.1016/j.scitotenv.2024.174983.

4. Wang Lunche, Su Xin, Wang Yi, Cao Mengdan, Lang Qin, Li Huaping, Sun Junyao, Zhang Ming, Qin Wenmin, Li Lei, Yang Leiku (2024). Towards long-term, high-accuracy, and continuous satellite total and fine-mode aerosol records: Enhanced Land General Aerosol (e-LaGA) retrieval algorithm for VIIRS. Isprs Journal of Photogrammetry and Remote Sensing, 214, 261-281. https://doi.org/10.1016/j.isprsjprs.2024.06.022.



", + "authors": [ + { + "name_en": "Su Xin", + "name_zh": "宿鑫", + "email": "xxin@cug.edu.cn", + "affiliations": [ + { + "name_en": "China University of Geosciences", + "name_zh": "中国地质大学", + "ror_id": "https://ror.org/04gcegc37" + } + ] + } + ], + "keywords_en": [ + "MODIS AOD", + "气溶胶光学厚度", + "大气气溶胶", + "气溶胶", + "MAIAC AOD", + "MAC19A2", + " MODIS", + "大气污染" + ], + "keywords_zh": [ + "MODIS AOD", + "气溶胶光学厚度", + "大气气溶胶", + "气溶胶", + "MAIAC AOD", + "MCD19A2", + " MODIS", + "大气污染" + ], + "publication_date": "2025-05-29T01:13:49.587Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 140495.25, + "file_size_bytes": 147319943214, + "download_count": 4649, + "visit_count": 4752, + "url": "https://www.scidb.cn/en/detail?id=684c3451918e1d0fc634c0ef", + "source": "scidb" + }, + { + "dataset_id": "675da34cfec5a156275fe9a1", + "doi": "10.57760/sciencedb.18626", + "cstr": "31253.11.sciencedb.18626", + "pid": "", + "title": "Visibility Region Spatial Distribution Dataset for XL-MIMO Arrays", + "title_en": "Visibility Region Spatial Distribution Dataset for XL-MIMO Arrays", + "title_zh": "超大规模MIMO阵列可视区域空间分布数据集", + "description": "

Abstract: The Visibility Region (VR) information can be used to reduce the complexity in transmission design of EXtremely Large-scale massive Multiple-Input Multiple-Output (XL-MIMO) systems. Existing theoretical analysis and transmission design are mostly based on simplified VR models. In order to evaluate and analyze the performance of XL-MIMO in realistic propagation scenarios, this paper discloses a VR spatial distribution dataset for XL-MIMO systems, which is constructed by steps including environmental parameter setting, ray tracing simulation, field strength data preprocessing and VR determination. For typical urban scenarios, the dataset establishes the connections between user locations, field strength data, and VR data, with a total number of hundreds of millions of data entries. Furthermore, the VR distribution is visualized and analyzed, and a VR-based XL-MIMO user access protocol is taken as an example usecase, with its performance being evaluated with the proposed VR dataset.

", + "description_en": "

Abstract: The Visibility Region (VR) information can be used to reduce the complexity in transmission design of EXtremely Large-scale massive Multiple-Input Multiple-Output (XL-MIMO) systems. Existing theoretical analysis and transmission design are mostly based on simplified VR models. In order to evaluate and analyze the performance of XL-MIMO in realistic propagation scenarios, this paper discloses a VR spatial distribution dataset for XL-MIMO systems, which is constructed by steps including environmental parameter setting, ray tracing simulation, field strength data preprocessing and VR determination. For typical urban scenarios, the dataset establishes the connections between user locations, field strength data, and VR data, with a total number of hundreds of millions of data entries. Furthermore, the VR distribution is visualized and analyzed, and a VR-based XL-MIMO user access protocol is taken as an example usecase, with its performance being evaluated with the proposed VR dataset.

", + "description_zh": "

数据集说明

数据主编: 南通大学、南京邮电大学、东南大学研究团队


阵列可视区域(VR)是超大规模MIMO(XL-MIMO)系统的重要信道特性,可用于系统性能分析或简化传输设计。本数据集提供了真实城市场景下的XL-MIMO VR空间分布数据,亦可自定义VR设置实现更多数据生成。



本数据集包含XL-MIMO可视区域数据集VRD,以及用于按需构建VRD的XL-MIMO阵列场强空间分布基础数据集。通过自定义环境参数信息、射线追踪仿真、天线场强数据预处理等步骤得到XL-MIMO阵列场强空间分布基础数据集,在此基础上,基于可自定义的VR判定准则生成数据集VRD。



具体地,阵列场强空间分布基础数据集由以下步骤生成:(1)建立真实城市场景三维模型,并在建筑表面设置高(Site 1)、低(Site 2)两个典型XL-MIMO阵列部署站点(图1(a)),通过射线追踪获取各站点中每一阵列天线在目标区域内的场强分布(图1(b)(c));(2)在目标区域进行用户位置采样(图2(a)),对每一位置,将其对应的各发送天线场强按阵列部署形态记录为矩阵存储(图2(b),2(c))。




XL-MIMO天线场强空间分布基础数据集可用于按需灵活构建VRD。如图3所示,以site2为例,选择值为70%、80%和90%的能量集中度应用子阵列能量集中度VR判定准则进行计算与数据提取,绘制该准则下的对应三个位置的VR可视图。在应用中,亦可自定义子阵列形态与数目。



VRD可应用于基于VR的XL-MIMO传输设计,验证并评估其在真实传播场景下的性能。图4为VRD数据应用到XL-MIMO系统多用户接入协议性能评估的示例。

使用声明:超大规模MIMO阵列可视区域空间分布数据集来源于国家自然科学基金(62001254, 62171240);江苏省高校自然科学基金(22KJB510039)


若在论文、学术报告中使用该数据集,请标注数据集引用方式:


引用本文:高锐锋, 苗艳春, 陈颖, 王珏, 张军, 韩瑜, 金石. 超大规模MIMO阵列可视区域空间分布数据集[J]. 电子与信息学报, 2024, 46(8): 3063-3072. doi: 10.11999/JEIT231273


Citation: GAO Ruifeng, MIAO Yanchun, CHEN Ying, WANG Jue, ZHANG Jun, HAN Yu, JIN Shi. Visibility Region Spatial Distribution Dataset for XL-MIMO Arrays[J]. Journal of Electronics & Information Technology, 2024, 46(8): 3063-3072. doi: 10.11999/JEIT231273

", + "authors": [ + { + "name_en": "dian zi yu xin xi xue bao", + "name_zh": "电子与信息学报", + "email": "jeit@aircas.ac.cn", + "affiliations": [ + { + "name_en": "中国科学院空天信息创新研究院", + "name_zh": "中国科学院空天信息创新研究院", + "ror_id": "https://ror.org/0419fj215" + } + ] + } + ], + "keywords_en": [ + "Extremely large-scale massive Multiple-Input Multiple-Output (MIMO)", + "Visibility region", + "Ray tracing", + "Energy concentration", + "Subarrays " + ], + "keywords_zh": [ + "超大规模MIMO", + "可视区域", + "射线追踪", + "能量集中度", + "阵列 " + ], + "publication_date": "2024-12-31T07:24:48.267Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-SA 4.0", + "file_size_mb": 1147.07, + "file_size_bytes": 1202793451, + "download_count": 35, + "visit_count": 1036, + "url": "https://www.scidb.cn/en/detail?id=675da34cfec5a156275fe9a1", + "source": "scidb" + }, + { + "dataset_id": "68708f0c0e9dcc59702a25cf", + "doi": "10.57760/sciencedb.Fastro.00028", + "cstr": "31253.11.sciencedb.Fastro.00028", + "pid": "", + "title": "Sky Coverage and Pulsar Search of CRAFTS", + "title_en": "Sky Coverage and Pulsar Search of CRAFTS", + "title_zh": "Sky Coverage and Pulsar Search of CRAFTS", + "description": "

We are delighted to present the release of the CRAFTS pulsar catalog. This catalog encompasses discovered pulsar conducted under the CRAFTS project from February 1, 2020 to July 1, 2025. In total, it includes a substantial number of pulsar detections, covering a wide range of sky regions.

The data has been meticulously processed to provide accurate pulsar information, such as position, pulse period, and other relevant parameters.

The datasets are publicly accessible without collaboration required. However, proper attribution through citation of the dataset DOI and related publications listed in the Reference section of the Readme document is highly appreciated.

This dataset can also be downloaded through the following link (including data description, reference articles, pulsar table and pulsar distribution map).

The pulsar distribution in the sky and the Galactic plane visible to the FAST.

", + "description_en": "

We are delighted to present the release of the CRAFTS pulsar catalog. This catalog encompasses discovered pulsar conducted under the CRAFTS project from February 1, 2020 to July 1, 2025. In total, it includes a substantial number of pulsar detections, covering a wide range of sky regions.

The data has been meticulously processed to provide accurate pulsar information, such as position, pulse period, and other relevant parameters.

The datasets are publicly accessible without collaboration required. However, proper attribution through citation of the dataset DOI and related publications listed in the Reference section of the Readme document is highly appreciated.

This dataset can also be downloaded through the following link (including data description, reference articles, pulsar table and pulsar distribution map).

The pulsar distribution in the sky and the Galactic plane visible to the FAST.

", + "description_zh": "

We are delighted to present the release of the CRAFTS pulsar catalog. This catalog encompasses discovered pulsar conducted under the CRAFTS project from February 1, 2020 to July 1, 2025. In total, it includes a substantial number of pulsar detections, covering a wide range of sky regions.

The data has been meticulously processed to provide accurate pulsar information, such as position, pulse period, and other relevant parameters.

The datasets are publicly accessible without collaboration required. However, proper attribution through citation of the dataset DOI and related publications listed in the Reference section of the Readme document is highly appreciated.

This dataset can also be downloaded through the following link (including data description, reference articles, pulsar table and pulsar distribution map).

The pulsar distribution in the sky and the Galactic plane visible to the FAST.

", + "authors": [ + { + "name_en": "Li Di", + "name_zh": "Li Di", + "email": "dili@nao.cas.cn", + "affiliations": [ + { + "name_en": " Tsinghua University", + "name_zh": " Tsinghua University" + }, + { + "name_en": " National Astronomical Observatories ", + "name_zh": " National Astronomical Observatories " + } + ] + }, + { + "name_en": "Wang Pei", + "name_zh": "Wang Pei", + "email": "wangpei@nao.cas.cn", + "affiliations": [ + { + "name_en": " National Astronomical Observatories ", + "name_zh": " National Astronomical Observatories " + } + ] + } + ], + "keywords_en": [ + "CRAFTS", + "pulsar", + "Survey" + ], + "keywords_zh": [ + "CRAFTS", + "pulsar", + "Survey" + ], + "publication_date": "2025-07-01T10:19:20.555Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-SA 4.0", + "file_size_mb": 12.41, + "file_size_bytes": 13012698, + "download_count": 461, + "visit_count": 949, + "url": "https://www.scidb.cn/en/detail?id=68708f0c0e9dcc59702a25cf", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4710751", + "cstr": "31253.11.10.5281/zenodo.4710751", + "pid": "", + "title": "The Brain Imaging Data Structure (BIDS) Specification", + "title_en": "The Brain Imaging Data Structure (BIDS) Specification", + "title_zh": "The Brain Imaging Data Structure (BIDS) Specification", + "description": "This resource defines the Brain Imaging Data Structure (BIDS) specification, including the core specification as well as many modality-specific extensions.To get started, check out the introduction. For an overview of the BIDS ecosystem, visit the BIDS homepage. The entire specification can also be browsed in an HTML version.See Appendix I for a list of the BIDS contributors who jointly created this specification.", + "description_en": "This resource defines the Brain Imaging Data Structure (BIDS) specification, including the core specification as well as many modality-specific extensions.To get started, check out the introduction. For an overview of the BIDS ecosystem, visit the BIDS homepage. The entire specification can also be browsed in an HTML version.See Appendix I for a list of the BIDS contributors who jointly created this specification.", + "description_zh": "This resource defines the Brain Imaging Data Structure (BIDS) specification, including the core specification as well as many modality-specific extensions.To get started, check out the introduction. For an overview of the BIDS ecosystem, visit the BIDS homepage. The entire specification can also be browsed in an HTML version.See Appendix I for a list of the BIDS contributors who jointly created this specification.", + "authors": [ + { + "name_en": "BIDS-contributors", + "name_zh": "BIDS-contributors" + } + ], + "keywords_en": [ + "neuroimaging", + "neuroinformatics", + "data standard" + ], + "keywords_zh": [ + "neuroimaging", + "neuroinformatics", + "data standard" + ], + "publication_date": 1619020800, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0, + "file_size_bytes": 0, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3265460", + "cstr": "", + "pid": "", + "title": "How BIDs and BIDs validator has informed the data aggregation needs of the Stimulating Peripheral Activity to Relieve Conditions, SPARC, consortium", + "title_en": "How BIDs and BIDs validator has informed the data aggregation needs of the Stimulating Peripheral Activity to Relieve Conditions, SPARC, consortium", + "title_zh": "How BIDs and BIDs validator has informed the data aggregation needs of the Stimulating Peripheral Activity to Relieve Conditions, SPARC, consortium", + "description": "This is an abstract for an oral presentation, submitted to the Research Object workshop. https://researchobject.github.io/ro2019/", + "description_en": "This is an abstract for an oral presentation, submitted to the Research Object workshop. https://researchobject.github.io/ro2019/", + "description_zh": "This is an abstract for an oral presentation, submitted to the Research Object workshop. https://researchobject.github.io/ro2019/", + "authors": [ + { + "name_en": "Bandrowski, Anita", + "name_zh": "Bandrowski, Anita" + }, + { + "name_en": " Gillespie, Tom", + "name_zh": " Gillespie, Tom" + }, + { + "name_en": " Surles-Zeigler, Monique", + "name_zh": " Surles-Zeigler, Monique" + }, + { + "name_en": " Pine, Gabrielle", + "name_zh": " Pine, Gabrielle" + }, + { + "name_en": " Grethe, Jeffery", + "name_zh": " Grethe, Jeffery" + }, + { + "name_en": " Martone, Maryann", + "name_zh": " Martone, Maryann" + } + ], + "keywords_en": [ + "BIDs Community Standard Neuroscience PUID" + ], + "keywords_zh": [ + "BIDs Community Standard Neuroscience PUID" + ], + "publication_date": 1561996800000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 7870, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.11654", + "cstr": "31253.11.10.5281/zenodo.11654", + "pid": "", + "title": "EEG and fMRI_PLOS ONE", + "title_en": "EEG and fMRI_PLOS ONE", + "title_zh": "EEG and fMRI_PLOS ONE", + "description": "subject and data information5_subjectssampling frequency: 1000 Hz256 channels", + "description_en": "subject and data information5_subjectssampling frequency: 1000 Hz256 channels", + "description_zh": "subject and data information5_subjectssampling frequency: 1000 Hz256 channels", + "authors": [ + { + "name_en": "Ching-Chang Kuo", + "name_zh": "Ching-Chang Kuo" + } + ], + "keywords_en": [ + "EEG" + ], + "keywords_zh": [ + "EEG" + ], + "publication_date": "2014-09-08T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.04, + "file_size_bytes": 38167, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4470135", + "cstr": "", + "pid": "", + "title": "Bipolar EEG dataset - music", + "title_en": "Bipolar EEG dataset - music", + "title_zh": "Bipolar EEG dataset - music", + "description": "Dataset setting out to investigate neural responses to continuous musical pieces with bipolar EEG. Analysis code (and usage instructions) to derive neural responses to the temporal fine structure of the stimuli is on Github. The EEG data processed to this end is provided here, as well as the raw data to enable different analyses (e.g. slower cortical responses).# IntroductionThis dataset contains bipolar scalp EEG responses of 17 subjects listening to continuous musical pieces (Bach's Two-Part Inventions), and performing a vibrato detection task.Naming conventions:- The subject IDs are EBIP01, EBIP02 ... EBIP17.- The different conditions are labelled to indicate the instrument that was being attended: fG and fP for the Guitar and Piano in quiet (Single Instrument (SI) conditions), respectively; and fGc and fPc for Competing conditions where both the instruments are playing together, but where the subjects should be selectively attending to the Guitar or Piano, respectively (Competing Instrument (CI) conditions).- An appended index from 2 to 7 designates the invention that was played (index 1 corresponds to the training block for which no EEG data was recorded). Note that this index does not necessarily corresponds to the order in which the stimuli were played (order was pseudo-randomised).For example, the EEG file named EBIP08_fGc_4 contains EEG data from subject EBIP08 performing the competing instrument task (CI condition), attending to the guitar (ignoring the piano), and the stimulus that was played was the invention #4.# ContentThe general organisation of the dataset is as follow:data ├─── behav              folder containing the behavioural data ├─── EEG                           folder containing the EEG data │   ├─── processed │   └─── raw ├─── linearModelResults            folder containing the results from the analysis code └─── stimuli                                                folder containing the stimuli     ├─── features     ├─── processedInventions     └─── rawInventionsThis general organisation is the one expected by the code. The location of the data folder and/or these main folders can be personalised in the functions/+EEGmusic2020/getPath.m function in the Github repository. The architecture of the sub-folders in each of these folders is specified by the functions makePathEEGFolder, makePathFeatureFiles and makePathSaveResults. The naming of the files within them is implemented by makeNameEEGDataFile and makeNameEEGDataFile (all these functions being in functions/+EEGmusic2020). - The behav folder is structured as follow:behav ├─── EBIP02 │     ├─── EBIP02_keyboardInputs_fGc_2.mat    file containing variables: │     │     ├─── timePressed                                key press time (in seconds, relative to stimulus onset) │     │     └─── keyCode                                       ID of the keys that were pressed │     └─── ... ├─── ... ├─── vibTime  │     ├─── vibTime_2.mat                                 file containing variables: │     │     ├─── idxNoteVib                           index (in the MIDI files) of the notes in which vibratos were inserted │     │     ├─── instrumentOrder                 order of the instruments in idxNoteVib and vibTiming variables │     │     └─── vibTiming                             timing of vibrato onsets in the track (in s) │     ├─── ... └─── clickPerformance_RT_2.0.mat                file containing behavioural results for all subjects (FPR, TPR, etc.):instrumentOrder indicates to what instrument each column of idxNoteVib and vibTiming refers to. The data for EBIP01 missing due to a technical error. - The EEG/raw folder contains unprocessed EEG data for all subjects, and files indicating the order in which the inventions were played. It is structured as follow:EEG ├─── raw │     ├─── EBIP01 │     │     ├─── EBIP01_EEGExpParam.mat                file containing variables: │     │     │    ├─── conditionOrder                     whether this subject started by listening to the guitar or piano │     │     │    └─── partsOrder                             order in which the inventions were presented to this subject │     │     ├─── EBIP01_fGc_2.[eeg/vhdr/vmrbk]  raw EEG data files │     │     ├─── ... │     ├─── ...The conditionOrder variable can assume two values: either {'fG','fP'} indicating the subject started by listening to the guitar or {'fP','fG'} indicating the subject started by listening to the piano. The partsOrder variable is a 2 x 6 matrix containing the indices (2 to 7) of the inventions that were played, ordered in the presentation order. During the first block, the instrument conditionOrder{1} was attended, and the invention # partsOrder(1,1) was played. During the second block, the instrument conditionOrder{2} was attended, and the invention #partsOrder(2,1) was played, etc.Each EEG files contains 3 channels: 2 are the bipolar electrophysiological channels, and one (labelled Sound) contains a recording of the stimuli that were played and that was simultaneously recorded at the same sampling rate as the EEG data (5 kHz) by the amplifier through an acoustic adapter. The files also contain triggers that indicate the beginning and end of the stimuli (labelled S 1 and S 2 respectively). The sound channel and triggers can be used to temporally align the EEG data and stimuli. The EEG/processed folder contains processed EEG data for all subjects, as required for the analyses carried out in the code. It is organised as follow:EEG ├─── processed │     └─── Fs-5000                                sampling rate │           └─── HP-130                      processing that was applied │           │     ├─── EBIP01 │           │     │     ├─── ...   processed EEG data files │           │     ├─── ... │           └─── noProc │                 ├─── ...This structure is specified by the makePathEEGFolder function, and the file names by makeNameEEGDataFile. In the files in the noProc folder, the EEG data was simply aligned with the stimuli, but is otherwise unprocessed. Events were added to mark stimulus onset and offset (labelled stimBegin and stimEnd). In the other folders, the EEG data was furthermore high-pass filtered at 130 Hz (HP-130). - The linearModelResults folder contains the results from the linear model analyses:linearModelResults └─── Fs-5000                                sampling rate │     └─── HP-130                      processing of the EEG data │     │     └─── LP-2000        processing of the stimulus feature │     │           ├─── ...    result files │     ├─── ...This structure and file names are specified by the makePathSaveResults function. - The rawInventions folder contains the orignal data that was used to construct the stimuli:rawInventions ├─── invent1                                                  invention index │     ├─── invent1_60bpm.mid                 MIDI file │     ├─── invent1_60bpm_guitar.wav  guitar track │     └─── invent1_60bpm_piano.wav    piano track │ ├─── ...In this folder (and only in this folder), the numbering of the inventions differs from the one otherwise used throughout. The correspondence is as shown below:   Raw invention #  |  Feature, etc. #   1, 2, 3, 4         ->  1, 2, 3, 4   7, 8, 9             ->   5, 6,7 - The processedInventions contains invention waveforms that have been transformed. The instrument and invention index are indicated by a suffix in the file names ('G': guitar, 'P': piano). 'zv' indicates that the vibratos were replaced by zeros. 'noOnset30ms' indicates that the onset of the notes was suppressed in a 30 ms window. - The features folder contains specific features of the stimuli for use in the models:features └─── Fs-5000                                  sampling rate of the feature       └─── LP-2000                     processing of the feature              ├─── waveform      feature name (here: stimulus waveform)             │     ├─── ...    feature files             └─── WNO                Waveform No Onset (stimulus waveform with note onsets removed)                   ├─── ... The naming convention is as highlighted above for the processedInventions folder. SI conditions correspond to 'G' & 'P' files, and CI conditions to 'PG' files. In the latter case, 'fG' indicates the attended instrument is the guitar and 'fP' the piano.These files notably contain the variables attended and ignored that contains the feature for the attended and ignored instruments (the ignored field is only present in the CI conditions).Note that a pair of two files corresponding to the same invention in a CI condition ('PGfG' & 'PGfP') effectively contain the same information with the attended and ignored variables flipped.", + "description_en": "Dataset setting out to investigate neural responses to continuous musical pieces with bipolar EEG. Analysis code (and usage instructions) to derive neural responses to the temporal fine structure of the stimuli is on Github. The EEG data processed to this end is provided here, as well as the raw data to enable different analyses (e.g. slower cortical responses).# IntroductionThis dataset contains bipolar scalp EEG responses of 17 subjects listening to continuous musical pieces (Bach's Two-Part Inventions), and performing a vibrato detection task.Naming conventions:- The subject IDs are EBIP01, EBIP02 ... EBIP17.- The different conditions are labelled to indicate the instrument that was being attended: fG and fP for the Guitar and Piano in quiet (Single Instrument (SI) conditions), respectively; and fGc and fPc for Competing conditions where both the instruments are playing together, but where the subjects should be selectively attending to the Guitar or Piano, respectively (Competing Instrument (CI) conditions).- An appended index from 2 to 7 designates the invention that was played (index 1 corresponds to the training block for which no EEG data was recorded). Note that this index does not necessarily corresponds to the order in which the stimuli were played (order was pseudo-randomised).For example, the EEG file named EBIP08_fGc_4 contains EEG data from subject EBIP08 performing the competing instrument task (CI condition), attending to the guitar (ignoring the piano), and the stimulus that was played was the invention #4.# ContentThe general organisation of the dataset is as follow:data ├─── behav              folder containing the behavioural data ├─── EEG                           folder containing the EEG data │   ├─── processed │   └─── raw ├─── linearModelResults            folder containing the results from the analysis code └─── stimuli                                                folder containing the stimuli     ├─── features     ├─── processedInventions     └─── rawInventionsThis general organisation is the one expected by the code. The location of the data folder and/or these main folders can be personalised in the functions/+EEGmusic2020/getPath.m function in the Github repository. The architecture of the sub-folders in each of these folders is specified by the functions makePathEEGFolder, makePathFeatureFiles and makePathSaveResults. The naming of the files within them is implemented by makeNameEEGDataFile and makeNameEEGDataFile (all these functions being in functions/+EEGmusic2020). - The behav folder is structured as follow:behav ├─── EBIP02 │     ├─── EBIP02_keyboardInputs_fGc_2.mat    file containing variables: │     │     ├─── timePressed                                key press time (in seconds, relative to stimulus onset) │     │     └─── keyCode                                       ID of the keys that were pressed │     └─── ... ├─── ... ├─── vibTime  │     ├─── vibTime_2.mat                                 file containing variables: │     │     ├─── idxNoteVib                           index (in the MIDI files) of the notes in which vibratos were inserted │     │     ├─── instrumentOrder                 order of the instruments in idxNoteVib and vibTiming variables │     │     └─── vibTiming                             timing of vibrato onsets in the track (in s) │     ├─── ... └─── clickPerformance_RT_2.0.mat                file containing behavioural results for all subjects (FPR, TPR, etc.):instrumentOrder indicates to what instrument each column of idxNoteVib and vibTiming refers to. The data for EBIP01 missing due to a technical error. - The EEG/raw folder contains unprocessed EEG data for all subjects, and files indicating the order in which the inventions were played. It is structured as follow:EEG ├─── raw │     ├─── EBIP01 │     │     ├─── EBIP01_EEGExpParam.mat                file containing variables: │     │     │    ├─── conditionOrder                     whether this subject started by listening to the guitar or piano │     │     │    └─── partsOrder                             order in which the inventions were presented to this subject │     │     ├─── EBIP01_fGc_2.[eeg/vhdr/vmrbk]  raw EEG data files │     │     ├─── ... │     ├─── ...The conditionOrder variable can assume two values: either {'fG','fP'} indicating the subject started by listening to the guitar or {'fP','fG'} indicating the subject started by listening to the piano. The partsOrder variable is a 2 x 6 matrix containing the indices (2 to 7) of the inventions that were played, ordered in the presentation order. During the first block, the instrument conditionOrder{1} was attended, and the invention # partsOrder(1,1) was played. During the second block, the instrument conditionOrder{2} was attended, and the invention #partsOrder(2,1) was played, etc.Each EEG files contains 3 channels: 2 are the bipolar electrophysiological channels, and one (labelled Sound) contains a recording of the stimuli that were played and that was simultaneously recorded at the same sampling rate as the EEG data (5 kHz) by the amplifier through an acoustic adapter. The files also contain triggers that indicate the beginning and end of the stimuli (labelled S 1 and S 2 respectively). The sound channel and triggers can be used to temporally align the EEG data and stimuli. The EEG/processed folder contains processed EEG data for all subjects, as required for the analyses carried out in the code. It is organised as follow:EEG ├─── processed │     └─── Fs-5000                                sampling rate │           └─── HP-130                      processing that was applied │           │     ├─── EBIP01 │           │     │     ├─── ...   processed EEG data files │           │     ├─── ... │           └─── noProc │                 ├─── ...This structure is specified by the makePathEEGFolder function, and the file names by makeNameEEGDataFile. In the files in the noProc folder, the EEG data was simply aligned with the stimuli, but is otherwise unprocessed. Events were added to mark stimulus onset and offset (labelled stimBegin and stimEnd). In the other folders, the EEG data was furthermore high-pass filtered at 130 Hz (HP-130). - The linearModelResults folder contains the results from the linear model analyses:linearModelResults └─── Fs-5000                                sampling rate │     └─── HP-130                      processing of the EEG data │     │     └─── LP-2000        processing of the stimulus feature │     │           ├─── ...    result files │     ├─── ...This structure and file names are specified by the makePathSaveResults function. - The rawInventions folder contains the orignal data that was used to construct the stimuli:rawInventions ├─── invent1                                                  invention index │     ├─── invent1_60bpm.mid                 MIDI file │     ├─── invent1_60bpm_guitar.wav  guitar track │     └─── invent1_60bpm_piano.wav    piano track │ ├─── ...In this folder (and only in this folder), the numbering of the inventions differs from the one otherwise used throughout. The correspondence is as shown below:   Raw invention #  |  Feature, etc. #   1, 2, 3, 4         ->  1, 2, 3, 4   7, 8, 9             ->   5, 6,7 - The processedInventions contains invention waveforms that have been transformed. The instrument and invention index are indicated by a suffix in the file names ('G': guitar, 'P': piano). 'zv' indicates that the vibratos were replaced by zeros. 'noOnset30ms' indicates that the onset of the notes was suppressed in a 30 ms window. - The features folder contains specific features of the stimuli for use in the models:features └─── Fs-5000                                  sampling rate of the feature       └─── LP-2000                     processing of the feature              ├─── waveform      feature name (here: stimulus waveform)             │     ├─── ...    feature files             └─── WNO                Waveform No Onset (stimulus waveform with note onsets removed)                   ├─── ... The naming convention is as highlighted above for the processedInventions folder. SI conditions correspond to 'G' & 'P' files, and CI conditions to 'PG' files. In the latter case, 'fG' indicates the attended instrument is the guitar and 'fP' the piano.These files notably contain the variables attended and ignored that contains the feature for the attended and ignored instruments (the ignored field is only present in the CI conditions).Note that a pair of two files corresponding to the same invention in a CI condition ('PGfG' & 'PGfP') effectively contain the same information with the attended and ignored variables flipped.", + "description_zh": "Dataset setting out to investigate neural responses to continuous musical pieces with bipolar EEG. Analysis code (and usage instructions) to derive neural responses to the temporal fine structure of the stimuli is on Github. The EEG data processed to this end is provided here, as well as the raw data to enable different analyses (e.g. slower cortical responses).# IntroductionThis dataset contains bipolar scalp EEG responses of 17 subjects listening to continuous musical pieces (Bach's Two-Part Inventions), and performing a vibrato detection task.Naming conventions:- The subject IDs are EBIP01, EBIP02 ... EBIP17.- The different conditions are labelled to indicate the instrument that was being attended: fG and fP for the Guitar and Piano in quiet (Single Instrument (SI) conditions), respectively; and fGc and fPc for Competing conditions where both the instruments are playing together, but where the subjects should be selectively attending to the Guitar or Piano, respectively (Competing Instrument (CI) conditions).- An appended index from 2 to 7 designates the invention that was played (index 1 corresponds to the training block for which no EEG data was recorded). Note that this index does not necessarily corresponds to the order in which the stimuli were played (order was pseudo-randomised).For example, the EEG file named EBIP08_fGc_4 contains EEG data from subject EBIP08 performing the competing instrument task (CI condition), attending to the guitar (ignoring the piano), and the stimulus that was played was the invention #4.# ContentThe general organisation of the dataset is as follow:data ├─── behav              folder containing the behavioural data ├─── EEG                           folder containing the EEG data │   ├─── processed │   └─── raw ├─── linearModelResults            folder containing the results from the analysis code └─── stimuli                                                folder containing the stimuli     ├─── features     ├─── processedInventions     └─── rawInventionsThis general organisation is the one expected by the code. The location of the data folder and/or these main folders can be personalised in the functions/+EEGmusic2020/getPath.m function in the Github repository. The architecture of the sub-folders in each of these folders is specified by the functions makePathEEGFolder, makePathFeatureFiles and makePathSaveResults. The naming of the files within them is implemented by makeNameEEGDataFile and makeNameEEGDataFile (all these functions being in functions/+EEGmusic2020). - The behav folder is structured as follow:behav ├─── EBIP02 │     ├─── EBIP02_keyboardInputs_fGc_2.mat    file containing variables: │     │     ├─── timePressed                                key press time (in seconds, relative to stimulus onset) │     │     └─── keyCode                                       ID of the keys that were pressed │     └─── ... ├─── ... ├─── vibTime  │     ├─── vibTime_2.mat                                 file containing variables: │     │     ├─── idxNoteVib                           index (in the MIDI files) of the notes in which vibratos were inserted │     │     ├─── instrumentOrder                 order of the instruments in idxNoteVib and vibTiming variables │     │     └─── vibTiming                             timing of vibrato onsets in the track (in s) │     ├─── ... └─── clickPerformance_RT_2.0.mat                file containing behavioural results for all subjects (FPR, TPR, etc.):instrumentOrder indicates to what instrument each column of idxNoteVib and vibTiming refers to. The data for EBIP01 missing due to a technical error. - The EEG/raw folder contains unprocessed EEG data for all subjects, and files indicating the order in which the inventions were played. It is structured as follow:EEG ├─── raw │     ├─── EBIP01 │     │     ├─── EBIP01_EEGExpParam.mat                file containing variables: │     │     │    ├─── conditionOrder                     whether this subject started by listening to the guitar or piano │     │     │    └─── partsOrder                             order in which the inventions were presented to this subject │     │     ├─── EBIP01_fGc_2.[eeg/vhdr/vmrbk]  raw EEG data files │     │     ├─── ... │     ├─── ...The conditionOrder variable can assume two values: either {'fG','fP'} indicating the subject started by listening to the guitar or {'fP','fG'} indicating the subject started by listening to the piano. The partsOrder variable is a 2 x 6 matrix containing the indices (2 to 7) of the inventions that were played, ordered in the presentation order. During the first block, the instrument conditionOrder{1} was attended, and the invention # partsOrder(1,1) was played. During the second block, the instrument conditionOrder{2} was attended, and the invention #partsOrder(2,1) was played, etc.Each EEG files contains 3 channels: 2 are the bipolar electrophysiological channels, and one (labelled Sound) contains a recording of the stimuli that were played and that was simultaneously recorded at the same sampling rate as the EEG data (5 kHz) by the amplifier through an acoustic adapter. The files also contain triggers that indicate the beginning and end of the stimuli (labelled S 1 and S 2 respectively). The sound channel and triggers can be used to temporally align the EEG data and stimuli. The EEG/processed folder contains processed EEG data for all subjects, as required for the analyses carried out in the code. It is organised as follow:EEG ├─── processed │     └─── Fs-5000                                sampling rate │           └─── HP-130                      processing that was applied │           │     ├─── EBIP01 │           │     │     ├─── ...   processed EEG data files │           │     ├─── ... │           └─── noProc │                 ├─── ...This structure is specified by the makePathEEGFolder function, and the file names by makeNameEEGDataFile. In the files in the noProc folder, the EEG data was simply aligned with the stimuli, but is otherwise unprocessed. Events were added to mark stimulus onset and offset (labelled stimBegin and stimEnd). In the other folders, the EEG data was furthermore high-pass filtered at 130 Hz (HP-130). - The linearModelResults folder contains the results from the linear model analyses:linearModelResults └─── Fs-5000                                sampling rate │     └─── HP-130                      processing of the EEG data │     │     └─── LP-2000        processing of the stimulus feature │     │           ├─── ...    result files │     ├─── ...This structure and file names are specified by the makePathSaveResults function. - The rawInventions folder contains the orignal data that was used to construct the stimuli:rawInventions ├─── invent1                                                  invention index │     ├─── invent1_60bpm.mid                 MIDI file │     ├─── invent1_60bpm_guitar.wav  guitar track │     └─── invent1_60bpm_piano.wav    piano track │ ├─── ...In this folder (and only in this folder), the numbering of the inventions differs from the one otherwise used throughout. The correspondence is as shown below:   Raw invention #  |  Feature, etc. #   1, 2, 3, 4         ->  1, 2, 3, 4   7, 8, 9             ->   5, 6,7 - The processedInventions contains invention waveforms that have been transformed. The instrument and invention index are indicated by a suffix in the file names ('G': guitar, 'P': piano). 'zv' indicates that the vibratos were replaced by zeros. 'noOnset30ms' indicates that the onset of the notes was suppressed in a 30 ms window. - The features folder contains specific features of the stimuli for use in the models:features └─── Fs-5000                                  sampling rate of the feature       └─── LP-2000                     processing of the feature              ├─── waveform      feature name (here: stimulus waveform)             │     ├─── ...    feature files             └─── WNO                Waveform No Onset (stimulus waveform with note onsets removed)                   ├─── ... The naming convention is as highlighted above for the processedInventions folder. SI conditions correspond to 'G' & 'P' files, and CI conditions to 'PG' files. In the latter case, 'fG' indicates the attended instrument is the guitar and 'fP' the piano.These files notably contain the variables attended and ignored that contains the feature for the attended and ignored instruments (the ignored field is only present in the CI conditions).Note that a pair of two files corresponding to the same invention in a CI condition ('PGfG' & 'PGfP') effectively contain the same information with the attended and ignored variables flipped.", + "authors": [ + { + "name_en": "Etard Octave", + "name_zh": "Etard Octave" + }, + { + "name_en": "Ben Messaoud Rémy", + "name_zh": "Ben Messaoud Rémy" + }, + { + "name_en": "Gaugain Gabriel", + "name_zh": "Gaugain Gabriel" + }, + { + "name_en": "Reichenbach Tobias", + "name_zh": "Reichenbach Tobias" + } + ], + "keywords_en": [ + "EEG", + "music", + "auditory", + "neuroscience", + "continuous stimuli" + ], + "keywords_zh": [ + "EEG", + "music", + "auditory", + "neuroscience", + "continuous stimuli" + ], + "publication_date": "2020-10-19T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 6433.5, + "file_size_bytes": 6746018669, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.160118", + "cstr": "", + "pid": "", + "title": "The raw EEG data, 4 files (EEG_A to D), in European data format (.edf)", + "title_en": "The raw EEG data, 4 files (EEG_A to D), in European data format (.edf)", + "title_zh": "The raw EEG data, 4 files (EEG_A to D), in European data format (.edf)", + "description": "EEG data for comparison to PIR-estimated sleep in the Wellcome Open Research article:'COMPASS: Continuous Open Mouse Phenotyping of Activity and Sleep Status'", + "description_en": "EEG data for comparison to PIR-estimated sleep in the Wellcome Open Research article:'COMPASS: Continuous Open Mouse Phenotyping of Activity and Sleep Status'", + "description_zh": "EEG data for comparison to PIR-estimated sleep in the Wellcome Open Research article:'COMPASS: Continuous Open Mouse Phenotyping of Activity and Sleep Status'", + "authors": [ + { + "name_en": "Brown Laurence A.", + "name_zh": "Brown Laurence A." + }, + { + "name_en": "Hasan Sibah", + "name_zh": "Hasan Sibah" + }, + { + "name_en": "Foster Russell G.", + "name_zh": "Foster Russell G." + }, + { + "name_en": "Peirson Stuart N.", + "name_zh": "Peirson Stuart N." + } + ], + "keywords_en": [ + "mouse", + "sleep", + "EEG", + "PIR", + "COMPASS" + ], + "keywords_zh": [ + "mouse", + "sleep", + "EEG", + "PIR", + "COMPASS" + ], + "publication_date": "2016-10-13T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 124.11, + "file_size_bytes": 130135252, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.29601", + "cstr": "", + "pid": "", + "title": "GM EEG data zip 1 of 2", + "title_en": "GM EEG data zip 1 of 2", + "title_zh": "GM EEG data zip 1 of 2", + "description": "This is the EEG dataset part 1 of 2 as well as the trial-by-trial behavioural data for the paper \"Reduction of Pavlovian bias in schizophrenia\" under submission at PLoS One.EEG data contains the cleaned, ICA eye-blink corrected data in EEGLAB format. Also included is an ICA decomposition using the AMICA algorithm.Triggers: Triggers are also included in the behavioural R data file \"BehaviouralData&M6Fits.RData\" as a data.table (will need the 'data.table' package in R) named \"dftr\". Model fits are in the R data file, also as a data.table, labelled dfM3.Stimulus onset codes are: 1 & 101 = Go-to-Avoid; 2 & 202 = Go-to-Win; 3 & 303 = NoGo-to-Avoid; 4 & 104 = NoGo-to-Win. (with 100s as invalid stimuli, or requiring the opposite response based on the contingency)Feedback onset codes are as follows: 21, 121, 41, 141 = win (thumbs up); 29, 129, 9, 109 = lose (thumbs down); 20, 120, 40, 140, 30, 130, 10, 110 = no change (horizontal thumb).Response onset codes are: 301, 302, 303, 304 for a response to a 'valid' stimulus (not necessarily correct - refers to contingency); 401, 402, 403, 404 for a response to an invalid stimulus.Hope you enjoy!", + "description_en": "This is the EEG dataset part 1 of 2 as well as the trial-by-trial behavioural data for the paper \"Reduction of Pavlovian bias in schizophrenia\" under submission at PLoS One.EEG data contains the cleaned, ICA eye-blink corrected data in EEGLAB format. Also included is an ICA decomposition using the AMICA algorithm.Triggers: Triggers are also included in the behavioural R data file \"BehaviouralData&M6Fits.RData\" as a data.table (will need the 'data.table' package in R) named \"dftr\". Model fits are in the R data file, also as a data.table, labelled dfM3.Stimulus onset codes are: 1 & 101 = Go-to-Avoid; 2 & 202 = Go-to-Win; 3 & 303 = NoGo-to-Avoid; 4 & 104 = NoGo-to-Win. (with 100s as invalid stimuli, or requiring the opposite response based on the contingency)Feedback onset codes are as follows: 21, 121, 41, 141 = win (thumbs up); 29, 129, 9, 109 = lose (thumbs down); 20, 120, 40, 140, 30, 130, 10, 110 = no change (horizontal thumb).Response onset codes are: 301, 302, 303, 304 for a response to a 'valid' stimulus (not necessarily correct - refers to contingency); 401, 402, 403, 404 for a response to an invalid stimulus.Hope you enjoy!", + "description_zh": "This is the EEG dataset part 1 of 2 as well as the trial-by-trial behavioural data for the paper \"Reduction of Pavlovian bias in schizophrenia\" under submission at PLoS One.EEG data contains the cleaned, ICA eye-blink corrected data in EEGLAB format. Also included is an ICA decomposition using the AMICA algorithm.Triggers: Triggers are also included in the behavioural R data file \"BehaviouralData&M6Fits.RData\" as a data.table (will need the 'data.table' package in R) named \"dftr\". Model fits are in the R data file, also as a data.table, labelled dfM3.Stimulus onset codes are: 1 & 101 = Go-to-Avoid; 2 & 202 = Go-to-Win; 3 & 303 = NoGo-to-Avoid; 4 & 104 = NoGo-to-Win. (with 100s as invalid stimuli, or requiring the opposite response based on the contingency)Feedback onset codes are as follows: 21, 121, 41, 141 = win (thumbs up); 29, 129, 9, 109 = lose (thumbs down); 20, 120, 40, 140, 30, 130, 10, 110 = no change (horizontal thumb).Response onset codes are: 301, 302, 303, 304 for a response to a 'valid' stimulus (not necessarily correct - refers to contingency); 401, 402, 403, 404 for a response to an invalid stimulus.Hope you enjoy!", + "authors": [ + { + "name_en": "Albrecht Matthew", + "name_zh": "Albrecht Matthew" + }, + { + "name_en": "Waltz Jim", + "name_zh": "Waltz Jim" + }, + { + "name_en": "Cavanagh Jim", + "name_zh": "Cavanagh Jim" + }, + { + "name_en": "Frank Michael", + "name_zh": "Frank Michael" + }, + { + "name_en": "Gold Jim", + "name_zh": "Gold Jim" + } + ], + "keywords_en": [ + "EEG", + "Schizophrenia", + "Reinforcement Learning", + "Computational Modelling", + "Pavlovian Bias" + ], + "keywords_zh": [ + "EEG", + "Schizophrenia", + "Reinforcement Learning", + "Computational Modelling", + "Pavlovian Bias" + ], + "publication_date": "2015-08-25T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-SA-4.0", + "file_size_mb": 0.2, + "file_size_bytes": 204983, + "download_count": 1, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.29604", + "cstr": "31253.11.10.5281/zenodo.29604", + "pid": "", + "title": "GM EEG data zip 2 of 2", + "title_en": "GM EEG data zip 2 of 2", + "title_zh": "GM EEG data zip 2 of 2", + "description": "This is the EEG dataset part 2 of 2 for the paper \"Reduction of Pavlovian bias in schizophrenia\"See part 1 for more information: 10.5281/zenodo.29601", + "description_en": "This is the EEG dataset part 2 of 2 for the paper \"Reduction of Pavlovian bias in schizophrenia\"See part 1 for more information: 10.5281/zenodo.29601", + "description_zh": "This is the EEG dataset part 2 of 2 for the paper \"Reduction of Pavlovian bias in schizophrenia\"See part 1 for more information: 10.5281/zenodo.29601", + "authors": [ + { + "name_en": "Albrecht Matthew", + "name_zh": "Albrecht Matthew" + }, + { + "name_en": "Waltz Jim", + "name_zh": "Waltz Jim" + }, + { + "name_en": "Cavanagh Jim", + "name_zh": "Cavanagh Jim" + }, + { + "name_en": "Frank Michael", + "name_zh": "Frank Michael" + }, + { + "name_en": "Gold Jim", + "name_zh": "Gold Jim" + } + ], + "keywords_en": [ + "EEG", + "Schizophrenia", + "Reinforcement Learning", + "Pavlovian Bias", + "Computational Modelling" + ], + "keywords_zh": [ + "EEG", + "Schizophrenia", + "Reinforcement Learning", + "Pavlovian Bias", + "Computational Modelling" + ], + "publication_date": "2015-08-25T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-SA-4.0", + "file_size_mb": 1503.62, + "file_size_bytes": 1576665038, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.30084", + "cstr": "31253.11.10.5281/zenodo.30084", + "pid": "", + "title": "EEG data for P300 speller", + "title_en": "EEG data for P300 speller", + "title_zh": "EEG data for P300 speller", + "description": "These EEG signals were recorded during a P300 speller paradigm.Number of subjects: 10Number of channels: 19Number of sessions/subject:4------------------------------------------------------------------------------------------------------------------Each session has duration of 10 minutes, and is consisted of 14 runs (14 characters).After each run, there was a pause of 3s, and during this time the matrix was blank.•    The first session consisted of a series of separated characters, ordered in the following sequence:ض – س – ق – ل – ع – ن – ح – م – أ – ت – و – ر – ب – ه) )•    The second session also consisted of a series of separated characters, ordered in the following sequence:ذ – خ – ص – ي – د – ث – ف – غ – ج – ظ – ك – ش – ز – ط ) )•    The third session consisted of short words:طب - قف - عن - يد - كتب – لغة ) )•    The fourth session consisted of one long word:فأستسقيناكموها ) )-------------------------------------------------------------------------------------------------------------------EEG signals were performed at MAZLOUM hospital, Tripoli, Lebanon.", + "description_en": "These EEG signals were recorded during a P300 speller paradigm.Number of subjects: 10Number of channels: 19Number of sessions/subject:4------------------------------------------------------------------------------------------------------------------Each session has duration of 10 minutes, and is consisted of 14 runs (14 characters).After each run, there was a pause of 3s, and during this time the matrix was blank.•    The first session consisted of a series of separated characters, ordered in the following sequence:ض – س – ق – ل – ع – ن – ح – م – أ – ت – و – ر – ب – ه) )•    The second session also consisted of a series of separated characters, ordered in the following sequence:ذ – خ – ص – ي – د – ث – ف – غ – ج – ظ – ك – ش – ز – ط ) )•    The third session consisted of short words:طب - قف - عن - يد - كتب – لغة ) )•    The fourth session consisted of one long word:فأستسقيناكموها ) )-------------------------------------------------------------------------------------------------------------------EEG signals were performed at MAZLOUM hospital, Tripoli, Lebanon.", + "description_zh": "These EEG signals were recorded during a P300 speller paradigm.Number of subjects: 10Number of channels: 19Number of sessions/subject:4------------------------------------------------------------------------------------------------------------------Each session has duration of 10 minutes, and is consisted of 14 runs (14 characters).After each run, there was a pause of 3s, and during this time the matrix was blank.•    The first session consisted of a series of separated characters, ordered in the following sequence:ض – س – ق – ل – ع – ن – ح – م – أ – ت – و – ر – ب – ه) )•    The second session also consisted of a series of separated characters, ordered in the following sequence:ذ – خ – ص – ي – د – ث – ف – غ – ج – ظ – ك – ش – ز – ط ) )•    The third session consisted of short words:طب - قف - عن - يد - كتب – لغة ) )•    The fourth session consisted of one long word:فأستسقيناكموها ) )-------------------------------------------------------------------------------------------------------------------EEG signals were performed at MAZLOUM hospital, Tripoli, Lebanon.", + "authors": [ + { + "name_en": "Kabbara Aya", + "name_zh": "Kabbara Aya" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2015-08-30T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 25.56, + "file_size_bytes": 26797088, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.14820", + "cstr": "", + "pid": "", + "title": "coverage and density of eeg source localization", + "title_en": "coverage and density of eeg source localization", + "title_zh": "coverage and density of eeg source localization", + "description": "The file contains the lead field matrices of atlas and subject specific head models  and  coordinate files of HydroCel EEG nets. ", + "description_en": "The file contains the lead field matrices of atlas and subject specific head models  and  coordinate files of HydroCel EEG nets. ", + "description_zh": "The file contains the lead field matrices of atlas and subject specific head models  and  coordinate files of HydroCel EEG nets. ", + "authors": [ + { + "name_en": "Song Jasmine", + "name_zh": "Song Jasmine" + } + ], + "keywords_en": [ + "dEEG", + "coverage", + "density lead field matrix" + ], + "keywords_zh": [ + "dEEG", + "coverage", + "density lead field matrix" + ], + "publication_date": "2015-02-02T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 18.7, + "file_size_bytes": 19607912, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4385970", + "cstr": "", + "pid": "", + "title": "Grammatical category and the neural processing of phrases - EEG data", + "title_en": "Grammatical category and the neural processing of phrases - EEG data", + "title_zh": "Grammatical category and the neural processing of phrases - EEG data", + "description": "EEG data presented in the paperGrammar, lexical category and the neural processing of phrasesAmelia Burroughs, Nina Kazanina, Conor Houghtonabstract:The interlocking roles of lexical, syntactic and semantic processing in language comprehension has been the subject of longstanding debate. Recently, the cortical response to a frequency-tagged linguistic stimulus has been shown to track the rate of phrase and sentence, as well as syllable, presentation. This could be interpreted as evidence for the hierarchical processing of speech, or as a response to the repetition of grammatical category. To examine the extent to which hierarchical structure plays a role in language processing we record EEG from human participants as they listen to isochronous streams of monosyllabic words. Comparing responses to sequences in which grammatical category is strictly alternating and chosen such that two-word phrases can be grammatically constructed - cold food loud room - or is absent - rough give ill tell - showed cortical entrainment at the two-word phrase rate was only present in the grammatical condition. Thus, grammatical category repetition alone does not yield entertainment at higher level than a word. On the other hand, cortical entrainment was reduced for the mixed-phrase condition that contained two-word phrases but no grammatical category repetition - that word send less - which is not what would be expected if the measured entrainment reflected purely abstract hierarchical syntactic units. Our results support a model in which word-level grammatical category information is required to build larger units._______________________________all the corresponding code is atgithub.com/conorhoughton/NeuralProcessingOfPhrases ", + "description_en": "EEG data presented in the paperGrammar, lexical category and the neural processing of phrasesAmelia Burroughs, Nina Kazanina, Conor Houghtonabstract:The interlocking roles of lexical, syntactic and semantic processing in language comprehension has been the subject of longstanding debate. Recently, the cortical response to a frequency-tagged linguistic stimulus has been shown to track the rate of phrase and sentence, as well as syllable, presentation. This could be interpreted as evidence for the hierarchical processing of speech, or as a response to the repetition of grammatical category. To examine the extent to which hierarchical structure plays a role in language processing we record EEG from human participants as they listen to isochronous streams of monosyllabic words. Comparing responses to sequences in which grammatical category is strictly alternating and chosen such that two-word phrases can be grammatically constructed - cold food loud room - or is absent - rough give ill tell - showed cortical entrainment at the two-word phrase rate was only present in the grammatical condition. Thus, grammatical category repetition alone does not yield entertainment at higher level than a word. On the other hand, cortical entrainment was reduced for the mixed-phrase condition that contained two-word phrases but no grammatical category repetition - that word send less - which is not what would be expected if the measured entrainment reflected purely abstract hierarchical syntactic units. Our results support a model in which word-level grammatical category information is required to build larger units._______________________________all the corresponding code is atgithub.com/conorhoughton/NeuralProcessingOfPhrases ", + "description_zh": "EEG data presented in the paperGrammar, lexical category and the neural processing of phrasesAmelia Burroughs, Nina Kazanina, Conor Houghtonabstract:The interlocking roles of lexical, syntactic and semantic processing in language comprehension has been the subject of longstanding debate. Recently, the cortical response to a frequency-tagged linguistic stimulus has been shown to track the rate of phrase and sentence, as well as syllable, presentation. This could be interpreted as evidence for the hierarchical processing of speech, or as a response to the repetition of grammatical category. To examine the extent to which hierarchical structure plays a role in language processing we record EEG from human participants as they listen to isochronous streams of monosyllabic words. Comparing responses to sequences in which grammatical category is strictly alternating and chosen such that two-word phrases can be grammatically constructed - cold food loud room - or is absent - rough give ill tell - showed cortical entrainment at the two-word phrase rate was only present in the grammatical condition. Thus, grammatical category repetition alone does not yield entertainment at higher level than a word. On the other hand, cortical entrainment was reduced for the mixed-phrase condition that contained two-word phrases but no grammatical category repetition - that word send less - which is not what would be expected if the measured entrainment reflected purely abstract hierarchical syntactic units. Our results support a model in which word-level grammatical category information is required to build larger units._______________________________all the corresponding code is atgithub.com/conorhoughton/NeuralProcessingOfPhrases ", + "authors": [ + { + "name_en": "Burroughs Amelia", + "name_zh": "Burroughs Amelia" + }, + { + "name_en": "Kazanina Nina", + "name_zh": "Kazanina Nina" + }, + { + "name_en": "Houghton Conor", + "name_zh": "Houghton Conor" + } + ], + "keywords_en": [ + "EEG", + "neurolinguistics" + ], + "keywords_zh": [ + "EEG", + "neurolinguistics" + ], + "publication_date": "2020-09-29T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 283, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4558201", + "cstr": "", + "pid": "", + "title": "Cav3.2+/+ Mouse #147 CA1 EEG recording", + "title_en": "Cav3.2+/+ Mouse #147 CA1 EEG recording", + "title_zh": "Cav3.2+/+ Mouse #147 CA1 EEG recording", + "description": "A Cav3.2+/+ mouse (internal #147) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2+/+ mouse (internal #147) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2+/+ mouse (internal #147) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 943.13, + "file_size_bytes": 988945756, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4557037", + "cstr": "31253.11.10.5281/zenodo.4557037", + "pid": "", + "title": "Cav3.2+/+ Mouse #38 CA1 EEG recording", + "title_en": "Cav3.2+/+ Mouse #38 CA1 EEG recording", + "title_zh": "Cav3.2+/+ Mouse #38 CA1 EEG recording", + "description": "A Cav3.2+/+ mouse (internal #38) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2+/+ mouse (internal #38) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2+/+ mouse (internal #38) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1037.02, + "file_size_bytes": 1087393040, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561604", + "cstr": "", + "pid": "", + "title": "Cav3.2+/+ Mouse #383 CA1 EEG recording", + "title_en": "Cav3.2+/+ Mouse #383 CA1 EEG recording", + "title_zh": "Cav3.2+/+ Mouse #383 CA1 EEG recording", + "description": "A Cav3.2+/+ mouse (internal #383) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2+/+ mouse (internal #383) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2+/+ mouse (internal #383) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 989.46, + "file_size_bytes": 1037524179, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4557942", + "cstr": "", + "pid": "", + "title": "Cav3.2+/+ Mouse #146 CA1 EEG recording", + "title_en": "Cav3.2+/+ Mouse #146 CA1 EEG recording", + "title_zh": "Cav3.2+/+ Mouse #146 CA1 EEG recording", + "description": "A Cav3.2+/+ mouse (internal #146) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2+/+ mouse (internal #146) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2+/+ mouse (internal #146) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 970.77, + "file_size_bytes": 1017930106, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561676", + "cstr": "", + "pid": "", + "title": "Cav3.2-/- Mouse #256 CA1 EEG recording", + "title_en": "Cav3.2-/- Mouse #256 CA1 EEG recording", + "title_zh": "Cav3.2-/- Mouse #256 CA1 EEG recording", + "description": "A Cav3.2-/- mouse (internal #256) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2-/- mouse (internal #256) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2-/- mouse (internal #256) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 963.2, + "file_size_bytes": 1009986804, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561702", + "cstr": "", + "pid": "", + "title": "Cav3.2-/- Mouse #337 CA1 EEG recording", + "title_en": "Cav3.2-/- Mouse #337 CA1 EEG recording", + "title_zh": "Cav3.2-/- Mouse #337 CA1 EEG recording", + "description": "A Cav3.2-/- mouse (internal #337) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2-/- mouse (internal #337) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2-/- mouse (internal #337) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1073.45, + "file_size_bytes": 1125598856, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561655", + "cstr": "31253.11.10.5281/zenodo.4561655", + "pid": "", + "title": "Cav3.2+/+ Mouse #405 CA1 EEG recording", + "title_en": "Cav3.2+/+ Mouse #405 CA1 EEG recording", + "title_zh": "Cav3.2+/+ Mouse #405 CA1 EEG recording", + "description": "A Cav3.2+/+ mouse (internal #405) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2+/+ mouse (internal #405) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2+/+ mouse (internal #405) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1021.01, + "file_size_bytes": 1070610621, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561682", + "cstr": "31253.11.10.5281/zenodo.4561682", + "pid": "", + "title": "Cav3.2-/- Mouse #260 CA1 EEG recording", + "title_en": "Cav3.2-/- Mouse #260 CA1 EEG recording", + "title_zh": "Cav3.2-/- Mouse #260 CA1 EEG recording", + "description": "A Cav3.2-/- mouse (internal #260) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2-/- mouse (internal #260) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2-/- mouse (internal #260) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 982.29, + "file_size_bytes": 1030000977, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561686", + "cstr": "", + "pid": "", + "title": "Cav3.2-/- Mouse #334 CA1 EEG recording", + "title_en": "Cav3.2-/- Mouse #334 CA1 EEG recording", + "title_zh": "Cav3.2-/- Mouse #334 CA1 EEG recording", + "description": "A Cav3.2-/- mouse (internal #334) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2-/- mouse (internal #334) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2-/- mouse (internal #334) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1026.13, + "file_size_bytes": 1075978502, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561672", + "cstr": "31253.11.10.5281/zenodo.4561672", + "pid": "", + "title": "Cav3.2-/- Mouse #132 CA1 EEG recording", + "title_en": "Cav3.2-/- Mouse #132 CA1 EEG recording", + "title_zh": "Cav3.2-/- Mouse #132 CA1 EEG recording", + "description": "A Cav3.2-/- mouse (internal #132) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2-/- mouse (internal #132) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2-/- mouse (internal #132) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 950.22, + "file_size_bytes": 996381935, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561674", + "cstr": "", + "pid": "", + "title": "Cav3.2-/- Mouse #133 CA1 EEG recording", + "title_en": "Cav3.2-/- Mouse #133 CA1 EEG recording", + "title_zh": "Cav3.2-/- Mouse #133 CA1 EEG recording", + "description": "A Cav3.2-/- mouse (internal #133) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2-/- mouse (internal #133) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2-/- mouse (internal #133) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1003.99, + "file_size_bytes": 1052761604, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561695", + "cstr": "31253.11.10.5281/zenodo.4561695", + "pid": "", + "title": "Cav3.2-/- Mouse #336 CA1 EEG recording", + "title_en": "Cav3.2-/- Mouse #336 CA1 EEG recording", + "title_zh": "Cav3.2-/- Mouse #336 CA1 EEG recording", + "description": "A Cav3.2-/- mouse (internal #336) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2-/- mouse (internal #336) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2-/- mouse (internal #336) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1004.56, + "file_size_bytes": 1053354524, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561667", + "cstr": "", + "pid": "", + "title": "Cav3.2-/- Mouse #37 CA1 EEG recording", + "title_en": "Cav3.2-/- Mouse #37 CA1 EEG recording", + "title_zh": "Cav3.2-/- Mouse #37 CA1 EEG recording", + "description": "A Cav3.2-/- mouse (internal #37) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2-/- mouse (internal #37) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2-/- mouse (internal #37) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 958.7, + "file_size_bytes": 1005273294, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561657", + "cstr": "", + "pid": "", + "title": "Cav3.2+/+ Mouse #406 CA1 EEG recording", + "title_en": "Cav3.2+/+ Mouse #406 CA1 EEG recording", + "title_zh": "Cav3.2+/+ Mouse #406 CA1 EEG recording", + "description": "A Cav3.2+/+ mouse (internal #406) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2+/+ mouse (internal #406) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2+/+ mouse (internal #406) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 978.08, + "file_size_bytes": 1025590963, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561663", + "cstr": "", + "pid": "", + "title": "Cav3.2+/+ Mouse #410 CA1 EEG recording", + "title_en": "Cav3.2+/+ Mouse #410 CA1 EEG recording", + "title_zh": "Cav3.2+/+ Mouse #410 CA1 EEG recording", + "description": "A Cav3.2+/+ mouse (internal #410) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2+/+ mouse (internal #410) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2+/+ mouse (internal #410) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 957.55, + "file_size_bytes": 1004059900, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4561641", + "cstr": "31253.11.10.5281/zenodo.4561641", + "pid": "", + "title": "Cav3.2+/+ Mouse #384 CA1 EEG recording", + "title_en": "Cav3.2+/+ Mouse #384 CA1 EEG recording", + "title_zh": "Cav3.2+/+ Mouse #384 CA1 EEG recording", + "description": "A Cav3.2+/+ mouse (internal #384) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_en": "A Cav3.2+/+ mouse (internal #384) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "description_zh": "A Cav3.2+/+ mouse (internal #384) was implanted with an intrahippocampal electrode for electrohippocampal CA1 EEG recordings. The differential electrode of the TA10ETA-F20 transmitter (Data Science International, DSI, USA, technical specifications: weight 3.9 g, volume 1.9 cc, input voltage range ± 2.5 mV, channel bandwidth (B) 1–200 Hz, nominal sampling rate (f) 1000 Hz (f = 5 B), temperature operating range 34–41 °C) was positioned at the following stereotaxic coordinates: (+)-lead, caudal − 2 mm, lateral of bregma 1.5 mm (right hemisphere), and dorsoventral (depth) 1.5 mm. The epidural reference electrode was positioned on the surface of the cerebellar cortex at the following stereotaxic coordinates: (−)-lead, bregma − 6 mm and lateral of bregma 1 mm (righthemisphere). The deep tungsten electrodes (FHC, USA) are encapsuled with epoxylite with animpedance of 50–100 kΩ (measured at 1000 Hz) and a shank diameter of 250 μm. For further details on the Cav3.2 mouse model, animal experimentation approval, anaesthesia, transmitter insertion, stereotaxic electrode implantation, postoperative pain management and recovery, please refer to Arshaad MI et al., 2021. EEG data were exported to NeuroScore 3.2.9306-1 (Data Sciences International, DSI, USA). As the NeuroScore file format does not allow free access to the data, we have exported the raw EEG data as asci.-files, so that they can easily be imported in secondary analysis software. Importantly, the exported EEG data represent raw EEG data. No filtering, no artefact detection and/or artefact removal have been carried out. Thus, it is the users responsibility to adequately pretreat the data before further processing and analysis. As described in Arshaad MI et al. (2021), filtering, artefact detection and removal was carried out using NeuroScore before further analysis.The EEG data are presented here as a zip-folder for size reasons. Four EEG recordings are exported: R1 (a first 24h long-term EEG recording 10 days post transmitter implantation), R2 (a second 24h long-term recording 17 days post transmitter implantation), U1 (a 6h EEG recording following the first urethane injection (800 mg/kg i.p.) at day 18 post transmitter implantation), U2 (a 6h EEG recording  after a second urethane injection (800 mg/kg i.p.) at day 25 post transmitter implantation). In addition, relative activity values are exported for all four recordings. For details on the recording procedure, please refer to Arshaad MI et al. (2021). ", + "authors": [ + { + "name_en": "Weiergräber Marco", + "name_zh": "Weiergräber Marco" + } + ], + "keywords_en": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "keywords_zh": [ + "activity", + "CA1", + "EEG", + "hippocampus", + "low voltage-activated", + "T-type", + "voltage-gated calcium channel" + ], + "publication_date": "2021-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 985.77, + "file_size_bytes": 1033651456, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.806023", + "cstr": "", + "pid": "", + "title": "EEG Motor Imagery Dataset from the PhD Thesis \"Commande robuste d'un effecteur par une interface cerveau machine EEG asynchrone\"", + "title_en": "EEG Motor Imagery Dataset from the PhD Thesis \"Commande robuste d'un effecteur par une interface cerveau machine EEG asynchrone\"", + "title_zh": "EEG Motor Imagery Dataset from the PhD Thesis \"Commande robuste d'un effecteur par une interface cerveau machine EEG asynchrone\"", + "description": "This Dataset contains EEG recordings from 8 subjects, performing 2 task of motor imagination (right hand, feet or rest). Data have been recorded at 512Hz with 16 wet electrodes (Fpz, F7, F3, Fz, F4, F8, T7, C3, Cz, C4, T8, P7, P3, Pz, P4, P8) with a g.tec g.USBamp EEG amplifier.File are provided in MNE raw file format. A stimulation channel encoding the timing of the motor imagination. The start of a trial is encoded as 1, then the actual start of the motor imagination is encoded with 2 for imagination of a right hand movement, 3 for imagination of both feet movement and 4 with a rest trial.The duration of each trial is 3 second. There is 20 trial of each class.", + "description_en": "This Dataset contains EEG recordings from 8 subjects, performing 2 task of motor imagination (right hand, feet or rest). Data have been recorded at 512Hz with 16 wet electrodes (Fpz, F7, F3, Fz, F4, F8, T7, C3, Cz, C4, T8, P7, P3, Pz, P4, P8) with a g.tec g.USBamp EEG amplifier.File are provided in MNE raw file format. A stimulation channel encoding the timing of the motor imagination. The start of a trial is encoded as 1, then the actual start of the motor imagination is encoded with 2 for imagination of a right hand movement, 3 for imagination of both feet movement and 4 with a rest trial.The duration of each trial is 3 second. There is 20 trial of each class.", + "description_zh": "This Dataset contains EEG recordings from 8 subjects, performing 2 task of motor imagination (right hand, feet or rest). Data have been recorded at 512Hz with 16 wet electrodes (Fpz, F7, F3, Fz, F4, F8, T7, C3, Cz, C4, T8, P7, P3, Pz, P4, P8) with a g.tec g.USBamp EEG amplifier.File are provided in MNE raw file format. A stimulation channel encoding the timing of the motor imagination. The start of a trial is encoded as 1, then the actual start of the motor imagination is encoded with 2 for imagination of a right hand movement, 3 for imagination of both feet movement and 4 with a rest trial.The duration of each trial is 3 second. There is 20 trial of each class.", + "authors": [ + { + "name_en": "Alexandre Barachant", + "name_zh": "Alexandre Barachant" + } + ], + "keywords_en": [ + "EEG", + "Brain Computer Interface", + "Motor Imagery" + ], + "keywords_zh": [ + "EEG", + "Brain Computer Interface", + "Motor Imagery" + ], + "publication_date": "2012-03-24T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-SA-4.0", + "file_size_mb": 16.53, + "file_size_bytes": 17335744, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4506494", + "cstr": "31253.11.10.5281/zenodo.4506494", + "pid": "", + "title": "Computation of the electroencephalogram (EEG) from network models of point neurons", + "title_en": "Computation of the electroencephalogram (EEG) from network models of point neurons", + "title_zh": "Computation of the electroencephalogram (EEG) from network models of point neurons", + "description": "Datasets used in the paper "Computation of the electroencephalogram (EEG) from network models of point neurons" (2020), Biorxiv. doi: https://doi.org/10.1101/2020.11.02.364802. There are 4 folders:\tresults: simulation outputs generated by the networks of leaky integrate-and-fire (LIF) and multicompartment neuron models.\tsrc: software scripts to compute the coefficient of determination, R^2, between the ground-truth EEG and the different EEG proxies evaluated in this work. \tFigs: scripts and additional data to plot figures.\tCNN: weights of the trained convolutional neural network (CNN).", + "description_en": "Datasets used in the paper "Computation of the electroencephalogram (EEG) from network models of point neurons" (2020), Biorxiv. doi: https://doi.org/10.1101/2020.11.02.364802. There are 4 folders:\tresults: simulation outputs generated by the networks of leaky integrate-and-fire (LIF) and multicompartment neuron models.\tsrc: software scripts to compute the coefficient of determination, R^2, between the ground-truth EEG and the different EEG proxies evaluated in this work. \tFigs: scripts and additional data to plot figures.\tCNN: weights of the trained convolutional neural network (CNN).", + "description_zh": "Datasets used in the paper "Computation of the electroencephalogram (EEG) from network models of point neurons" (2020), Biorxiv. doi: https://doi.org/10.1101/2020.11.02.364802. There are 4 folders:\tresults: simulation outputs generated by the networks of leaky integrate-and-fire (LIF) and multicompartment neuron models.\tsrc: software scripts to compute the coefficient of determination, R^2, between the ground-truth EEG and the different EEG proxies evaluated in this work. \tFigs: scripts and additional data to plot figures.\tCNN: weights of the trained convolutional neural network (CNN).", + "authors": [ + { + "name_en": "Martínez-Cañada Pablo", + "name_zh": "Martínez-Cañada Pablo" + }, + { + "name_en": "Ness Torbjørn", + "name_zh": "Ness Torbjørn" + }, + { + "name_en": "Einevoll Gaute", + "name_zh": "Einevoll Gaute" + }, + { + "name_en": "Fellin Tommaso", + "name_zh": "Fellin Tommaso" + }, + { + "name_en": "Panzeri Stefano", + "name_zh": "Panzeri Stefano" + } + ], + "keywords_en": [ + "electroencephalogram (EEG)", + "leaky integrate and fire neuron model", + "point neuron model", + "multicompartment neuron model" + ], + "keywords_zh": [ + "electroencephalogram (EEG)", + "leaky integrate and fire neuron model", + "point neuron model", + "multicompartment neuron model" + ], + "publication_date": "2021-02-04T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 3308.49, + "file_size_bytes": 3469200680, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4453396", + "cstr": "", + "pid": "", + "title": "Hour-long EEG data recording from EEGlass", + "title_en": "Hour-long EEG data recording from EEGlass", + "title_zh": "Hour-long EEG data recording from EEGlass", + "description": "Description:EEGlass is a proof of concept wearable prototype comprised of EEG electrodes integrated in eyewear frames for approximating the form factor of a modern HMD. EEGlass is equipped with an OpenBCI board and a set of gold cup EEG electrodes at the contact points with the skull for unobtrusively collecting data related to the activity of the human brain [Vourvopoulos et al., 2019].This dataset includes 1 hour-long EEG data from EEGlass recording during casual computer tasks (e.g. web browsing, messaging, news reading) including mouse and keyboard markers. Key letters had been replaced with 'key pressed' and 'key released' markers for privacy reasons.Datasets had been parsed in EEGlab Matlab toolbox and have been exported as .set files.\tDatasets:\t\t\tRaw: eeglass_pctasks.set (data), eeglass_pctasks.fdt (header)\t\tFiltered: eeglass_pctasks_preproc.set (data), eeglass_pctasks_preproc.fdt (header)\t\t\tDuration:\t\t\t3919 seconds (~65.3 minutes)\t\t\t\tPre-processing of filtered dataset:\t\t\tBandpass filtering: FIR 1-40 Hz\t\tRe-referencing: Common average reference (CAR)\t\tChannel locations [1:Nz; 2:TP9; 3:TP10]\t\tReferences:- Paper can be found here: https://dl.acm.org/doi/10.1145/3341162.3348383- Additional data from EEGlass can be found here: https://zenodo.org/record/4451999", + "description_en": "Description:EEGlass is a proof of concept wearable prototype comprised of EEG electrodes integrated in eyewear frames for approximating the form factor of a modern HMD. EEGlass is equipped with an OpenBCI board and a set of gold cup EEG electrodes at the contact points with the skull for unobtrusively collecting data related to the activity of the human brain [Vourvopoulos et al., 2019].This dataset includes 1 hour-long EEG data from EEGlass recording during casual computer tasks (e.g. web browsing, messaging, news reading) including mouse and keyboard markers. Key letters had been replaced with 'key pressed' and 'key released' markers for privacy reasons.Datasets had been parsed in EEGlab Matlab toolbox and have been exported as .set files.\tDatasets:\t\t\tRaw: eeglass_pctasks.set (data), eeglass_pctasks.fdt (header)\t\tFiltered: eeglass_pctasks_preproc.set (data), eeglass_pctasks_preproc.fdt (header)\t\t\tDuration:\t\t\t3919 seconds (~65.3 minutes)\t\t\t\tPre-processing of filtered dataset:\t\t\tBandpass filtering: FIR 1-40 Hz\t\tRe-referencing: Common average reference (CAR)\t\tChannel locations [1:Nz; 2:TP9; 3:TP10]\t\tReferences:- Paper can be found here: https://dl.acm.org/doi/10.1145/3341162.3348383- Additional data from EEGlass can be found here: https://zenodo.org/record/4451999", + "description_zh": "Description:EEGlass is a proof of concept wearable prototype comprised of EEG electrodes integrated in eyewear frames for approximating the form factor of a modern HMD. EEGlass is equipped with an OpenBCI board and a set of gold cup EEG electrodes at the contact points with the skull for unobtrusively collecting data related to the activity of the human brain [Vourvopoulos et al., 2019].This dataset includes 1 hour-long EEG data from EEGlass recording during casual computer tasks (e.g. web browsing, messaging, news reading) including mouse and keyboard markers. Key letters had been replaced with 'key pressed' and 'key released' markers for privacy reasons.Datasets had been parsed in EEGlab Matlab toolbox and have been exported as .set files.\tDatasets:\t\t\tRaw: eeglass_pctasks.set (data), eeglass_pctasks.fdt (header)\t\tFiltered: eeglass_pctasks_preproc.set (data), eeglass_pctasks_preproc.fdt (header)\t\t\tDuration:\t\t\t3919 seconds (~65.3 minutes)\t\t\t\tPre-processing of filtered dataset:\t\t\tBandpass filtering: FIR 1-40 Hz\t\tRe-referencing: Common average reference (CAR)\t\tChannel locations [1:Nz; 2:TP9; 3:TP10]\t\tReferences:- Paper can be found here: https://dl.acm.org/doi/10.1145/3341162.3348383- Additional data from EEGlass can be found here: https://zenodo.org/record/4451999", + "authors": [ + { + "name_en": "Vourvopoulos Athanasios", + "name_zh": "Vourvopoulos Athanasios" + } + ], + "keywords_en": [ + "EEG", + "BCI", + "Wearables", + "EEGlass" + ], + "keywords_zh": [ + "EEG", + "BCI", + "Wearables", + "EEGlass" + ], + "publication_date": "2021-01-19T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 11.21, + "file_size_bytes": 11759280, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3684992", + "cstr": "", + "pid": "", + "title": "Single electrode EEG data of healthy and epileptic patients", + "title_en": "Single electrode EEG data of healthy and epileptic patients", + "title_zh": "Single electrode EEG data of healthy and epileptic patients", + "description": "Single electrode scalp EEG data for healthy and epileptic patients that mimics the Bonn EEG dataset.Training data has 5 healthy and 5 epilepsy patients. Each subject has 40 files containing single electrode EEG data.Test data has 10 healthy and 10 epilepsy patients. Each subject has 20 files containing single electrode EEG data.The training data for both epileptic and healthy subjects is prefixed with "Train". The letter 'E' denotes epileptic patients and 'H' denotes healthy subjects, followed by patient number, then underscore and file number.For further technical details see the following publication: Panwar, S., Joshi, S. D., Gupta, A. & Agarwal, P. Automated Epilepsy Diagnosis Using EEG with Test Set Evaluation. IEEE Trans. Neural Syst. Rehabil. Eng. 27, 1106–1116 (2019).This is dataset #2 mentioned in the above article.", + "description_en": "Single electrode scalp EEG data for healthy and epileptic patients that mimics the Bonn EEG dataset.Training data has 5 healthy and 5 epilepsy patients. Each subject has 40 files containing single electrode EEG data.Test data has 10 healthy and 10 epilepsy patients. Each subject has 20 files containing single electrode EEG data.The training data for both epileptic and healthy subjects is prefixed with "Train". The letter 'E' denotes epileptic patients and 'H' denotes healthy subjects, followed by patient number, then underscore and file number.For further technical details see the following publication: Panwar, S., Joshi, S. D., Gupta, A. & Agarwal, P. Automated Epilepsy Diagnosis Using EEG with Test Set Evaluation. IEEE Trans. Neural Syst. Rehabil. Eng. 27, 1106–1116 (2019).This is dataset #2 mentioned in the above article.", + "description_zh": "Single electrode scalp EEG data for healthy and epileptic patients that mimics the Bonn EEG dataset.Training data has 5 healthy and 5 epilepsy patients. Each subject has 40 files containing single electrode EEG data.Test data has 10 healthy and 10 epilepsy patients. Each subject has 20 files containing single electrode EEG data.The training data for both epileptic and healthy subjects is prefixed with "Train". The letter 'E' denotes epileptic patients and 'H' denotes healthy subjects, followed by patient number, then underscore and file number.For further technical details see the following publication: Panwar, S., Joshi, S. D., Gupta, A. & Agarwal, P. Automated Epilepsy Diagnosis Using EEG with Test Set Evaluation. IEEE Trans. Neural Syst. Rehabil. Eng. 27, 1106–1116 (2019).This is dataset #2 mentioned in the above article.", + "authors": [ + { + "name_en": "Panwar Siddharth", + "name_zh": "Panwar Siddharth" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2020-02-22T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.02, + "file_size_bytes": 24749, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "68d29b8c19a491453e1c1226", + "doi": "10.57760/sciencedb.28712", + "cstr": "31253.11.sciencedb.28712", + "pid": "", + "title": "Data_ADHD_Neurofeedback_EEG_Meta_Analysis", + "title_en": "Data_ADHD_Neurofeedback_EEG_Meta_Analysis", + "title_zh": "Data_ADHD_Neurofeedback_EEG_Meta_Analysis", + "description": "

This dataset compiles aggregated, study-level outcomes from randomized and controlled trials of portable/wearable EEG neurofeedback (NFT) in children and adolescents with ADHD. For each study arm and symptom domain, it reports pre- and post-intervention means (M), standard deviations (SD), and sample sizes for three domains: total, inattention, and hyperactivity/impulsivity, enabling standardized mean-change calculations in meta-analysis. Trials used portable EEG headsets (e.g., NeuroSky/MindWave, BrainLink, Emotiv Epoc X, Mensia Koala, Zeo, OmniCNS) suitable for home/school or low-supervision settings. Control conditions include waitlist/treatment-as-usual, attention/cognitive training, and sham NFT, consistent with the coding and subgrouping in the manuscript and Supplementary Materials.

", + "description_en": "

This dataset compiles aggregated, study-level outcomes from randomized and controlled trials of portable/wearable EEG neurofeedback (NFT) in children and adolescents with ADHD. For each study arm and symptom domain, it reports pre- and post-intervention means (M), standard deviations (SD), and sample sizes for three domains: total, inattention, and hyperactivity/impulsivity, enabling standardized mean-change calculations in meta-analysis. Trials used portable EEG headsets (e.g., NeuroSky/MindWave, BrainLink, Emotiv Epoc X, Mensia Koala, Zeo, OmniCNS) suitable for home/school or low-supervision settings. Control conditions include waitlist/treatment-as-usual, attention/cognitive training, and sham NFT, consistent with the coding and subgrouping in the manuscript and Supplementary Materials.

", + "description_zh": "

This dataset compiles aggregated, study-level outcomes from randomized and controlled trials of portable/wearable EEG neurofeedback (NFT) in children and adolescents with ADHD. For each study arm and symptom domain, it reports pre- and post-intervention means (M), standard deviations (SD), and sample sizes for three domains: total, inattention, and hyperactivity/impulsivity, enabling standardized mean-change calculations in meta-analysis. Trials used portable EEG headsets (e.g., NeuroSky/MindWave, BrainLink, Emotiv Epoc X, Mensia Koala, Zeo, OmniCNS) suitable for home/school or low-supervision settings. Control conditions include waitlist/treatment-as-usual, attention/cognitive training, and sham NFT, consistent with the coding and subgrouping in the manuscript and Supplementary Materials.

", + "authors": [ + { + "name_en": "XIN HUANG", + "name_zh": "XIN HUANG", + "email": "huangxin1208@gmail.com", + "affiliations": [ + { + "name_en": "Fuhuiyuan Psychological Counseling (Shanghai) Co., LTD", + "name_zh": "Fuhuiyuan Psychological Counseling (Shanghai) Co., LTD" + } + ] + } + ], + "keywords_en": [ + "Neurofeedback", + "ADHD", + "NFT", + "Intervention", + "Children", + "Meta analysis" + ], + "keywords_zh": [ + "Neurofeedback", + "ADHD", + "NFT", + "Intervention", + "Children", + "Meta analysis" + ], + "publication_date": "2025-09-25T06:28:20.232Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.0, + "file_size_bytes": 3400, + "download_count": 0, + "visit_count": 48, + "url": "https://www.scidb.cn/en/detail?id=68d29b8c19a491453e1c1226", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4518754", + "cstr": "", + "pid": "", + "title": "Ultra high-density 255-channel EEG-AAD dataset", + "title_en": "Ultra high-density 255-channel EEG-AAD dataset", + "title_zh": "Ultra high-density 255-channel EEG-AAD dataset", + "description": "Experiment*************This dataset contains 255-channel electroencephalography (EEG) data collected during an auditory attention decoding experiment (AAD). The EEG was recorded using a SynAmps RT device (Compumedics, Australia) at a sampling rate of 1 kHz and using active Ag/Cl electrodes. The electrodes were placed on the head according to the international 10-5 (5%) system. 30 normal hearing male subjects between 22 and 35 years old participated in the experiment. All of them signed an informed consent form approved by the KU Leuven ethical committee.Two Dutch stories narrated by different male speakers divided into two parts of 6 minutes each were used as the stimuli in the experiment [1]. A single trial of the experiment involved the presentation of these two parts (one of both stories) to the subject through insert phones (Etymotic ER3A) at 60dBA. These speech stimuli were filtered using a head-related transfer function (HRTF) such that the stories seemed to arrive from two distinct spatial locations,  namely left and right with respect to the subject with 180 degrees separation. In each trial, the subjects were asked to attend to only one ear while ignoring the other. Four trials of 6 minutes each were carried out, in which each story part is used twice. The order of presentations was randomized and balanced over different subjects. Thus approximately 24 minutes of EEG data was recorded per subject.File organization and details********************************The EEG data of each of the 30 subjects are uploaded as a ZIP file with the name Sx.tar.gzip here x=0,1,2,..,29. When a zip file is extracted, the EEG data are in their original raw format as recorded by the CURRY software [2]. The data files of each recording consist of four files with the same name but different extensions, namely, .dat, ,dap, .rs3 and .ceo. The name of each file follows the following convention:1. Trial n of subject x attending to left-ear has the name: Sx_AAD_nL. 2. Trial n of subject x attending to right-ear has the name: Sx_AAD_nR.That is, the attended story/direction of each subject in a recording can be directly inferred from the file name. A MATLAB function to read the software is provided in the directory called scripts. A python function to read the file is available in this Github repository [3].The original version of stimuli presented to subjects, i.e. without the HRTF filtering, can be found after extracting the stimuli.zip file in WAV format. There are 4 WAV files corresponding to the two parts of each of the two stories. These files have been sampled at 44.1 kHz. The order of presentation of these WAV files is given in the table below:Trial (n)      Left-ear                   Right-ear1                part1_track1_dry     part1_track2_dry2                part1_track1_dry     part1_track2_dry3                part2_track2_dry     part2_track1_dry4                part2_track2_dry     part2_track1_dryAdditional files (after extracting scripts.zip and misc.zip):\tscripts/sample_script.m: Demonstrates reading an EEG-AAD recording and extracting the start and end of the experiment.\tmisc/channel-layout.jpeg: The 255-channel EEG cap layout\tmisc/eeg255ch_locs.csv: The channel names, numbers and their spherical (theta and phi) scalp coordinates. [1] Radioboeken voor kinderen, http://radioboeken.eu/kinderradioboeken.php?lang=NL, 2007 (Accessed: 8 Feb 2021)[2] CURRY 8 X – Data Acquisition and Online Processing, https://compumedicsneuroscan.com/product/curry-data-acquisition-online-processing-x/ (Accessed: 8, Feb, 2021)[3] Abhijith Mundanad Narayanan, "EEG analysis in python", 2021. https://github.com/mabhijithn/eeg-analyse , (Accessed: 8 Feb, 2021)", + "description_en": "Experiment*************This dataset contains 255-channel electroencephalography (EEG) data collected during an auditory attention decoding experiment (AAD). The EEG was recorded using a SynAmps RT device (Compumedics, Australia) at a sampling rate of 1 kHz and using active Ag/Cl electrodes. The electrodes were placed on the head according to the international 10-5 (5%) system. 30 normal hearing male subjects between 22 and 35 years old participated in the experiment. All of them signed an informed consent form approved by the KU Leuven ethical committee.Two Dutch stories narrated by different male speakers divided into two parts of 6 minutes each were used as the stimuli in the experiment [1]. A single trial of the experiment involved the presentation of these two parts (one of both stories) to the subject through insert phones (Etymotic ER3A) at 60dBA. These speech stimuli were filtered using a head-related transfer function (HRTF) such that the stories seemed to arrive from two distinct spatial locations,  namely left and right with respect to the subject with 180 degrees separation. In each trial, the subjects were asked to attend to only one ear while ignoring the other. Four trials of 6 minutes each were carried out, in which each story part is used twice. The order of presentations was randomized and balanced over different subjects. Thus approximately 24 minutes of EEG data was recorded per subject.File organization and details********************************The EEG data of each of the 30 subjects are uploaded as a ZIP file with the name Sx.tar.gzip here x=0,1,2,..,29. When a zip file is extracted, the EEG data are in their original raw format as recorded by the CURRY software [2]. The data files of each recording consist of four files with the same name but different extensions, namely, .dat, ,dap, .rs3 and .ceo. The name of each file follows the following convention:1. Trial n of subject x attending to left-ear has the name: Sx_AAD_nL. 2. Trial n of subject x attending to right-ear has the name: Sx_AAD_nR.That is, the attended story/direction of each subject in a recording can be directly inferred from the file name. A MATLAB function to read the software is provided in the directory called scripts. A python function to read the file is available in this Github repository [3].The original version of stimuli presented to subjects, i.e. without the HRTF filtering, can be found after extracting the stimuli.zip file in WAV format. There are 4 WAV files corresponding to the two parts of each of the two stories. These files have been sampled at 44.1 kHz. The order of presentation of these WAV files is given in the table below:Trial (n)      Left-ear                   Right-ear1                part1_track1_dry     part1_track2_dry2                part1_track1_dry     part1_track2_dry3                part2_track2_dry     part2_track1_dry4                part2_track2_dry     part2_track1_dryAdditional files (after extracting scripts.zip and misc.zip):\tscripts/sample_script.m: Demonstrates reading an EEG-AAD recording and extracting the start and end of the experiment.\tmisc/channel-layout.jpeg: The 255-channel EEG cap layout\tmisc/eeg255ch_locs.csv: The channel names, numbers and their spherical (theta and phi) scalp coordinates. [1] Radioboeken voor kinderen, http://radioboeken.eu/kinderradioboeken.php?lang=NL, 2007 (Accessed: 8 Feb 2021)[2] CURRY 8 X – Data Acquisition and Online Processing, https://compumedicsneuroscan.com/product/curry-data-acquisition-online-processing-x/ (Accessed: 8, Feb, 2021)[3] Abhijith Mundanad Narayanan, "EEG analysis in python", 2021. https://github.com/mabhijithn/eeg-analyse , (Accessed: 8 Feb, 2021)", + "description_zh": "Experiment*************This dataset contains 255-channel electroencephalography (EEG) data collected during an auditory attention decoding experiment (AAD). The EEG was recorded using a SynAmps RT device (Compumedics, Australia) at a sampling rate of 1 kHz and using active Ag/Cl electrodes. The electrodes were placed on the head according to the international 10-5 (5%) system. 30 normal hearing male subjects between 22 and 35 years old participated in the experiment. All of them signed an informed consent form approved by the KU Leuven ethical committee.Two Dutch stories narrated by different male speakers divided into two parts of 6 minutes each were used as the stimuli in the experiment [1]. A single trial of the experiment involved the presentation of these two parts (one of both stories) to the subject through insert phones (Etymotic ER3A) at 60dBA. These speech stimuli were filtered using a head-related transfer function (HRTF) such that the stories seemed to arrive from two distinct spatial locations,  namely left and right with respect to the subject with 180 degrees separation. In each trial, the subjects were asked to attend to only one ear while ignoring the other. Four trials of 6 minutes each were carried out, in which each story part is used twice. The order of presentations was randomized and balanced over different subjects. Thus approximately 24 minutes of EEG data was recorded per subject.File organization and details********************************The EEG data of each of the 30 subjects are uploaded as a ZIP file with the name Sx.tar.gzip here x=0,1,2,..,29. When a zip file is extracted, the EEG data are in their original raw format as recorded by the CURRY software [2]. The data files of each recording consist of four files with the same name but different extensions, namely, .dat, ,dap, .rs3 and .ceo. The name of each file follows the following convention:1. Trial n of subject x attending to left-ear has the name: Sx_AAD_nL. 2. Trial n of subject x attending to right-ear has the name: Sx_AAD_nR.That is, the attended story/direction of each subject in a recording can be directly inferred from the file name. A MATLAB function to read the software is provided in the directory called scripts. A python function to read the file is available in this Github repository [3].The original version of stimuli presented to subjects, i.e. without the HRTF filtering, can be found after extracting the stimuli.zip file in WAV format. There are 4 WAV files corresponding to the two parts of each of the two stories. These files have been sampled at 44.1 kHz. The order of presentation of these WAV files is given in the table below:Trial (n)      Left-ear                   Right-ear1                part1_track1_dry     part1_track2_dry2                part1_track1_dry     part1_track2_dry3                part2_track2_dry     part2_track1_dry4                part2_track2_dry     part2_track1_dryAdditional files (after extracting scripts.zip and misc.zip):\tscripts/sample_script.m: Demonstrates reading an EEG-AAD recording and extracting the start and end of the experiment.\tmisc/channel-layout.jpeg: The 255-channel EEG cap layout\tmisc/eeg255ch_locs.csv: The channel names, numbers and their spherical (theta and phi) scalp coordinates. [1] Radioboeken voor kinderen, http://radioboeken.eu/kinderradioboeken.php?lang=NL, 2007 (Accessed: 8 Feb 2021)[2] CURRY 8 X – Data Acquisition and Online Processing, https://compumedicsneuroscan.com/product/curry-data-acquisition-online-processing-x/ (Accessed: 8, Feb, 2021)[3] Abhijith Mundanad Narayanan, "EEG analysis in python", 2021. https://github.com/mabhijithn/eeg-analyse , (Accessed: 8 Feb, 2021)", + "authors": [ + { + "name_en": "Mundanad Narayanan Abhijith", + "name_zh": "Mundanad Narayanan Abhijith" + }, + { + "name_en": "Zink Rob", + "name_zh": "Zink Rob" + }, + { + "name_en": "Bertrand Alexander", + "name_zh": "Bertrand Alexander" + } + ], + "keywords_en": [ + "EEG", + "signal processing", + "auditory attention decoding" + ], + "keywords_zh": [ + "EEG", + "signal processing", + "auditory attention decoding" + ], + "publication_date": "2021-02-07T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-4.0", + "file_size_mb": 1.94, + "file_size_bytes": 2030221, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1213584", + "cstr": "31253.11.10.5281/zenodo.1213584", + "pid": "", + "title": "The causal role of the somatosensory cortex in prosocial behavior - EEG dataset", + "title_en": "The causal role of the somatosensory cortex in prosocial behavior - EEG dataset", + "title_zh": "The causal role of the somatosensory cortex in prosocial behavior - EEG dataset", + "description": "Participants performed a costly helping paradigm while their brain activity was recorded. For more information about the paradigm see the associate pubblication. For more infomation about the data see README.txt", + "description_en": "Participants performed a costly helping paradigm while their brain activity was recorded. For more information about the paradigm see the associate pubblication. For more infomation about the data see README.txt", + "description_zh": "Participants performed a costly helping paradigm while their brain activity was recorded. For more information about the paradigm see the associate pubblication. For more infomation about the data see README.txt", + "authors": [ + { + "name_en": "Gallo Selene", + "name_zh": "Gallo Selene" + }, + { + "name_en": "Paracampo Riccardo", + "name_zh": "Paracampo Riccardo" + }, + { + "name_en": "Müller-Pinzler Laura", + "name_zh": "Müller-Pinzler Laura" + }, + { + "name_en": "Severo Mario Carlo", + "name_zh": "Severo Mario Carlo" + }, + { + "name_en": "Blömer Laila", + "name_zh": "Blömer Laila" + }, + { + "name_en": "Fernandes-Henriques Carolina", + "name_zh": "Fernandes-Henriques Carolina" + }, + { + "name_en": "Henschel Anna", + "name_zh": "Henschel Anna" + }, + { + "name_en": "Lammes Balint Kallista", + "name_zh": "Lammes Balint Kallista" + }, + { + "name_en": "Maskaljunas Tatjana", + "name_zh": "Maskaljunas Tatjana" + }, + { + "name_en": "Suttrup Judith", + "name_zh": "Suttrup Judith" + }, + { + "name_en": "Avenanti Alessio", + "name_zh": "Avenanti Alessio" + }, + { + "name_en": "Keysers Christian", + "name_zh": "Keysers Christian" + }, + { + "name_en": "Gazzola Valeria", + "name_zh": "Gazzola Valeria" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2018-04-05T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 19839.81, + "file_size_bytes": 20803548028, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.192684", + "cstr": "31253.11.10.5281/zenodo.192684", + "pid": "", + "title": "EEG Data for: \"Learning from Label Proportions in Brain-Computer Interfaces\"", + "title_en": "EEG Data for: \"Learning from Label Proportions in Brain-Computer Interfaces\"", + "title_zh": "EEG Data for: \"Learning from Label Proportions in Brain-Computer Interfaces\"", + "description": "Data about two experiments is contained in this repository. An EEG experiment utilizing visual event-related potentials (ERPs) with N=13 healthy subjects was conducted in addition to a smaller study with N=5 subjects performing both an auditory and a visual ERP paradigm. The dataset is used and described in the following journal article:Hübner, D., Verhoeven, T., Schmid, K., Müller, K. R., Tangermann, M., & Kindermans, P. J. (2017). Learning from label proportions in brain-computer interfaces: online unsupervised learning with guarantees. PloS one, 12(4), e0175856.Please cite the above article when using the data.The larger data set with N=13 is different to ordinary ERP datasets in the sense that the train of stimuli to spell one character (68) is divided into repetitions of two interleaved sequences with length 8 and 18, respectively. We added '#' symbols to the spelling matrix which should never be attended by the subject and hence, are non-targets by definition. The first, shorter sequence, now highlights only ordinary characters, while the second sequence also highlights '#' -- visual blank symbols. By construction, sequence 1 has a higher target ratio than sequence 2. These known, but different target and non-target proportions are then used to reconstruct the target and non-target class means. This approach which does not need explicit class labels is termed Learning from Label Proportions (LLP). It can be used to decode brain signals without prior calibration session. More details can be found in the article.In another study, the above data set was used to simulate a new unsupervised mixture approach which combines the mean estimation of the unsupervised expectation-maximization algorithm by Kindermans et al. (2012, PLoS One) with the means obtained with the LLP approach. This leads to an unsupervised solution for which the performance is as good as in the supervised scenario. Please find more details in the following article:Verhoeven, T., Hübner, D., Tangermann, M., Müller, K. R., Dambre, J., & Kindermans, P. J. (2017). Improving zero-training brain-computer interfaces by mixing model estimators. Journal of neural engineering, 14(3), 036021.The following files are available:description.pdf: Full description of the datasetoffline_auditory.zip: Data from the auditory offline study with N=5 subjectsoffline_visual.zip: Data from the visual offline study with N=5 subjectsonline_study_1-7.zip: Data from the online study for subjects 1-7online_study_8-13.zip: Data from the online study for subjects 8-13sequence.mat: Sequence data necessary for applying LLP to the online study. It is the same for all subjectsWe will create a git repository with example code soon.", + "description_en": "Data about two experiments is contained in this repository. An EEG experiment utilizing visual event-related potentials (ERPs) with N=13 healthy subjects was conducted in addition to a smaller study with N=5 subjects performing both an auditory and a visual ERP paradigm. The dataset is used and described in the following journal article:Hübner, D., Verhoeven, T., Schmid, K., Müller, K. R., Tangermann, M., & Kindermans, P. J. (2017). Learning from label proportions in brain-computer interfaces: online unsupervised learning with guarantees. PloS one, 12(4), e0175856.Please cite the above article when using the data.The larger data set with N=13 is different to ordinary ERP datasets in the sense that the train of stimuli to spell one character (68) is divided into repetitions of two interleaved sequences with length 8 and 18, respectively. We added '#' symbols to the spelling matrix which should never be attended by the subject and hence, are non-targets by definition. The first, shorter sequence, now highlights only ordinary characters, while the second sequence also highlights '#' -- visual blank symbols. By construction, sequence 1 has a higher target ratio than sequence 2. These known, but different target and non-target proportions are then used to reconstruct the target and non-target class means. This approach which does not need explicit class labels is termed Learning from Label Proportions (LLP). It can be used to decode brain signals without prior calibration session. More details can be found in the article.In another study, the above data set was used to simulate a new unsupervised mixture approach which combines the mean estimation of the unsupervised expectation-maximization algorithm by Kindermans et al. (2012, PLoS One) with the means obtained with the LLP approach. This leads to an unsupervised solution for which the performance is as good as in the supervised scenario. Please find more details in the following article:Verhoeven, T., Hübner, D., Tangermann, M., Müller, K. R., Dambre, J., & Kindermans, P. J. (2017). Improving zero-training brain-computer interfaces by mixing model estimators. Journal of neural engineering, 14(3), 036021.The following files are available:description.pdf: Full description of the datasetoffline_auditory.zip: Data from the auditory offline study with N=5 subjectsoffline_visual.zip: Data from the visual offline study with N=5 subjectsonline_study_1-7.zip: Data from the online study for subjects 1-7online_study_8-13.zip: Data from the online study for subjects 8-13sequence.mat: Sequence data necessary for applying LLP to the online study. It is the same for all subjectsWe will create a git repository with example code soon.", + "description_zh": "Data about two experiments is contained in this repository. An EEG experiment utilizing visual event-related potentials (ERPs) with N=13 healthy subjects was conducted in addition to a smaller study with N=5 subjects performing both an auditory and a visual ERP paradigm. The dataset is used and described in the following journal article:Hübner, D., Verhoeven, T., Schmid, K., Müller, K. R., Tangermann, M., & Kindermans, P. J. (2017). Learning from label proportions in brain-computer interfaces: online unsupervised learning with guarantees. PloS one, 12(4), e0175856.Please cite the above article when using the data.The larger data set with N=13 is different to ordinary ERP datasets in the sense that the train of stimuli to spell one character (68) is divided into repetitions of two interleaved sequences with length 8 and 18, respectively. We added '#' symbols to the spelling matrix which should never be attended by the subject and hence, are non-targets by definition. The first, shorter sequence, now highlights only ordinary characters, while the second sequence also highlights '#' -- visual blank symbols. By construction, sequence 1 has a higher target ratio than sequence 2. These known, but different target and non-target proportions are then used to reconstruct the target and non-target class means. This approach which does not need explicit class labels is termed Learning from Label Proportions (LLP). It can be used to decode brain signals without prior calibration session. More details can be found in the article.In another study, the above data set was used to simulate a new unsupervised mixture approach which combines the mean estimation of the unsupervised expectation-maximization algorithm by Kindermans et al. (2012, PLoS One) with the means obtained with the LLP approach. This leads to an unsupervised solution for which the performance is as good as in the supervised scenario. Please find more details in the following article:Verhoeven, T., Hübner, D., Tangermann, M., Müller, K. R., Dambre, J., & Kindermans, P. J. (2017). Improving zero-training brain-computer interfaces by mixing model estimators. Journal of neural engineering, 14(3), 036021.The following files are available:description.pdf: Full description of the datasetoffline_auditory.zip: Data from the auditory offline study with N=5 subjectsoffline_visual.zip: Data from the visual offline study with N=5 subjectsonline_study_1-7.zip: Data from the online study for subjects 1-7online_study_8-13.zip: Data from the online study for subjects 8-13sequence.mat: Sequence data necessary for applying LLP to the online study. It is the same for all subjectsWe will create a git repository with example code soon.", + "authors": [ + { + "name_en": "David Hübner", + "name_zh": "David Hübner" + } + ], + "keywords_en": [ + "EEG", + "Learning from Label Proportions", + "LLP", + "Brain-Computer Interfaces", + "BCI", + "Visual", + "Auditory", + "Event-Related Potential", + "ERP", + "Multiclass", + "Healthy", + "Young", + "Electroencephalography", + "Unsupervised", + "Classification" + ], + "keywords_zh": [ + "EEG", + "Learning from Label Proportions", + "LLP", + "Brain-Computer Interfaces", + "BCI", + "Visual", + "Auditory", + "Event-Related Potential", + "ERP", + "Multiclass", + "Healthy", + "Young", + "Electroencephalography", + "Unsupervised", + "Classification" + ], + "publication_date": "2016-12-04T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.42, + "file_size_bytes": 441415, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1507643", + "cstr": "31253.11.10.5281/zenodo.1507643", + "pid": "", + "title": "Quantitative analyses help in choosing between simultaneous versus separate EEG and fMRI", + "title_en": "Quantitative analyses help in choosing between simultaneous versus separate EEG and fMRI", + "title_zh": "Quantitative analyses help in choosing between simultaneous versus separate EEG and fMRI", + "description": "This dataset contains EEG and fMRI data of the same subjects in a simultaneous EEG-fMRI session and a separate EEG-fMRI session. The corresponding paper is published in Frontiers of Neuroscience - Brain Imaging Methods.  ", + "description_en": "This dataset contains EEG and fMRI data of the same subjects in a simultaneous EEG-fMRI session and a separate EEG-fMRI session. The corresponding paper is published in Frontiers of Neuroscience - Brain Imaging Methods.  ", + "description_zh": "This dataset contains EEG and fMRI data of the same subjects in a simultaneous EEG-fMRI session and a separate EEG-fMRI session. The corresponding paper is published in Frontiers of Neuroscience - Brain Imaging Methods.  ", + "authors": [ + { + "name_en": "Schrooten Maarten", + "name_zh": "Schrooten Maarten" + }, + { + "name_en": "Vandenberghe Rik", + "name_zh": "Vandenberghe Rik" + }, + { + "name_en": "Peeters Ronald", + "name_zh": "Peeters Ronald" + }, + { + "name_en": "Dupont Patrick", + "name_zh": "Dupont Patrick" + } + ], + "keywords_en": [ + "EEG", + "fMRI", + "EEG-fMRI" + ], + "keywords_zh": [ + "EEG", + "fMRI", + "EEG-fMRI" + ], + "publication_date": "2018-11-24T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 6837.02, + "file_size_bytes": 7169137234, + "download_count": 0, + "visit_count": 3, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.191899", + "cstr": "", + "pid": "", + "title": "fNIRS, EEG and EOG classification accuracy used to generate Fig 5", + "title_en": "fNIRS, EEG and EOG classification accuracy used to generate Fig 5", + "title_zh": "fNIRS, EEG and EOG classification accuracy used to generate Fig 5", + "description": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient W, was used to generate Fig 5.", + "description_en": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient W, was used to generate Fig 5.", + "description_zh": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient W, was used to generate Fig 5.", + "authors": [ + { + "name_en": "Chaudhary Ujwal", + "name_zh": "Chaudhary Ujwal" + }, + { + "name_en": "Silvoni Stefano", + "name_zh": "Silvoni Stefano" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2016-11-30T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 959, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.191884", + "cstr": "", + "pid": "", + "title": "fNIRS, EEG and EOG classification accuracy used to generate Fig 2", + "title_en": "fNIRS, EEG and EOG classification accuracy used to generate Fig 2", + "title_zh": "fNIRS, EEG and EOG classification accuracy used to generate Fig 2", + "description": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient F, was used to generate Fig 2.", + "description_en": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient F, was used to generate Fig 2.", + "description_zh": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient F, was used to generate Fig 2.", + "authors": [ + { + "name_en": "Chaudhary Ujwal", + "name_zh": "Chaudhary Ujwal" + }, + { + "name_en": "Silvoni Stefano", + "name_zh": "Silvoni Stefano" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2016-11-30T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 1173, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.191887", + "cstr": "", + "pid": "", + "title": "fNIRS, EEG and EOG classification accuracy used to generate Fig 3", + "title_en": "fNIRS, EEG and EOG classification accuracy used to generate Fig 3", + "title_zh": "fNIRS, EEG and EOG classification accuracy used to generate Fig 3", + "description": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient G, was used to generate Fig 3.", + "description_en": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient G, was used to generate Fig 3.", + "description_zh": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient G, was used to generate Fig 3.", + "authors": [ + { + "name_en": "Chaudhary Ujwal", + "name_zh": "Chaudhary Ujwal" + }, + { + "name_en": "Silvoni Stefano", + "name_zh": "Silvoni Stefano" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2016-11-30T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 1186, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3547486", + "cstr": "", + "pid": "", + "title": "EEG data for generating reference rdFC patterns and sample rdFC patterns", + "title_en": "EEG data for generating reference rdFC patterns and sample rdFC patterns", + "title_zh": "EEG data for generating reference rdFC patterns and sample rdFC patterns", + "description": "The correlation structure embedded in scalp EEG data is explored through three representative reference rdFC patterns which can be generated from the data in referenceEEG.txt. Three sample EEG data files, each of a triplet of electrodes, serve as examples for comparison with the reference rdFC patterns.", + "description_en": "The correlation structure embedded in scalp EEG data is explored through three representative reference rdFC patterns which can be generated from the data in referenceEEG.txt. Three sample EEG data files, each of a triplet of electrodes, serve as examples for comparison with the reference rdFC patterns.", + "description_zh": "The correlation structure embedded in scalp EEG data is explored through three representative reference rdFC patterns which can be generated from the data in referenceEEG.txt. Three sample EEG data files, each of a triplet of electrodes, serve as examples for comparison with the reference rdFC patterns.", + "authors": [ + { + "name_en": "Panwar Siddharth", + "name_zh": "Panwar Siddharth" + } + ], + "keywords_en": [ + "rdFC patterns" + ], + "keywords_zh": [ + "rdFC patterns" + ], + "publication_date": "2019-11-18T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1.74, + "file_size_bytes": 1829390, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.1109/embc.2016.7590650", + "cstr": "", + "pid": "", + "title": "Graph fractional-order total variation EEG source reconstruction", + "title_en": "Graph fractional-order total variation EEG source reconstruction", + "title_zh": "Graph fractional-order total variation EEG source reconstruction", + "description": "n/a", + "description_en": "n/a", + "description_zh": "n/a", + "authors": [ + { + "name_en": "Li, Ying", + "name_zh": "Li, Ying" + }, + { + "name_en": " Qin, Jing", + "name_zh": " Qin, Jing" + }, + { + "name_en": " Osher, Stanley", + "name_zh": " Osher, Stanley" + }, + { + "name_en": " Liu, Wentai", + "name_zh": " Liu, Wentai" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": 1469980800000, + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 6.41, + "file_size_bytes": 6716332, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.191891", + "cstr": "", + "pid": "", + "title": "fNIRS, EEG and EOG classification accuracy used to generate Fig 4", + "title_en": "fNIRS, EEG and EOG classification accuracy used to generate Fig 4", + "title_zh": "fNIRS, EEG and EOG classification accuracy used to generate Fig 4", + "description": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient B, was used to generate Fig 4.", + "description_en": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient B, was used to generate Fig 4.", + "description_zh": "fNIRS (functional near infrared spectroscopy), EEG (Electroencephalograph) and EOG (Electrooculogram) classification accuracy of different sessions performed by Patient B, was used to generate Fig 4.", + "authors": [ + { + "name_en": "Chaudhary Ujwal", + "name_zh": "Chaudhary Ujwal" + }, + { + "name_en": "Silvoni Stefano", + "name_zh": "Silvoni Stefano" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2016-11-30T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 1113, + "download_count": 0, + "visit_count": 3, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1134776", + "cstr": "", + "pid": "", + "title": "Somatosensory data for group analyses in the Frontiers Reseach Topic: From raw MEG/EEG to publication: how to perform MEG/EEG group analysis with free", + "title_en": "Somatosensory data for group analyses in the Frontiers Reseach Topic: From raw MEG/EEG to publication: how to perform MEG/EEG group analysis with free", + "title_zh": "Somatosensory data for group analyses in the Frontiers Reseach Topic: From raw MEG/EEG to publication: how to perform MEG/EEG group analysis with free", + "description": "If you use the data or the analysis pipeline, please refer to:Andersen, L.M., 2018. Group Analysis in MNE-Python of Evoked Responses from a Tactile Stimulation Paradigm: A Pipeline for Reproducibility at Every Step of Processing, Going from Individual Sensor Space Representations to an across-Group Source Space Representation. Front. Neurosci. 12. https://doi.org/10.3389/fnins.2018.00006and/orAndersen, L.M., 2018. Group Analysis in FieldTrip of Time-Frequency Responses: A Pipeline for Reproducibility at Every Step of Processing, Going From Individual Sensor Space Representations to an Across-Group Source Space Representation. Front. Neurosci. 12. https://doi.org/10.3389/fnins.2018.00261IMPORTANTVersion 2 only contains subjects 1, 18, 20 and a new version of the FreeSurfer folder. This is due to a (very) wrong co-registration for subject 1 and due to 18 and 20 having had their anatomy files mixed up. This has now been fixed. For all other subjects, please see version 1. Also, get the updated scripts from github instead at: https://github.com/ualsbombe/omission_frontiers.git Dataset with tactile expectations to be analysed with pipelines for either MNE-Python or FieldTrip, aiming to follow the MEG-BIDS structureUnzipping the dataData is compressed into twenty-two different zip-files, one for each of the twenty subjects, one for the FreeSurfer data, one for the scripts files . The easiest way to uncompress and prepare the analysis directories is to create a directory in your home folder called "analyses", which has a sub-directory called "omission_frontiers_BIDS-FieldTrip", which has a sub-directory called "data".Thus, as an example, in my case, I should have the path:    /home/lau/analyses/omission_frontiers_BIDS-FieldTrip/dataPath:on a Linux system the path would be   /home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/dataon a macOS system the path would be   /Users/your_name/analyses/omission_frontiers_BIDS-FieldTrip/dataon a Windows system the path would be C:\\Users\\your_name\\analyses\\omission_frontiers_BIDS-FieldTrip\\dataSteps for unzipping:1. Set up the folder above according to your operating system, following the examples above and substitute "your_name" for your user name.2. Unzip each of the subject folders into the data folder (sub-01 - sub-20) (/home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/data)3. Also unzip the FreeSurfer folder into the data folder (/home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/data)4. Finally, unzip the scripts folder into /home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/Now you are ready to run the analyses.The MEG dataRaw fif files are contained in the data folder, ordered by subject (n=20)There is one recording for each subject, MaxFiltered, called oddball_absence-tsss-mc_meg.fif. These are split into three files with -1 and -2 being the remainder of the recordingProcessed MRI data For the MRI, only the segmented data are provided. This is to sufficient to make the volume conduction model and the source model, while protecting the subjects' identityFor Fieldtrip, there is an mri_segmented.mat for each subject, which is found in the meg (sic!) folder for each subject. This has been co-registered to the MEG dataFor MNE-Python, the FreeSurfer directory should also be used, which contains a folder for each subject that contains surfaces (surf) and boundary element methods models (bem) that are used for source reconstruction in MNE-python. There is also a trans-file for each subject (oddball_absence_dense-trans.fif) in the meg folder specifying the co-registration between MEG and MRI coordinate systems for the MNE-Python analysis. Finally, the FreeSurfer folder also contains the labels for the cortical surface. This is not used in any of the analyses, but are supplied for interested users.MetadataEach subject has a number of tsv-files:*channel.tsv contain information about the channels in that recording*events.tsv contain information about the events in that recordingremoved_trial_indices.tsv contains information about which events were removed manually (NB! this is only used for the FieldTrip analysis)ica_components.tsv contains information which independent component were removed manually (NB! this is only used for the FieldTrip analysis)*scans_tsv contain information about the scans conductedScripts Please see Github for the updated scripts at: https://github.com/ualsbombe/omission_frontiers.git", + "description_en": "If you use the data or the analysis pipeline, please refer to:Andersen, L.M., 2018. Group Analysis in MNE-Python of Evoked Responses from a Tactile Stimulation Paradigm: A Pipeline for Reproducibility at Every Step of Processing, Going from Individual Sensor Space Representations to an across-Group Source Space Representation. Front. Neurosci. 12. https://doi.org/10.3389/fnins.2018.00006and/orAndersen, L.M., 2018. Group Analysis in FieldTrip of Time-Frequency Responses: A Pipeline for Reproducibility at Every Step of Processing, Going From Individual Sensor Space Representations to an Across-Group Source Space Representation. Front. Neurosci. 12. https://doi.org/10.3389/fnins.2018.00261IMPORTANTVersion 2 only contains subjects 1, 18, 20 and a new version of the FreeSurfer folder. This is due to a (very) wrong co-registration for subject 1 and due to 18 and 20 having had their anatomy files mixed up. This has now been fixed. For all other subjects, please see version 1. Also, get the updated scripts from github instead at: https://github.com/ualsbombe/omission_frontiers.git Dataset with tactile expectations to be analysed with pipelines for either MNE-Python or FieldTrip, aiming to follow the MEG-BIDS structureUnzipping the dataData is compressed into twenty-two different zip-files, one for each of the twenty subjects, one for the FreeSurfer data, one for the scripts files . The easiest way to uncompress and prepare the analysis directories is to create a directory in your home folder called "analyses", which has a sub-directory called "omission_frontiers_BIDS-FieldTrip", which has a sub-directory called "data".Thus, as an example, in my case, I should have the path:    /home/lau/analyses/omission_frontiers_BIDS-FieldTrip/dataPath:on a Linux system the path would be   /home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/dataon a macOS system the path would be   /Users/your_name/analyses/omission_frontiers_BIDS-FieldTrip/dataon a Windows system the path would be C:\\Users\\your_name\\analyses\\omission_frontiers_BIDS-FieldTrip\\dataSteps for unzipping:1. Set up the folder above according to your operating system, following the examples above and substitute "your_name" for your user name.2. Unzip each of the subject folders into the data folder (sub-01 - sub-20) (/home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/data)3. Also unzip the FreeSurfer folder into the data folder (/home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/data)4. Finally, unzip the scripts folder into /home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/Now you are ready to run the analyses.The MEG dataRaw fif files are contained in the data folder, ordered by subject (n=20)There is one recording for each subject, MaxFiltered, called oddball_absence-tsss-mc_meg.fif. These are split into three files with -1 and -2 being the remainder of the recordingProcessed MRI data For the MRI, only the segmented data are provided. This is to sufficient to make the volume conduction model and the source model, while protecting the subjects' identityFor Fieldtrip, there is an mri_segmented.mat for each subject, which is found in the meg (sic!) folder for each subject. This has been co-registered to the MEG dataFor MNE-Python, the FreeSurfer directory should also be used, which contains a folder for each subject that contains surfaces (surf) and boundary element methods models (bem) that are used for source reconstruction in MNE-python. There is also a trans-file for each subject (oddball_absence_dense-trans.fif) in the meg folder specifying the co-registration between MEG and MRI coordinate systems for the MNE-Python analysis. Finally, the FreeSurfer folder also contains the labels for the cortical surface. This is not used in any of the analyses, but are supplied for interested users.MetadataEach subject has a number of tsv-files:*channel.tsv contain information about the channels in that recording*events.tsv contain information about the events in that recordingremoved_trial_indices.tsv contains information about which events were removed manually (NB! this is only used for the FieldTrip analysis)ica_components.tsv contains information which independent component were removed manually (NB! this is only used for the FieldTrip analysis)*scans_tsv contain information about the scans conductedScripts Please see Github for the updated scripts at: https://github.com/ualsbombe/omission_frontiers.git", + "description_zh": "If you use the data or the analysis pipeline, please refer to:Andersen, L.M., 2018. Group Analysis in MNE-Python of Evoked Responses from a Tactile Stimulation Paradigm: A Pipeline for Reproducibility at Every Step of Processing, Going from Individual Sensor Space Representations to an across-Group Source Space Representation. Front. Neurosci. 12. https://doi.org/10.3389/fnins.2018.00006and/orAndersen, L.M., 2018. Group Analysis in FieldTrip of Time-Frequency Responses: A Pipeline for Reproducibility at Every Step of Processing, Going From Individual Sensor Space Representations to an Across-Group Source Space Representation. Front. Neurosci. 12. https://doi.org/10.3389/fnins.2018.00261IMPORTANTVersion 2 only contains subjects 1, 18, 20 and a new version of the FreeSurfer folder. This is due to a (very) wrong co-registration for subject 1 and due to 18 and 20 having had their anatomy files mixed up. This has now been fixed. For all other subjects, please see version 1. Also, get the updated scripts from github instead at: https://github.com/ualsbombe/omission_frontiers.git Dataset with tactile expectations to be analysed with pipelines for either MNE-Python or FieldTrip, aiming to follow the MEG-BIDS structureUnzipping the dataData is compressed into twenty-two different zip-files, one for each of the twenty subjects, one for the FreeSurfer data, one for the scripts files . The easiest way to uncompress and prepare the analysis directories is to create a directory in your home folder called "analyses", which has a sub-directory called "omission_frontiers_BIDS-FieldTrip", which has a sub-directory called "data".Thus, as an example, in my case, I should have the path:    /home/lau/analyses/omission_frontiers_BIDS-FieldTrip/dataPath:on a Linux system the path would be   /home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/dataon a macOS system the path would be   /Users/your_name/analyses/omission_frontiers_BIDS-FieldTrip/dataon a Windows system the path would be C:\\Users\\your_name\\analyses\\omission_frontiers_BIDS-FieldTrip\\dataSteps for unzipping:1. Set up the folder above according to your operating system, following the examples above and substitute "your_name" for your user name.2. Unzip each of the subject folders into the data folder (sub-01 - sub-20) (/home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/data)3. Also unzip the FreeSurfer folder into the data folder (/home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/data)4. Finally, unzip the scripts folder into /home/your_name/analyses/omission_frontiers_BIDS-FieldTrip/Now you are ready to run the analyses.The MEG dataRaw fif files are contained in the data folder, ordered by subject (n=20)There is one recording for each subject, MaxFiltered, called oddball_absence-tsss-mc_meg.fif. These are split into three files with -1 and -2 being the remainder of the recordingProcessed MRI data For the MRI, only the segmented data are provided. This is to sufficient to make the volume conduction model and the source model, while protecting the subjects' identityFor Fieldtrip, there is an mri_segmented.mat for each subject, which is found in the meg (sic!) folder for each subject. This has been co-registered to the MEG dataFor MNE-Python, the FreeSurfer directory should also be used, which contains a folder for each subject that contains surfaces (surf) and boundary element methods models (bem) that are used for source reconstruction in MNE-python. There is also a trans-file for each subject (oddball_absence_dense-trans.fif) in the meg folder specifying the co-registration between MEG and MRI coordinate systems for the MNE-Python analysis. Finally, the FreeSurfer folder also contains the labels for the cortical surface. This is not used in any of the analyses, but are supplied for interested users.MetadataEach subject has a number of tsv-files:*channel.tsv contain information about the channels in that recording*events.tsv contain information about the events in that recordingremoved_trial_indices.tsv contains information about which events were removed manually (NB! this is only used for the FieldTrip analysis)ica_components.tsv contains information which independent component were removed manually (NB! this is only used for the FieldTrip analysis)*scans_tsv contain information about the scans conductedScripts Please see Github for the updated scripts at: https://github.com/ualsbombe/omission_frontiers.git", + "authors": [ + { + "name_en": "Lau Møller Andersen", + "name_zh": "Lau Møller Andersen" + } + ], + "keywords_en": [ + "MEG", + "analysis pipeline", + "MNE-Python", + "minimum norm estimate (MNE)", + "Tactile Expectations", + "Group analysis", + "good practice", + "fieldtrip", + "beamformer" + ], + "keywords_zh": [ + "MEG", + "analysis pipeline", + "MNE-Python", + "minimum norm estimate (MNE)", + "Tactile Expectations", + "Group analysis", + "good practice", + "fieldtrip", + "beamformer" + ], + "publication_date": "2017-09-30T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-SA-4.0", + "file_size_mb": 2174.52, + "file_size_bytes": 2280145323, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "64f04634cc4bc33e70a58f83", + "doi": "10.6084/m9.figshare.c.5740424.v1", + "cstr": "", + "pid": "", + "title": "A simultaneous EEG and eye-tracking dataset in elite athletes during alertness and concentration tasks", + "title_en": "A simultaneous EEG and eye-tracking dataset in elite athletes during alertness and concentration tasks", + "title_zh": "A simultaneous EEG and eye-tracking dataset in elite athletes during alertness and concentration tasks", + "description": "

A dataset of simultaneous 64-channel electroencephalography (EEG) and high-speed eye-tracking (ET) recordings collected from 31 professional shooting, archery and modern pentathlon athletes (Sub3** and Sub5**) and 43 college students (Sub0** and Sub7**) during alertness behavior task (ABT) and concentration cognitive task (CCT).

", + "description_en": "

A dataset of simultaneous 64-channel electroencephalography (EEG) and high-speed eye-tracking (ET) recordings collected from 31 professional shooting, archery and modern pentathlon athletes (Sub3** and Sub5**) and 43 college students (Sub0** and Sub7**) during alertness behavior task (ABT) and concentration cognitive task (CCT).

", + "description_zh": "

A dataset of simultaneous 64-channel electroencephalography (EEG) and high-speed eye-tracking (ET) recordings collected from 31 professional shooting, archery and modern pentathlon athletes (Sub3** and Sub5**) and 43 college students (Sub0** and Sub7**) during alertness behavior task (ABT) and concentration cognitive task (CCT).

", + "authors": [ + { + "name_en": "Yu Yuguo", + "name_zh": "Yu Yuguo", + "email": "yuyuguo@fudan.edu.cn", + "affiliations": [ + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + } + ] + }, + { + "name_en": "Pei Xinzhen", + "name_zh": "Pei Xinzhen", + "affiliations": [ + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + } + ] + }, + { + "name_en": "Xu Guiying", + "name_zh": "Xu Guiying", + "email": "zhangm@sari.ac.cn", + "affiliations": [ + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + }, + { + "name_en": "Shanghai Advanced Research Institute", + "name_zh": "上海高等研究院", + "ror_id": "https://ror.org/02br7py06" + }, + { + "name_en": "Shanghai Advanced Research Institute, Chinese Academy of Sciences", + "name_zh": "Shanghai Advanced Research Institute, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Zhou Yunhui", + "name_zh": "Zhou Yunhui", + "email": "yuyuguo@fudan.edu.cn", + "affiliations": [ + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + } + ] + }, + { + "name_en": "Tao Luna", + "name_zh": "Tao Luna", + "affiliations": [ + { + "name_en": "Shanghai Competitive Sports Training Management Center", + "name_zh": "Shanghai Competitive Sports Training Management Center" + } + ] + }, + { + "name_en": "Cui Xiaozhu", + "name_zh": "Cui Xiaozhu", + "affiliations": [ + { + "name_en": "Shanghai Research Institute of Sports Science (Shanghai Anti-doping Agency)", + "name_zh": "Shanghai Research Institute of Sports Science (Shanghai Anti-doping Agency)" + } + ] + }, + { + "name_en": "Wang Zhenyu", + "name_zh": "Wang Zhenyu", + "affiliations": [ + { + "name_en": "Shanghai Advanced Research Institute", + "name_zh": "上海高等研究院", + "ror_id": "https://ror.org/02br7py06" + }, + { + "name_en": "Shanghai Advanced Research Institute, Chinese Academy of Sciences", + "name_zh": "Shanghai Advanced Research Institute, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Xu Bingru", + "name_zh": "Xu Bingru", + "affiliations": [ + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + } + ] + }, + { + "name_en": "Wang An-Li", + "name_zh": "Wang An-Li", + "affiliations": [ + { + "name_en": "Department of Psychiatry, Icahn School of Medicine at Mount Sinai", + "name_zh": "Department of Psychiatry, Icahn School of Medicine at Mount Sinai" + } + ] + }, + { + "name_en": "Zhao Xi", + "name_zh": "Zhao Xi", + "affiliations": [ + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + }, + { + "name_en": "Shanghai Advanced Research Institute, Chinese Academy of Sciences", + "name_zh": "Shanghai Advanced Research Institute, Chinese Academy of Sciences" + }, + { + "name_en": "Shanghai Advanced Research Institute", + "name_zh": "上海高等研究院", + "ror_id": "https://ror.org/02br7py06" + } + ] + }, + { + "name_en": "Dong Haijun", + "name_zh": "Dong Haijun", + "affiliations": [ + { + "name_en": "Shanghai Normal University", + "name_zh": "Shanghai Normal University" + } + ] + }, + { + "name_en": "An Yan", + "name_zh": "An Yan", + "affiliations": [ + { + "name_en": "Shanghai Research Institute of Sports Science (Shanghai Anti-doping Agency)", + "name_zh": "Shanghai Research Institute of Sports Science (Shanghai Anti-doping Agency)" + } + ] + }, + { + "name_en": "Cao Yang", + "name_zh": "Cao Yang", + "affiliations": [ + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + }, + { + "name_en": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University", + "name_zh": "Human Phenome Institute, State Key Laboratory of Medical Neurobiology and Ministry of Education Frontiers Center for Brain Science, School of Life Science, Research Institute of Intelligent Complex Systems, and Institute of Science and Technology for Brain-Inspired Intelligence, Fudan University" + } + ] + }, + { + "name_en": "Li Ruxue", + "name_zh": "Li Ruxue", + "affiliations": [ + { + "name_en": "Shanghai Advanced Research Institute", + "name_zh": "上海高等研究院", + "ror_id": "https://ror.org/02br7py06" + }, + { + "name_en": "Shanghai Advanced Research Institute, Chinese Academy of Sciences", + "name_zh": "Shanghai Advanced Research Institute, Chinese Academy of Sciences" + } + ] + }, + { + "name_en": "Hu Honglin", + "name_zh": "Hu Honglin", + "email": "huhl@sari.ac.cn", + "affiliations": [ + { + "name_en": "Shanghai Advanced Research Institute", + "name_zh": "上海高等研究院", + "ror_id": "https://ror.org/02br7py06" + }, + { + "name_en": "Shanghai Advanced Research Institute, Chinese Academy of Sciences", + "name_zh": "Shanghai Advanced Research Institute, Chinese Academy of Sciences" + } + ] + } + ], + "keywords_en": [ + "EEG", + "eye-tracking", + "research data" + ], + "keywords_zh": [ + "EEG", + "eye-tracking", + "research data" + ], + "publication_date": "2022-07-28T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 13523, + "download_count": 0, + "visit_count": 5, + "url": "https://www.scidb.cn/en/detail?id=64f04634cc4bc33e70a58f83", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5282/zenodo.572319", + "cstr": "", + "pid": "", + "title": "The EEG and fMRI signatures of neural integration: An investigation of meaningful gestures and corresponding speech", + "title_en": "The EEG and fMRI signatures of neural integration: An investigation of meaningful gestures and corresponding speech", + "title_zh": "The EEG and fMRI signatures of neural integration: An investigation of meaningful gestures and corresponding speech", + "description": "One of the key features of human interpersonal communication is our ability to integrate information communicated by speech and accompanying gestures. However, it is still not fully understood how this essential combinatory process is represented in the human brain. Functional magnetic resonance imaging (fMRI) studies have unanimously attested the relevance of activation in the posterior superior temporal sulcus/middle temporal gyrus (pSTS/MTG), while electroencephalography (EEG) studies have shown oscillatory activity in specific frequency bands to be associated with multisensory integration. In the current study, we used fMRI and EEG to separately investigate the anatomical and oscillatory neural signature of integrating intrinsically meaningful gestures (IMG; e.g. “Thumbs-up gesture”) and corresponding speech (e.g., “The actor did a good job”). In both the fMRI (n=20) and EEG (n=20) study, participants were presented with videos of an actor either: performing IMG in the context of a German sentence (GG), IMG in the context of a Russian (as a foreign language) sentence (GR), or speaking an isolated German sentence without gesture (SG). The results of the fMRI experiment confirmed that gesture–speech processing of IMG activates the posterior MTG (GG>GR∩GG>SG). In the EEG experiment we found that the identical integration process (GG>GR∩GG>SG) is related to a centrally-distributed alpha (7–13 Hz) power decrease within 700–1400 ms post-onset of the critical word. These new findings suggest that BOLD response increase in the pMTG and alpha power decrease represent the neural correlates of integrating intrinsically meaningful gestures with their corresponding speech.", + "description_en": "One of the key features of human interpersonal communication is our ability to integrate information communicated by speech and accompanying gestures. However, it is still not fully understood how this essential combinatory process is represented in the human brain. Functional magnetic resonance imaging (fMRI) studies have unanimously attested the relevance of activation in the posterior superior temporal sulcus/middle temporal gyrus (pSTS/MTG), while electroencephalography (EEG) studies have shown oscillatory activity in specific frequency bands to be associated with multisensory integration. In the current study, we used fMRI and EEG to separately investigate the anatomical and oscillatory neural signature of integrating intrinsically meaningful gestures (IMG; e.g. “Thumbs-up gesture”) and corresponding speech (e.g., “The actor did a good job”). In both the fMRI (n=20) and EEG (n=20) study, participants were presented with videos of an actor either: performing IMG in the context of a German sentence (GG), IMG in the context of a Russian (as a foreign language) sentence (GR), or speaking an isolated German sentence without gesture (SG). The results of the fMRI experiment confirmed that gesture–speech processing of IMG activates the posterior MTG (GG>GR∩GG>SG). In the EEG experiment we found that the identical integration process (GG>GR∩GG>SG) is related to a centrally-distributed alpha (7–13 Hz) power decrease within 700–1400 ms post-onset of the critical word. These new findings suggest that BOLD response increase in the pMTG and alpha power decrease represent the neural correlates of integrating intrinsically meaningful gestures with their corresponding speech.", + "description_zh": "One of the key features of human interpersonal communication is our ability to integrate information communicated by speech and accompanying gestures. However, it is still not fully understood how this essential combinatory process is represented in the human brain. Functional magnetic resonance imaging (fMRI) studies have unanimously attested the relevance of activation in the posterior superior temporal sulcus/middle temporal gyrus (pSTS/MTG), while electroencephalography (EEG) studies have shown oscillatory activity in specific frequency bands to be associated with multisensory integration. In the current study, we used fMRI and EEG to separately investigate the anatomical and oscillatory neural signature of integrating intrinsically meaningful gestures (IMG; e.g. “Thumbs-up gesture”) and corresponding speech (e.g., “The actor did a good job”). In both the fMRI (n=20) and EEG (n=20) study, participants were presented with videos of an actor either: performing IMG in the context of a German sentence (GG), IMG in the context of a Russian (as a foreign language) sentence (GR), or speaking an isolated German sentence without gesture (SG). The results of the fMRI experiment confirmed that gesture–speech processing of IMG activates the posterior MTG (GG>GR∩GG>SG). In the EEG experiment we found that the identical integration process (GG>GR∩GG>SG) is related to a centrally-distributed alpha (7–13 Hz) power decrease within 700–1400 ms post-onset of the critical word. These new findings suggest that BOLD response increase in the pMTG and alpha power decrease represent the neural correlates of integrating intrinsically meaningful gestures with their corresponding speech.", + "authors": [ + { + "name_en": "Yifei He", + "name_zh": "Yifei He" + }, + { + "name_en": "Helge Gebhardt", + "name_zh": "Helge Gebhardt" + }, + { + "name_en": "Miriam Steines", + "name_zh": "Miriam Steines" + }, + { + "name_en": "Gebhard Sammer", + "name_zh": "Gebhard Sammer" + }, + { + "name_en": "Tilo Kircher", + "name_zh": "Tilo Kircher" + }, + { + "name_en": "Arne Nagels", + "name_zh": "Arne Nagels" + }, + { + "name_en": "Benjamin Straube", + "name_zh": "Benjamin Straube" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2015-03-31T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 31.19, + "file_size_bytes": 32708757, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5061/dryad.14004q5", + "cstr": "", + "pid": "", + "title": "Data from: Ictal quantitative surface electromyography correlates with postictal EEG suppression", + "title_en": "Data from: Ictal quantitative surface electromyography correlates with postictal EEG suppression", + "title_zh": "Data from: Ictal quantitative surface electromyography correlates with postictal EEG suppression", + "description": "Objective: To test the hypothesis that neurophysiological biomarkers of muscle activation during convulsive seizures reveal seizure severity, and to determine whether automatically computed surface electromyography (EMG) parameters during seizures can predict postictal generalized EEG suppression (PGES) indicating increased risk for sudden unexpected death in epilepsy (SUDEP). Wearable EMG devices have been clinically validated for automated detection of generalized tonic-clonic seizures (GTCS). Our goal was to use automated EMG measurements for seizure-characterization and risk-assessment.Methods: Quantitative parameters were automatically computed from surface EMG recorded during convulsive seizures, from deltoid and brachial biceps muscles, in patients admitted to long-term video-EEG monitoring. Parameters evaluated were: the durations of the seizure phases (tonic, clonic), durations of the clonic bursts and silent periods, as well as the dynamics of their evolution (slope). We compared them with the duration of the PGES.Results: We found significant correlations between automatically computed EMG parameters and the duration of PGES (p<0.001). Stepwise multiple regression analysis identified as independent predictors, in deltoid muscle the duration of the clonic phase, and in biceps muscle the duration of the tonic-clonic phases, the average silent period, and the slopes of the silent period and clonic bursts. An algorithm constructed from these parameters identified seizures at increased risk (PGES ≥20s) with an accuracy of 87%.Conclusions: Automatically computed ictal EMG parameters correlate with PGES and may identify seizures at high risk.Classification of Evidence: This study provides Class II evidence that quantitative ictal EMG parameters are biomarkers for high-risk convulsive seizures.", + "description_en": "Objective: To test the hypothesis that neurophysiological biomarkers of muscle activation during convulsive seizures reveal seizure severity, and to determine whether automatically computed surface electromyography (EMG) parameters during seizures can predict postictal generalized EEG suppression (PGES) indicating increased risk for sudden unexpected death in epilepsy (SUDEP). Wearable EMG devices have been clinically validated for automated detection of generalized tonic-clonic seizures (GTCS). Our goal was to use automated EMG measurements for seizure-characterization and risk-assessment.Methods: Quantitative parameters were automatically computed from surface EMG recorded during convulsive seizures, from deltoid and brachial biceps muscles, in patients admitted to long-term video-EEG monitoring. Parameters evaluated were: the durations of the seizure phases (tonic, clonic), durations of the clonic bursts and silent periods, as well as the dynamics of their evolution (slope). We compared them with the duration of the PGES.Results: We found significant correlations between automatically computed EMG parameters and the duration of PGES (p<0.001). Stepwise multiple regression analysis identified as independent predictors, in deltoid muscle the duration of the clonic phase, and in biceps muscle the duration of the tonic-clonic phases, the average silent period, and the slopes of the silent period and clonic bursts. An algorithm constructed from these parameters identified seizures at increased risk (PGES ≥20s) with an accuracy of 87%.Conclusions: Automatically computed ictal EMG parameters correlate with PGES and may identify seizures at high risk.Classification of Evidence: This study provides Class II evidence that quantitative ictal EMG parameters are biomarkers for high-risk convulsive seizures.", + "description_zh": "Objective: To test the hypothesis that neurophysiological biomarkers of muscle activation during convulsive seizures reveal seizure severity, and to determine whether automatically computed surface electromyography (EMG) parameters during seizures can predict postictal generalized EEG suppression (PGES) indicating increased risk for sudden unexpected death in epilepsy (SUDEP). Wearable EMG devices have been clinically validated for automated detection of generalized tonic-clonic seizures (GTCS). Our goal was to use automated EMG measurements for seizure-characterization and risk-assessment.Methods: Quantitative parameters were automatically computed from surface EMG recorded during convulsive seizures, from deltoid and brachial biceps muscles, in patients admitted to long-term video-EEG monitoring. Parameters evaluated were: the durations of the seizure phases (tonic, clonic), durations of the clonic bursts and silent periods, as well as the dynamics of their evolution (slope). We compared them with the duration of the PGES.Results: We found significant correlations between automatically computed EMG parameters and the duration of PGES (p<0.001). Stepwise multiple regression analysis identified as independent predictors, in deltoid muscle the duration of the clonic phase, and in biceps muscle the duration of the tonic-clonic phases, the average silent period, and the slopes of the silent period and clonic bursts. An algorithm constructed from these parameters identified seizures at increased risk (PGES ≥20s) with an accuracy of 87%.Conclusions: Automatically computed ictal EMG parameters correlate with PGES and may identify seizures at high risk.Classification of Evidence: This study provides Class II evidence that quantitative ictal EMG parameters are biomarkers for high-risk convulsive seizures.", + "authors": [ + { + "name_en": "Arbune Anca A.", + "name_zh": "Arbune Anca A." + }, + { + "name_en": "Conradsen Isa", + "name_zh": "Conradsen Isa" + }, + { + "name_en": "Cardenas Damon P.", + "name_zh": "Cardenas Damon P." + }, + { + "name_en": "Whitmire Luke E.", + "name_zh": "Whitmire Luke E." + }, + { + "name_en": "Voyles Shannon R.", + "name_zh": "Voyles Shannon R." + }, + { + "name_en": "Wolf Peter", + "name_zh": "Wolf Peter" + }, + { + "name_en": "Lhatoo Samden", + "name_zh": "Lhatoo Samden" + }, + { + "name_en": "Ryvlin Philippe", + "name_zh": "Ryvlin Philippe" + }, + { + "name_en": "Beniczky Sándor", + "name_zh": "Beniczky Sándor" + } + ], + "keywords_en": [ + "epilepsy monitoring", + "Epilepsy/Seizures", + "EMG", + "Generalized seizures" + ], + "keywords_zh": [ + "epilepsy monitoring", + "Epilepsy/Seizures", + "EMG", + "Generalized seizures" + ], + "publication_date": "2020-12-15T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 11.89, + "file_size_bytes": 12464128, + "download_count": 0, + "visit_count": 5, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.160344", + "cstr": "", + "pid": "", + "title": "PIR data and EEG scoring for Wellcome Open Research methods paper (Brown et al 2016)", + "title_en": "PIR data and EEG scoring for Wellcome Open Research methods paper (Brown et al 2016)", + "title_zh": "PIR data and EEG scoring for Wellcome Open Research methods paper (Brown et al 2016)", + "description": "PIR data and EEG-scored sleep in the Wellcome Open Research article:'COMPASS: Continuous Open Mouse Phenotyping of Activity and Sleep Status' 1sensorPIRvsEEGdata.csv  -  PIR based actigraphy for mice to compare to EEG-scored sleepEEG_4mice10sec.csv  -  Manually scored sleep from EEG files (.edf) from 10.5281/zenodo.160118blandAltLandD.csv  -  paired estimates of sleep by PIR and EEG methods (sum of 4 mice over 1 day in 30min bins)1monthPIRsleep.csv  - 1 month of activity for for figure 424mice_activity_LD1week.csv  - activity and sleep for 24 wt mice (for hierarchical clustering in figure 4)24mice_sleep_LD1week.csv       ", + "description_en": "PIR data and EEG-scored sleep in the Wellcome Open Research article:'COMPASS: Continuous Open Mouse Phenotyping of Activity and Sleep Status' 1sensorPIRvsEEGdata.csv  -  PIR based actigraphy for mice to compare to EEG-scored sleepEEG_4mice10sec.csv  -  Manually scored sleep from EEG files (.edf) from 10.5281/zenodo.160118blandAltLandD.csv  -  paired estimates of sleep by PIR and EEG methods (sum of 4 mice over 1 day in 30min bins)1monthPIRsleep.csv  - 1 month of activity for for figure 424mice_activity_LD1week.csv  - activity and sleep for 24 wt mice (for hierarchical clustering in figure 4)24mice_sleep_LD1week.csv       ", + "description_zh": "PIR data and EEG-scored sleep in the Wellcome Open Research article:'COMPASS: Continuous Open Mouse Phenotyping of Activity and Sleep Status' 1sensorPIRvsEEGdata.csv  -  PIR based actigraphy for mice to compare to EEG-scored sleepEEG_4mice10sec.csv  -  Manually scored sleep from EEG files (.edf) from 10.5281/zenodo.160118blandAltLandD.csv  -  paired estimates of sleep by PIR and EEG methods (sum of 4 mice over 1 day in 30min bins)1monthPIRsleep.csv  - 1 month of activity for for figure 424mice_activity_LD1week.csv  - activity and sleep for 24 wt mice (for hierarchical clustering in figure 4)24mice_sleep_LD1week.csv       ", + "authors": [ + { + "name_en": "Brown Laurence A.", + "name_zh": "Brown Laurence A." + }, + { + "name_en": "Hasan Sibah", + "name_zh": "Hasan Sibah" + }, + { + "name_en": "Foster Russell G.", + "name_zh": "Foster Russell G." + }, + { + "name_en": "Peirson Stuart N.", + "name_zh": "Peirson Stuart N." + } + ], + "keywords_en": [ + "mouse", + "PIR", + "EEG", + "sleep", + "COMPASS" + ], + "keywords_zh": [ + "mouse", + "PIR", + "EEG", + "sleep", + "COMPASS" + ], + "publication_date": "2016-10-13T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 13.15, + "file_size_bytes": 13788195, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.191929", + "cstr": "", + "pid": "", + "title": "Daily wise EEG frequency domain results used to generate S1_Table1", + "title_en": "Daily wise EEG frequency domain results used to generate S1_Table1", + "title_zh": "Daily wise EEG frequency domain results used to generate S1_Table1", + "description": "Lists the daily wise EEG frequency domain results of each patient and also the averaged correlation between daily wise EEG frequency bands mean power and fNIRS classification accuracy (CA) for each patient.", + "description_en": "Lists the daily wise EEG frequency domain results of each patient and also the averaged correlation between daily wise EEG frequency bands mean power and fNIRS classification accuracy (CA) for each patient.", + "description_zh": "Lists the daily wise EEG frequency domain results of each patient and also the averaged correlation between daily wise EEG frequency bands mean power and fNIRS classification accuracy (CA) for each patient.", + "authors": [ + { + "name_en": "Silvoni Stefano", + "name_zh": "Silvoni Stefano" + }, + { + "name_en": "Chaudhary Ujwal", + "name_zh": "Chaudhary Ujwal" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2016-11-30T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 3570, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.1109/isemc.1980.7567290", + "cstr": "31253.11.10.1109/isemc.1980.7567290", + "pid": "", + "title": "An EMC Test Procedure for an Electroencephalograph (EEG) Using Human Subjects and Simulated Electronic Patients", + "title_en": "An EMC Test Procedure for an Electroencephalograph (EEG) Using Human Subjects and Simulated Electronic Patients", + "title_zh": "An EMC Test Procedure for an Electroencephalograph (EEG) Using Human Subjects and Simulated Electronic Patients", + "description": "n/a", + "description_en": "n/a", + "description_zh": "n/a", + "authors": [ + { + "name_en": "Ruggera, Paul S.", + "name_zh": "Ruggera, Paul S." + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": 339177600000, + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.44, + "file_size_bytes": 464810, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.1371/journal.pone.0156436", + "cstr": "", + "pid": "", + "title": "Semi-automatic segmentation of optic radiations and LGN, and their relationship to EEG alpha waves", + "title_en": "Semi-automatic segmentation of optic radiations and LGN, and their relationship to EEG alpha waves", + "title_zh": "Semi-automatic segmentation of optic radiations and LGN, and their relationship to EEG alpha waves", + "description": "Spreadsheet containing structural and functional data", + "description_en": "Spreadsheet containing structural and functional data", + "description_zh": "Spreadsheet containing structural and functional data", + "authors": [ + { + "name_en": "Renauld Emmanuelle", + "name_zh": "Renauld Emmanuelle" + }, + { + "name_en": "Descoteaux Maxime", + "name_zh": "Descoteaux Maxime" + }, + { + "name_en": "Bernier Michael", + "name_zh": "Bernier Michael" + }, + { + "name_en": "Garyfallidis Eleftherios", + "name_zh": "Garyfallidis Eleftherios" + }, + { + "name_en": "Whittingstall Kevin", + "name_zh": "Whittingstall Kevin" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2016-05-28T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.11, + "file_size_bytes": 114136, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.13003", + "cstr": "", + "pid": "", + "title": "EEG data for \"Conversation electrified: ERP correlates of speech act recognition in underspecified utterances\"", + "title_en": "EEG data for \"Conversation electrified: ERP correlates of speech act recognition in underspecified utterances\"", + "title_zh": "EEG data for \"Conversation electrified: ERP correlates of speech act recognition in underspecified utterances\"", + "description": "Please refer to the publication in Plos One for a description of the experiment and data analysis:   Gisladottir RS, Chwilla DJ, Levinson SC (2015) Conversation Electrified: ERP Correlates of Speech Act Recognition in Underspecified Utterances. PLoS ONE 10(3): e0120068. doi: 10.1371/journal.pone.0120068", + "description_en": "Please refer to the publication in Plos One for a description of the experiment and data analysis:   Gisladottir RS, Chwilla DJ, Levinson SC (2015) Conversation Electrified: ERP Correlates of Speech Act Recognition in Underspecified Utterances. PLoS ONE 10(3): e0120068. doi: 10.1371/journal.pone.0120068", + "description_zh": "Please refer to the publication in Plos One for a description of the experiment and data analysis:   Gisladottir RS, Chwilla DJ, Levinson SC (2015) Conversation Electrified: ERP Correlates of Speech Act Recognition in Underspecified Utterances. PLoS ONE 10(3): e0120068. doi: 10.1371/journal.pone.0120068", + "authors": [ + { + "name_en": "Gisladottir Rosa", + "name_zh": "Gisladottir Rosa" + }, + { + "name_en": "Levinson Stephen", + "name_zh": "Levinson Stephen" + }, + { + "name_en": "Chwilla Dorothee", + "name_zh": "Chwilla Dorothee" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2015-03-20T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 76.52, + "file_size_bytes": 80233200, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.834976", + "cstr": "31253.11.10.5281/zenodo.834976", + "pid": "", + "title": "Upper limb movements can be decoded from the time-domain of low-frequency EEG", + "title_en": "Upper limb movements can be decoded from the time-domain of low-frequency EEG", + "title_zh": "Upper limb movements can be decoded from the time-domain of low-frequency EEG", + "description": "How neural correlates of movements are represented in the human brain is of ongoing interest and has been researched with invasive and non-invasive methods. In this study, we analyzed the encoding of single upper limb movements in the time-domain of low-frequency electroencephalography (EEG) signals. Fifteen healthy subjects executed and imagined six different sustained upper limb movements. We classified these six movements and a rest class and obtained significant average classification accuracies of 55% (movement vs movement) and 87% (movement vs rest) for executed movements, and 27% and 73%, respectively, for imagined movements. Furthermore, we analyzed the classifier patterns in the source space and located the brain areas conveying discriminative movement information. The classifier patterns indicate that mainly premotor areas, primary motor cortex, somatosensory cortex and posterior parietal cortex convey discriminative movement information. The decoding of single upper limb movements is specially interesting in the context of a more natural non-invasive control of e.g., a motor neuroprosthesis or a robotic arm in highly motor disabled persons.", + "description_en": "How neural correlates of movements are represented in the human brain is of ongoing interest and has been researched with invasive and non-invasive methods. In this study, we analyzed the encoding of single upper limb movements in the time-domain of low-frequency electroencephalography (EEG) signals. Fifteen healthy subjects executed and imagined six different sustained upper limb movements. We classified these six movements and a rest class and obtained significant average classification accuracies of 55% (movement vs movement) and 87% (movement vs rest) for executed movements, and 27% and 73%, respectively, for imagined movements. Furthermore, we analyzed the classifier patterns in the source space and located the brain areas conveying discriminative movement information. The classifier patterns indicate that mainly premotor areas, primary motor cortex, somatosensory cortex and posterior parietal cortex convey discriminative movement information. The decoding of single upper limb movements is specially interesting in the context of a more natural non-invasive control of e.g., a motor neuroprosthesis or a robotic arm in highly motor disabled persons.", + "description_zh": "How neural correlates of movements are represented in the human brain is of ongoing interest and has been researched with invasive and non-invasive methods. In this study, we analyzed the encoding of single upper limb movements in the time-domain of low-frequency electroencephalography (EEG) signals. Fifteen healthy subjects executed and imagined six different sustained upper limb movements. We classified these six movements and a rest class and obtained significant average classification accuracies of 55% (movement vs movement) and 87% (movement vs rest) for executed movements, and 27% and 73%, respectively, for imagined movements. Furthermore, we analyzed the classifier patterns in the source space and located the brain areas conveying discriminative movement information. The classifier patterns indicate that mainly premotor areas, primary motor cortex, somatosensory cortex and posterior parietal cortex convey discriminative movement information. The decoding of single upper limb movements is specially interesting in the context of a more natural non-invasive control of e.g., a motor neuroprosthesis or a robotic arm in highly motor disabled persons.", + "authors": [ + { + "name_en": "Ofner Patrick", + "name_zh": "Ofner Patrick" + }, + { + "name_en": "Schwarz Andreas", + "name_zh": "Schwarz Andreas" + }, + { + "name_en": "Pereira Joana", + "name_zh": "Pereira Joana" + }, + { + "name_en": "Müller-Putz Gernot R.", + "name_zh": "Müller-Putz Gernot R." + } + ], + "keywords_en": [ + "brain-computer interface" + ], + "keywords_zh": [ + "brain-computer interface" + ], + "publication_date": "2017-08-09T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.6, + "file_size_bytes": 624262, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.221095", + "cstr": "31253.11.10.5281/zenodo.221095", + "pid": "", + "title": "Validity of two automatic artifact reduction software methods in ictal EEG interpretation. Dataset 1", + "title_en": "Validity of two automatic artifact reduction software methods in ictal EEG interpretation. Dataset 1", + "title_zh": "Validity of two automatic artifact reduction software methods in ictal EEG interpretation. Dataset 1", + "description": "Unprocessed electroencephalogram recordings of seizures from deidentified study patients with epilepsy prior to and following processing using the AR2 (artifact reduction 2) software method. The files are stored in European Data Format (.EDF). \"_out\" files have been processed by AR2.", + "description_en": "Unprocessed electroencephalogram recordings of seizures from deidentified study patients with epilepsy prior to and following processing using the AR2 (artifact reduction 2) software method. The files are stored in European Data Format (.EDF). \"_out\" files have been processed by AR2.", + "description_zh": "Unprocessed electroencephalogram recordings of seizures from deidentified study patients with epilepsy prior to and following processing using the AR2 (artifact reduction 2) software method. The files are stored in European Data Format (.EDF). \"_out\" files have been processed by AR2.", + "authors": [ + { + "name_en": "Weiss Shennan", + "name_zh": "Weiss Shennan" + } + ], + "keywords_en": [ + "electroencephalogram", + "artifact", + "seizure", + "software" + ], + "keywords_zh": [ + "electroencephalogram", + "artifact", + "seizure", + "software" + ], + "publication_date": "2016-12-23T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 162.05, + "file_size_bytes": 169925376, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "68d4f9cffae9e04d156b16f3", + "doi": "10.57760/sciencedb.28850", + "cstr": "31253.11.sciencedb.28850", + "pid": "", + "title": "Portable EEG Neurofeedback for ADHD — Study-Level Dataset & RCT Meta-analysis Outputs", + "title_en": "Portable EEG Neurofeedback for ADHD — Study-Level Dataset & RCT Meta-analysis Outputs", + "title_zh": "Portable EEG Neurofeedback for ADHD — Study-Level Dataset & RCT Meta-analysis Outputs", + "description": "

This deposit contains one study-level dataset and two R scripts for a meta-analysis of portable/wearable EEG-based neurofeedback (NFT) in ADHD.

•\tDataset (Data_ADHD_Neurofeedback_EEG_Meta_Analysis.csv): pre- and post-intervention means, standard deviations, and sample sizes organized by study × arm (NFT or control) × symptom domain (total, inattention, hyperactivity/impulsivity). Scale units follow the source studies; no individual-level data are included.

•\tR scripts (Meta_BetweenGroup_ADHD_Neurofeedback_EEG_Meta_Analysis.R, Meta_WithinGroup_ADHD_Neurofeedback_EEG_Meta_Analysis.R): code to compute effect sizes, run between-group (NFT vs control) and within-group (pre–post) analyses, check heterogeneity, and produce standard meta-analysis plots (e.g., forest/funnel).

", + "description_en": "

This deposit contains one study-level dataset and two R scripts for a meta-analysis of portable/wearable EEG-based neurofeedback (NFT) in ADHD.

•\tDataset (Data_ADHD_Neurofeedback_EEG_Meta_Analysis.csv): pre- and post-intervention means, standard deviations, and sample sizes organized by study × arm (NFT or control) × symptom domain (total, inattention, hyperactivity/impulsivity). Scale units follow the source studies; no individual-level data are included.

•\tR scripts (Meta_BetweenGroup_ADHD_Neurofeedback_EEG_Meta_Analysis.R, Meta_WithinGroup_ADHD_Neurofeedback_EEG_Meta_Analysis.R): code to compute effect sizes, run between-group (NFT vs control) and within-group (pre–post) analyses, check heterogeneity, and produce standard meta-analysis plots (e.g., forest/funnel).

", + "description_zh": "

This deposit contains one study-level dataset and two R scripts for a meta-analysis of portable/wearable EEG-based neurofeedback (NFT) in ADHD.

•\tDataset (Data_ADHD_Neurofeedback_EEG_Meta_Analysis.csv): pre- and post-intervention means, standard deviations, and sample sizes organized by study × arm (NFT or control) × symptom domain (total, inattention, hyperactivity/impulsivity). Scale units follow the source studies; no individual-level data are included.

•\tR scripts (Meta_BetweenGroup_ADHD_Neurofeedback_EEG_Meta_Analysis.R, Meta_WithinGroup_ADHD_Neurofeedback_EEG_Meta_Analysis.R): code to compute effect sizes, run between-group (NFT vs control) and within-group (pre–post) analyses, check heterogeneity, and produce standard meta-analysis plots (e.g., forest/funnel).

", + "authors": [ + { + "name_en": "XIN HUANG", + "name_zh": "XIN HUANG", + "email": "huangxin1208@gmail.com", + "affiliations": [ + { + "name_en": "Fuhuiyuan Psychological Counseling (Shanghai) Co., LTD", + "name_zh": "Fuhuiyuan Psychological Counseling (Shanghai) Co., LTD" + } + ] + } + ], + "keywords_en": [ + "Neurofeedback", + "ADHD", + "NFT", + "Intervention", + "Children", + "Meta analysis" + ], + "keywords_zh": [ + "Neurofeedback", + "ADHD", + "NFT", + "Intervention", + "Children", + "Meta analysis" + ], + "publication_date": "2025-09-26T06:39:31.309Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-ND 4.0", + "file_size_mb": 0.02, + "file_size_bytes": 24656, + "download_count": 0, + "visit_count": 147, + "url": "https://www.scidb.cn/en/detail?id=68d4f9cffae9e04d156b16f3", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.838543", + "cstr": "", + "pid": "", + "title": "EEG Data for: \"Composing only by thought: novel application of the P300 brain-computer interface\"", + "title_en": "EEG Data for: \"Composing only by thought: novel application of the P300 brain-computer interface\"", + "title_zh": "EEG Data for: \"Composing only by thought: novel application of the P300 brain-computer interface\"", + "description": "EEG Data for: \"Composing only by thought: novel application of the P300 brain-computer interface\". See the file \"Information about the Dataset.pdf\" for further information.", + "description_en": "EEG Data for: \"Composing only by thought: novel application of the P300 brain-computer interface\". See the file \"Information about the Dataset.pdf\" for further information.", + "description_zh": "EEG Data for: \"Composing only by thought: novel application of the P300 brain-computer interface\". See the file \"Information about the Dataset.pdf\" for further information.", + "authors": [ + { + "name_en": "Pinegger Andreas", + "name_zh": "Pinegger Andreas" + }, + { + "name_en": "Hiebel Hannah", + "name_zh": "Hiebel Hannah" + }, + { + "name_en": "Wriessnegger Selina C.", + "name_zh": "Wriessnegger Selina C." + }, + { + "name_en": "Müller-Putz Gernot R.", + "name_zh": "Müller-Putz Gernot R." + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2017-08-02T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.3, + "file_size_bytes": 309609, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.817545", + "cstr": "", + "pid": "", + "title": "Attention is allocated closely ahead of the target during smooth pursuit eye movements: evidence from EEG frequency tagging", + "title_en": "Attention is allocated closely ahead of the target during smooth pursuit eye movements: evidence from EEG frequency tagging", + "title_zh": "Attention is allocated closely ahead of the target during smooth pursuit eye movements: evidence from EEG frequency tagging", + "description": "Dataset relative to the following publication:Chen, J., Valsecchi, M. & Gegenfurtner, K.R. (2017). Attention is allocated closely ahead of the target during smooth pursuit eye movements: Evidence from EEG frequency tagging. Neuropsychologia, doi: 10.1016/j.neuropsychologia.2017.06.024.Please refer to \"data description.txt\" in each experiment for details about the data. ", + "description_en": "Dataset relative to the following publication:Chen, J., Valsecchi, M. & Gegenfurtner, K.R. (2017). Attention is allocated closely ahead of the target during smooth pursuit eye movements: Evidence from EEG frequency tagging. Neuropsychologia, doi: 10.1016/j.neuropsychologia.2017.06.024.Please refer to \"data description.txt\" in each experiment for details about the data. ", + "description_zh": "Dataset relative to the following publication:Chen, J., Valsecchi, M. & Gegenfurtner, K.R. (2017). Attention is allocated closely ahead of the target during smooth pursuit eye movements: Evidence from EEG frequency tagging. Neuropsychologia, doi: 10.1016/j.neuropsychologia.2017.06.024.Please refer to \"data description.txt\" in each experiment for details about the data. ", + "authors": [ + { + "name_en": "Chen Jing", + "name_zh": "Chen Jing" + }, + { + "name_en": "Valsecchi Matteo", + "name_zh": "Valsecchi Matteo" + }, + { + "name_en": "Gegenfurtner Karl", + "name_zh": "Gegenfurtner Karl" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2017-06-22T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 797.76, + "file_size_bytes": 836510937, + "download_count": 2, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.2654552", + "cstr": "31253.11.10.5281/zenodo.2654552", + "pid": "", + "title": "Data - The Benefits of Neurofeedback Training for Alpha Enhancement and Cognitive Performance - a Single-Blind, Sham-Feedback Study Using a Low-Prized EEG", + "title_en": "Data - The Benefits of Neurofeedback Training for Alpha Enhancement and Cognitive Performance - a Single-Blind, Sham-Feedback Study Using a Low-Prized EEG", + "title_zh": "Data - The Benefits of Neurofeedback Training for Alpha Enhancement and Cognitive Performance - a Single-Blind, Sham-Feedback Study Using a Low-Prized EEG", + "description": "This data set includes the minimal data set, which was used to obtain the results in Naas, Rodrigues, Knirsch, & Sonderegger (2019, doi: http://dx.doi.org/10.1101/527598).", + "description_en": "This data set includes the minimal data set, which was used to obtain the results in Naas, Rodrigues, Knirsch, & Sonderegger (2019, doi: http://dx.doi.org/10.1101/527598).", + "description_zh": "This data set includes the minimal data set, which was used to obtain the results in Naas, Rodrigues, Knirsch, & Sonderegger (2019, doi: http://dx.doi.org/10.1101/527598).", + "authors": [ + { + "name_en": "Adrian Naas", + "name_zh": "Adrian Naas" + }, + { + "name_en": "João Rodrigues", + "name_zh": "João Rodrigues" + }, + { + "name_en": "Jan-Philip Knirsch", + "name_zh": "Jan-Philip Knirsch" + }, + { + "name_en": "Andreas Sonderegger", + "name_zh": "Andreas Sonderegger" + } + ], + "keywords_en": [ + "Neurofeedback Training", + "Alpha", + "Short-term memory" + ], + "keywords_zh": [ + "Neurofeedback Training", + "Alpha", + "Short-term memory" + ], + "publication_date": "2019-04-29T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-ND-4.0", + "file_size_mb": 0.07, + "file_size_bytes": 71494, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.584032", + "cstr": "31253.11.10.5281/zenodo.584032", + "pid": "", + "title": "The EEG and fMRI signatures of neural integration: An investigation of meaningful gestures and corresponding speech. Neuropsychologia, 72, 27-42.'", + "title_en": "The EEG and fMRI signatures of neural integration: An investigation of meaningful gestures and corresponding speech. Neuropsychologia, 72, 27-42.'", + "title_zh": "The EEG and fMRI signatures of neural integration: An investigation of meaningful gestures and corresponding speech. Neuropsychologia, 72, 27-42.'", + "description": "This is the raw data forHe, Y., Gebhardt, H., Steines, M., Sammer, G., Kircher, T., Nagels, A., & Straube, B. (2015). The EEG and fMRI signatures of neural integration: An investigation of meaningful gestures and corresponding speech. Neuropsychologia, 72, 27-42.Both second level fMRI data and EEG data for single subjects are provided.", + "description_en": "This is the raw data forHe, Y., Gebhardt, H., Steines, M., Sammer, G., Kircher, T., Nagels, A., & Straube, B. (2015). The EEG and fMRI signatures of neural integration: An investigation of meaningful gestures and corresponding speech. Neuropsychologia, 72, 27-42.Both second level fMRI data and EEG data for single subjects are provided.", + "description_zh": "This is the raw data forHe, Y., Gebhardt, H., Steines, M., Sammer, G., Kircher, T., Nagels, A., & Straube, B. (2015). The EEG and fMRI signatures of neural integration: An investigation of meaningful gestures and corresponding speech. Neuropsychologia, 72, 27-42.Both second level fMRI data and EEG data for single subjects are provided.", + "authors": [ + { + "name_en": "He Yifei", + "name_zh": "He Yifei" + }, + { + "name_en": "Gebhardt Helge", + "name_zh": "Gebhardt Helge" + }, + { + "name_en": "Steines Miriam", + "name_zh": "Steines Miriam" + }, + { + "name_en": "Sommer Gebhard", + "name_zh": "Sommer Gebhard" + }, + { + "name_en": "Nagels Arne", + "name_zh": "Nagels Arne" + }, + { + "name_en": "Kircher Tilo", + "name_zh": "Kircher Tilo" + }, + { + "name_en": "Straube Benjamin", + "name_zh": "Straube Benjamin" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2017-05-28T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 21.88, + "file_size_bytes": 22943057, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.46756", + "cstr": "", + "pid": "", + "title": "studyforrest-data-multires7t: First public release", + "title_en": "studyforrest-data-multires7t: First public release", + "title_zh": "studyforrest-data-multires7t: First public release", + "description": "studyforrest.org: Multi-resolution 7T fMRI on visual orientation representation [BIDS]Here we presentcempirical ultra high-field fMRI data recorded at four spatial resolutions (0.8 mm, 1.4 mm, 2 mm, and 3 mm isotropic voxel size) for orientation decoding in visual cortex — in order to test hypotheses on the strength and spatial scale of orientation discriminating signals. The entire dataset and the analysis codes presented in BIDS (Brain Imaging Data Structure). ", + "description_en": "studyforrest.org: Multi-resolution 7T fMRI on visual orientation representation [BIDS]Here we presentcempirical ultra high-field fMRI data recorded at four spatial resolutions (0.8 mm, 1.4 mm, 2 mm, and 3 mm isotropic voxel size) for orientation decoding in visual cortex — in order to test hypotheses on the strength and spatial scale of orientation discriminating signals. The entire dataset and the analysis codes presented in BIDS (Brain Imaging Data Structure). ", + "description_zh": "studyforrest.org: Multi-resolution 7T fMRI on visual orientation representation [BIDS]Here we presentcempirical ultra high-field fMRI data recorded at four spatial resolutions (0.8 mm, 1.4 mm, 2 mm, and 3 mm isotropic voxel size) for orientation decoding in visual cortex — in order to test hypotheses on the strength and spatial scale of orientation discriminating signals. The entire dataset and the analysis codes presented in BIDS (Brain Imaging Data Structure). ", + "authors": [ + { + "name_en": "Sengupta Ayan", + "name_zh": "Sengupta Ayan" + }, + { + "name_en": "Yakupov Renat", + "name_zh": "Yakupov Renat" + }, + { + "name_en": "Speck Oliver", + "name_zh": "Speck Oliver" + }, + { + "name_en": "Pollmann Stefan", + "name_zh": "Pollmann Stefan" + }, + { + "name_en": "Hanke Michael", + "name_zh": "Hanke Michael" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2016-02-21T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "ODC-PDDL-1.0", + "file_size_mb": 0.86, + "file_size_bytes": 901298, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.580485", + "cstr": "31253.11.10.5281/zenodo.580485", + "pid": "", + "title": "Single-flicker online SSVEP BCI datset", + "title_en": "Single-flicker online SSVEP BCI datset", + "title_zh": "Single-flicker online SSVEP BCI datset", + "description": "The zip archive contains EEG data from a newly developed brain-computer interface paradigm. The method is described in [1], and the dataset has been recorded for the application described in [2]. The two folders in the archive contain data from the training (offline) session and from the online session.Training data: Each subject has two training sessions. The .xdf files were generated by the Lab Streaming Layer (https://github.com/sccn/labstreaminglayer) from EEG data that were recorded using a BioSemi 32 channel amplifier. The files name after (subject_number)_(session_num).xdf. Each file includes 200 trials (50 trials for each direction).Online data: Each file contains data from one round of the game. The file name pattern is (subject_num)_(repeat_num) _(ramdon_background_num).mat. The Matlab data structure contains the following fields:data. fsample: sampling rate (512 Hz)data.trial:  EEG signals for each stepdata.time: time series of EEG signals for each stepdata.class: classifier output for each step[1] Maye A, Zhang D, Engel AK (2017) \"Utilizing Retinotopic Mapping for a Multi-Target SSVEP BCI With a Single Flicker Frequency\", IEEE Transactions on Neural Systems and Rehabilitation Engineering, in press.[2] Chen J, Zhang D, Engel AK, Gong Q, Maye A (2017) \"Application of a single-flicker online SSVEP BCI for spatial navigation\", PLoS ONE, in press.", + "description_en": "The zip archive contains EEG data from a newly developed brain-computer interface paradigm. The method is described in [1], and the dataset has been recorded for the application described in [2]. The two folders in the archive contain data from the training (offline) session and from the online session.Training data: Each subject has two training sessions. The .xdf files were generated by the Lab Streaming Layer (https://github.com/sccn/labstreaminglayer) from EEG data that were recorded using a BioSemi 32 channel amplifier. The files name after (subject_number)_(session_num).xdf. Each file includes 200 trials (50 trials for each direction).Online data: Each file contains data from one round of the game. The file name pattern is (subject_num)_(repeat_num) _(ramdon_background_num).mat. The Matlab data structure contains the following fields:data. fsample: sampling rate (512 Hz)data.trial:  EEG signals for each stepdata.time: time series of EEG signals for each stepdata.class: classifier output for each step[1] Maye A, Zhang D, Engel AK (2017) \"Utilizing Retinotopic Mapping for a Multi-Target SSVEP BCI With a Single Flicker Frequency\", IEEE Transactions on Neural Systems and Rehabilitation Engineering, in press.[2] Chen J, Zhang D, Engel AK, Gong Q, Maye A (2017) \"Application of a single-flicker online SSVEP BCI for spatial navigation\", PLoS ONE, in press.", + "description_zh": "The zip archive contains EEG data from a newly developed brain-computer interface paradigm. The method is described in [1], and the dataset has been recorded for the application described in [2]. The two folders in the archive contain data from the training (offline) session and from the online session.Training data: Each subject has two training sessions. The .xdf files were generated by the Lab Streaming Layer (https://github.com/sccn/labstreaminglayer) from EEG data that were recorded using a BioSemi 32 channel amplifier. The files name after (subject_number)_(session_num).xdf. Each file includes 200 trials (50 trials for each direction).Online data: Each file contains data from one round of the game. The file name pattern is (subject_num)_(repeat_num) _(ramdon_background_num).mat. The Matlab data structure contains the following fields:data. fsample: sampling rate (512 Hz)data.trial:  EEG signals for each stepdata.time: time series of EEG signals for each stepdata.class: classifier output for each step[1] Maye A, Zhang D, Engel AK (2017) \"Utilizing Retinotopic Mapping for a Multi-Target SSVEP BCI With a Single Flicker Frequency\", IEEE Transactions on Neural Systems and Rehabilitation Engineering, in press.[2] Chen J, Zhang D, Engel AK, Gong Q, Maye A (2017) \"Application of a single-flicker online SSVEP BCI for spatial navigation\", PLoS ONE, in press.", + "authors": [ + { + "name_en": "Chen Jingjing", + "name_zh": "Chen Jingjing" + }, + { + "name_en": "Zhang Dan", + "name_zh": "Zhang Dan" + }, + { + "name_en": "Engel Andreas K.", + "name_zh": "Engel Andreas K." + }, + { + "name_en": "Gong Qin", + "name_zh": "Gong Qin" + }, + { + "name_en": "Maye Alexander", + "name_zh": "Maye Alexander" + } + ], + "keywords_en": [ + "brain-computer interface", + "steady-state evoked potential", + "online BCI", + "EEG" + ], + "keywords_zh": [ + "brain-computer interface", + "steady-state evoked potential", + "online BCI", + "EEG" + ], + "publication_date": "2017-05-16T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 5493.51, + "file_size_bytes": 5760362073, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4471943", + "cstr": "", + "pid": "", + "title": "Data from: Output planning at the input stage in visual working memory.", + "title_en": "Data from: Output planning at the input stage in visual working memory.", + "title_zh": "Data from: Output planning at the input stage in visual working memory.", + "description": "Raw behavioral logfiles and EEG datasets of experiments 1 and 2 reported in the manuscript "Output planning at the input stage in visual working memory", by Sage E.P. Boettcher, Daniela Gresch, Anna C. Nobre, Freek van Ede", + "description_en": "Raw behavioral logfiles and EEG datasets of experiments 1 and 2 reported in the manuscript "Output planning at the input stage in visual working memory", by Sage E.P. Boettcher, Daniela Gresch, Anna C. Nobre, Freek van Ede", + "description_zh": "Raw behavioral logfiles and EEG datasets of experiments 1 and 2 reported in the manuscript "Output planning at the input stage in visual working memory", by Sage E.P. Boettcher, Daniela Gresch, Anna C. Nobre, Freek van Ede", + "authors": [ + { + "name_en": "Sage E.P. Boettcher", + "name_zh": "Sage E.P. Boettcher" + }, + { + "name_en": "Daniela Gresch", + "name_zh": "Daniela Gresch" + }, + { + "name_en": "Anna C. Nobre", + "name_zh": "Anna C. Nobre" + }, + { + "name_en": "Freek van Ede", + "name_zh": "Freek van Ede" + } + ], + "keywords_en": [ + "Visual working memory", + " action planning", + " EEG" + ], + "keywords_zh": [ + "Visual working memory", + " action planning", + " EEG" + ], + "publication_date": "2021-01-26T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 19562.26, + "file_size_bytes": 20512517290, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3997352", + "cstr": "31253.11.10.5281/zenodo.3997352", + "pid": "", + "title": "Auditory Attention Detection Dataset KULeuven", + "title_en": "Auditory Attention Detection Dataset KULeuven", + "title_zh": "Auditory Attention Detection Dataset KULeuven", + "description": "This work was done at ExpORL, Dept. Neurosciences, KULeuven and Dept. Electrical Engineering (ESAT), KULeuven.This dataset contains EEG data collected from 16 normal-hearing subjects. EEG recordings were made in a soundproof, electromagnetically shielded room at ExpORL, KULeuven. The BioSemi ActiveTwo system was used to record 64-channel EEG signals at 8196 Hz sample rate. The audio signals, low pass filtered at 4 kHz, were administered to each subject at 60 dBA through a pair of insert phones (Etymotic ER3A). The experiments were conducted using the APEX 3 program developed at ExpORL [1].Four Dutch short stories [2], narrated by different male speakers, were used as stimuli. All silences longer than 500 ms in the audio files were truncated to 500 ms. Each story was divided into two parts of approximately 6 minutes each. During a presentation, the subjects were presented with the six-minutes part of two (out of four) stories played simultaneously. There were two stimulus conditions, i.e., `HRTF' or `dry' (dichotic).  An experiment here is defined as a sequence of 4 presentations, 2 for each stimulus condition and ear of stimulation, with questions asked to the subject after each presentation. All subjects sat through three experiments within a single recording session. An example for the design of an experiment is shown in Table 1 in [3]. The first two experiments included four presentations each.  During a presentation, the subjects were instructed to listen to the story in one ear, while ignoring the story in the other ear. After each presentation, the subjects were presented with a set of multiple-choice questions about the story they were listening to in order to help them stay motivated to focus on the task. In the next presentation, the subjects were presented with the next part of the two stories. This time they were instructed to attend to their other ear. In this manner, one experiment involved four presentations in which the subjects listened to a total of two stories, switching attended ear between presentations. The second experiment had the same design but with two other stories. Note that the Table was different for each subject or recording session, i.e., each of the elements in the table were permuted between different recording sessions to ensure that the different conditions (stimulus condition and the attended ear) were equally distributed over the four presentations. Finally, the third experiment included a set of presentations where the first two minutes of the story parts from the first experiment, i.e. a total of four shorter presentations, were repeated three times, to build a set of recordings of repetitions. Thus, a total of approximately 72 minutes of EEG was recorded per subject. We refer to EEG recorded from each presentation as a trial. For each subject, we recorded 20 trials - 4 from  the first experiment, 4 from the second experiment, and 12 from the third experiment (first 2 minutes of the 4 presentations from experiment 1 X 3 repetitions). The EEG data is stored in subject specific mat files of the format 'Sx', 'x' referring to the subject number. The audio data is stored as wav files in the folder 'stimuli'. Please note that the stories were not of equal lengths, and the subjects were allowed to finish listening to a story, even in cases where the competing story was over. Therefore, for each trial, we suggest referring to the length of the EEG recordings to truncate the ends of the corresponding audio data. This will ensure that the processed data (EEG and audio) contains only competing talker scenarios. Each trial was high-pass filtered  (0.5 Hz cut off) and downsampled from the recorded sampling rate of 8192 Hz to 128 Hz.Each trial (trial*.mat) contains the following information: RawData.Channels: channel numbers (1 to 64).RawData.EegData: EEG data (samples X channels).FileHeader.SampleRate: sampling frequency of the saved data.TrialID: a number between 1 to 20, showing the trial number.attended_ear: the direction of attention of the subject. 'L' for left, 'R' for right.stimuli: cell array with stimuli{1} and stimuli{2} indicating the name of audio files presented in the left ear and the right ear of the subject respectively.condition: stimulus presentation condition. 'HRTF' - stimuli were filtered with HRTF functions to simulate audio from 90 degrees to the left and 90 degrees to the right of the speaker, 'dry' - a dichotic presentation in which there was one story track each presented separately via the left and the right earphones.experiment: the number of the experiment (1, 2, or 3).part: part of the story track being presented (can be 1 to 4 for experiments 1 and 2, and 1 to 12 for experiment 3).attended_track: the attended story track. '1' for track 1 and '2' for track 2. Each track maintains continuity of the story. In Experiment 1, attention is always to track 1, and in Experiment 2, attention is always to track 2. repetition: binary variable indicating where the trial is a repetition (of presented stimuli) or not.subject: subject id of the format 'Sx', 'x' being the subject number.The 'stimuli' folder contains .wav-files of the format: part{part number}_track{track number}_{condition}.wav. Although the folder contains stimuli with HRTF filtering as well, for the analysis, we have assumed knowledge of the original clean stimuli (i.e. stimuli presented under the 'dry' condition), and hence envelopes were extracted only from part{part number}_track{tracknumber}_dry.wav files.The MATLAB file 'preprocess_data.m' gives an example of how the synchronization and preprocessing of the EEG and audio data can be done as described in [14]. Dependency: AMToolbox.This dataset has been used in [3, 5-16]. [1] Francart, T., Van Wieringen, A., & Wouters, J. (2008). APEX 3: a multi-purpose test platform for auditory psychophysical experiments. Journal of Neuroscience Methods, 172(2), 283-293.[2] Radioboeken voor kinderen, http://radioboeken.eu/kinderradioboeken.php?lang=NL, 2007 (Accessed: 30 March 2015)[3] Das, N., Biesmans, W., Bertrand, A., & Francart, T. (2016). The effect of head-related filtering and ear-specific decoding bias on auditory attention detection. Journal of Neural Engineering, 13(5), 056014.[4] Somers, B., Francart, T., & Bertrand, A. (2018). A generic EEG artifact removal algorithm based on the multi-channel Wiener filter. Journal of Neural Engineering, 15(3), 036007.[5] Das, N., Vanthornhout, J., Francart, T., & Bertrand, A. (2019). Stimulus-aware spatial filtering for single-trial neural response and temporal response function estimation in high-density EEG with applications in auditory research. NeuroImage 204 (2020)[6] Biesmans, W., Das, N., Francart, T., & Bertrand, A. (2016). Auditory-inspired speech envelope extraction methods for improved EEG-based auditory attention detection in a cocktail party scenario. IEEE Transactions on Neural Systems and Rehabilitation Engineering, 25(5), 402-412.[7] Das, N., Van Eyndhoven, S., Francart, T., & Bertrand, A. (2016). Adaptive attention-driven speech enhancement for EEG-informed hearing prostheses. In Proceedings of the 38th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC), 77-80.[8] Van Eyndhoven, S., Francart, T., & Bertrand, A. (2016). EEG-informed attended speaker extraction from recorded speech mixtures with application in neuro-steered hearing prostheses. IEEE Transactions on Biomedical Engineering, 64(5), 1045-1056.[9] Das, N., Van Eyndhoven, S., Francart, T., & Bertrand, A. (2017). EEG-based Attention-Driven Speech Enhancement For Noisy Speech Mixtures Using N-fold Multi-Channel Wiener Filters. In Proceedings of the 25th European Signal Processing Conference (EUSIPCO), 1660-1664.[10] Narayanan, A. M., & Bertrand, A. (2018). The effect of miniaturization and galvanic separation of EEG sensor devices in an auditory attention detection task. In Proceedings of the 40th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC), 77-80.[11] Vandecappelle , S., Deckers, L., Das, N., Ansari, A. H., Bertrand, A., & Francart, T. (2020). EEG-based detection of the locus of auditory attention with convolutional neural networks. bioRxiv 475673; doi: https://doi.org/10.1101/475673.[12] Narayanan, A. M., & Bertrand, A. (2019). Analysis of Miniaturization Effects and Channel Selection Strategies for EEG Sensor Networks With Application to Auditory Attention Detection. IEEE Transactions on Biomedical Engineering, 67(1), 234-244.[13] Geirnaert, S., Francart, T., & Bertrand, A. (2019). A New Metric to Evaluate Auditory Attention Detection Performance Based on a Markov Chain. In Proceedings of the 27th European Signal Processing Conference (EUSIPCO), 1-5.[14] Geirnaert, S., Francart,T., & Bertrand, A. (2020). An Interpretable Performance Metric for Auditory Attention Decoding Algorithms in a Context of Neuro-Steered Gain Control. IEEE Transactions on Neural Systems and Rehabilitation Engineering, 28(1), 307-317.[15] Geirnaert, S., Francart,T., & Bertrand, A. (2020). Fast EEG-based decoding of the directional focus of auditory attention using common spatial patterns. bioRxiv 2020.06.16.154450; doi: https://doi.org/10.1101/2020.06.16.154450.[16] Geirnaert, S., Vandecappelle, S., Alickovic, E., de Cheveigné, A., Lalor, E., Meyer, B.T., Miran, S., Francart, T., & Bertrand, A. (2020). Neuro-Steered Hearing Devices: Decoding Auditory Attention From the Brain. arXiv 2008.04569; doi: arXiv:2008.04569. ", + "description_en": "This work was done at ExpORL, Dept. Neurosciences, KULeuven and Dept. Electrical Engineering (ESAT), KULeuven.This dataset contains EEG data collected from 16 normal-hearing subjects. EEG recordings were made in a soundproof, electromagnetically shielded room at ExpORL, KULeuven. The BioSemi ActiveTwo system was used to record 64-channel EEG signals at 8196 Hz sample rate. The audio signals, low pass filtered at 4 kHz, were administered to each subject at 60 dBA through a pair of insert phones (Etymotic ER3A). The experiments were conducted using the APEX 3 program developed at ExpORL [1].Four Dutch short stories [2], narrated by different male speakers, were used as stimuli. All silences longer than 500 ms in the audio files were truncated to 500 ms. Each story was divided into two parts of approximately 6 minutes each. During a presentation, the subjects were presented with the six-minutes part of two (out of four) stories played simultaneously. There were two stimulus conditions, i.e., `HRTF' or `dry' (dichotic).  An experiment here is defined as a sequence of 4 presentations, 2 for each stimulus condition and ear of stimulation, with questions asked to the subject after each presentation. All subjects sat through three experiments within a single recording session. An example for the design of an experiment is shown in Table 1 in [3]. The first two experiments included four presentations each.  During a presentation, the subjects were instructed to listen to the story in one ear, while ignoring the story in the other ear. After each presentation, the subjects were presented with a set of multiple-choice questions about the story they were listening to in order to help them stay motivated to focus on the task. In the next presentation, the subjects were presented with the next part of the two stories. This time they were instructed to attend to their other ear. In this manner, one experiment involved four presentations in which the subjects listened to a total of two stories, switching attended ear between presentations. The second experiment had the same design but with two other stories. Note that the Table was different for each subject or recording session, i.e., each of the elements in the table were permuted between different recording sessions to ensure that the different conditions (stimulus condition and the attended ear) were equally distributed over the four presentations. Finally, the third experiment included a set of presentations where the first two minutes of the story parts from the first experiment, i.e. a total of four shorter presentations, were repeated three times, to build a set of recordings of repetitions. Thus, a total of approximately 72 minutes of EEG was recorded per subject. We refer to EEG recorded from each presentation as a trial. For each subject, we recorded 20 trials - 4 from  the first experiment, 4 from the second experiment, and 12 from the third experiment (first 2 minutes of the 4 presentations from experiment 1 X 3 repetitions). The EEG data is stored in subject specific mat files of the format 'Sx', 'x' referring to the subject number. The audio data is stored as wav files in the folder 'stimuli'. Please note that the stories were not of equal lengths, and the subjects were allowed to finish listening to a story, even in cases where the competing story was over. Therefore, for each trial, we suggest referring to the length of the EEG recordings to truncate the ends of the corresponding audio data. This will ensure that the processed data (EEG and audio) contains only competing talker scenarios. Each trial was high-pass filtered  (0.5 Hz cut off) and downsampled from the recorded sampling rate of 8192 Hz to 128 Hz.Each trial (trial*.mat) contains the following information: RawData.Channels: channel numbers (1 to 64).RawData.EegData: EEG data (samples X channels).FileHeader.SampleRate: sampling frequency of the saved data.TrialID: a number between 1 to 20, showing the trial number.attended_ear: the direction of attention of the subject. 'L' for left, 'R' for right.stimuli: cell array with stimuli{1} and stimuli{2} indicating the name of audio files presented in the left ear and the right ear of the subject respectively.condition: stimulus presentation condition. 'HRTF' - stimuli were filtered with HRTF functions to simulate audio from 90 degrees to the left and 90 degrees to the right of the speaker, 'dry' - a dichotic presentation in which there was one story track each presented separately via the left and the right earphones.experiment: the number of the experiment (1, 2, or 3).part: part of the story track being presented (can be 1 to 4 for experiments 1 and 2, and 1 to 12 for experiment 3).attended_track: the attended story track. '1' for track 1 and '2' for track 2. Each track maintains continuity of the story. In Experiment 1, attention is always to track 1, and in Experiment 2, attention is always to track 2. repetition: binary variable indicating where the trial is a repetition (of presented stimuli) or not.subject: subject id of the format 'Sx', 'x' being the subject number.The 'stimuli' folder contains .wav-files of the format: part{part number}_track{track number}_{condition}.wav. Although the folder contains stimuli with HRTF filtering as well, for the analysis, we have assumed knowledge of the original clean stimuli (i.e. stimuli presented under the 'dry' condition), and hence envelopes were extracted only from part{part number}_track{tracknumber}_dry.wav files.The MATLAB file 'preprocess_data.m' gives an example of how the synchronization and preprocessing of the EEG and audio data can be done as described in [14]. Dependency: AMToolbox.This dataset has been used in [3, 5-16]. [1] Francart, T., Van Wieringen, A., & Wouters, J. (2008). APEX 3: a multi-purpose test platform for auditory psychophysical experiments. Journal of Neuroscience Methods, 172(2), 283-293.[2] Radioboeken voor kinderen, http://radioboeken.eu/kinderradioboeken.php?lang=NL, 2007 (Accessed: 30 March 2015)[3] Das, N., Biesmans, W., Bertrand, A., & Francart, T. (2016). The effect of head-related filtering and ear-specific decoding bias on auditory attention detection. Journal of Neural Engineering, 13(5), 056014.[4] Somers, B., Francart, T., & Bertrand, A. (2018). A generic EEG artifact removal algorithm based on the multi-channel Wiener filter. Journal of Neural Engineering, 15(3), 036007.[5] Das, N., Vanthornhout, J., Francart, T., & Bertrand, A. (2019). Stimulus-aware spatial filtering for single-trial neural response and temporal response function estimation in high-density EEG with applications in auditory research. NeuroImage 204 (2020)[6] Biesmans, W., Das, N., Francart, T., & Bertrand, A. (2016). Auditory-inspired speech envelope extraction methods for improved EEG-based auditory attention detection in a cocktail party scenario. IEEE Transactions on Neural Systems and Rehabilitation Engineering, 25(5), 402-412.[7] Das, N., Van Eyndhoven, S., Francart, T., & Bertrand, A. (2016). Adaptive attention-driven speech enhancement for EEG-informed hearing prostheses. In Proceedings of the 38th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC), 77-80.[8] Van Eyndhoven, S., Francart, T., & Bertrand, A. (2016). EEG-informed attended speaker extraction from recorded speech mixtures with application in neuro-steered hearing prostheses. IEEE Transactions on Biomedical Engineering, 64(5), 1045-1056.[9] Das, N., Van Eyndhoven, S., Francart, T., & Bertrand, A. (2017). EEG-based Attention-Driven Speech Enhancement For Noisy Speech Mixtures Using N-fold Multi-Channel Wiener Filters. In Proceedings of the 25th European Signal Processing Conference (EUSIPCO), 1660-1664.[10] Narayanan, A. M., & Bertrand, A. (2018). The effect of miniaturization and galvanic separation of EEG sensor devices in an auditory attention detection task. In Proceedings of the 40th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC), 77-80.[11] Vandecappelle , S., Deckers, L., Das, N., Ansari, A. H., Bertrand, A., & Francart, T. (2020). EEG-based detection of the locus of auditory attention with convolutional neural networks. bioRxiv 475673; doi: https://doi.org/10.1101/475673.[12] Narayanan, A. M., & Bertrand, A. (2019). Analysis of Miniaturization Effects and Channel Selection Strategies for EEG Sensor Networks With Application to Auditory Attention Detection. IEEE Transactions on Biomedical Engineering, 67(1), 234-244.[13] Geirnaert, S., Francart, T., & Bertrand, A. (2019). A New Metric to Evaluate Auditory Attention Detection Performance Based on a Markov Chain. In Proceedings of the 27th European Signal Processing Conference (EUSIPCO), 1-5.[14] Geirnaert, S., Francart,T., & Bertrand, A. (2020). An Interpretable Performance Metric for Auditory Attention Decoding Algorithms in a Context of Neuro-Steered Gain Control. IEEE Transactions on Neural Systems and Rehabilitation Engineering, 28(1), 307-317.[15] Geirnaert, S., Francart,T., & Bertrand, A. (2020). Fast EEG-based decoding of the directional focus of auditory attention using common spatial patterns. bioRxiv 2020.06.16.154450; doi: https://doi.org/10.1101/2020.06.16.154450.[16] Geirnaert, S., Vandecappelle, S., Alickovic, E., de Cheveigné, A., Lalor, E., Meyer, B.T., Miran, S., Francart, T., & Bertrand, A. (2020). Neuro-Steered Hearing Devices: Decoding Auditory Attention From the Brain. arXiv 2008.04569; doi: arXiv:2008.04569. ", + "description_zh": "This work was done at ExpORL, Dept. Neurosciences, KULeuven and Dept. Electrical Engineering (ESAT), KULeuven.This dataset contains EEG data collected from 16 normal-hearing subjects. EEG recordings were made in a soundproof, electromagnetically shielded room at ExpORL, KULeuven. The BioSemi ActiveTwo system was used to record 64-channel EEG signals at 8196 Hz sample rate. The audio signals, low pass filtered at 4 kHz, were administered to each subject at 60 dBA through a pair of insert phones (Etymotic ER3A). The experiments were conducted using the APEX 3 program developed at ExpORL [1].Four Dutch short stories [2], narrated by different male speakers, were used as stimuli. All silences longer than 500 ms in the audio files were truncated to 500 ms. Each story was divided into two parts of approximately 6 minutes each. During a presentation, the subjects were presented with the six-minutes part of two (out of four) stories played simultaneously. There were two stimulus conditions, i.e., `HRTF' or `dry' (dichotic).  An experiment here is defined as a sequence of 4 presentations, 2 for each stimulus condition and ear of stimulation, with questions asked to the subject after each presentation. All subjects sat through three experiments within a single recording session. An example for the design of an experiment is shown in Table 1 in [3]. The first two experiments included four presentations each.  During a presentation, the subjects were instructed to listen to the story in one ear, while ignoring the story in the other ear. After each presentation, the subjects were presented with a set of multiple-choice questions about the story they were listening to in order to help them stay motivated to focus on the task. In the next presentation, the subjects were presented with the next part of the two stories. This time they were instructed to attend to their other ear. In this manner, one experiment involved four presentations in which the subjects listened to a total of two stories, switching attended ear between presentations. The second experiment had the same design but with two other stories. Note that the Table was different for each subject or recording session, i.e., each of the elements in the table were permuted between different recording sessions to ensure that the different conditions (stimulus condition and the attended ear) were equally distributed over the four presentations. Finally, the third experiment included a set of presentations where the first two minutes of the story parts from the first experiment, i.e. a total of four shorter presentations, were repeated three times, to build a set of recordings of repetitions. Thus, a total of approximately 72 minutes of EEG was recorded per subject. We refer to EEG recorded from each presentation as a trial. For each subject, we recorded 20 trials - 4 from  the first experiment, 4 from the second experiment, and 12 from the third experiment (first 2 minutes of the 4 presentations from experiment 1 X 3 repetitions). The EEG data is stored in subject specific mat files of the format 'Sx', 'x' referring to the subject number. The audio data is stored as wav files in the folder 'stimuli'. Please note that the stories were not of equal lengths, and the subjects were allowed to finish listening to a story, even in cases where the competing story was over. Therefore, for each trial, we suggest referring to the length of the EEG recordings to truncate the ends of the corresponding audio data. This will ensure that the processed data (EEG and audio) contains only competing talker scenarios. Each trial was high-pass filtered  (0.5 Hz cut off) and downsampled from the recorded sampling rate of 8192 Hz to 128 Hz.Each trial (trial*.mat) contains the following information: RawData.Channels: channel numbers (1 to 64).RawData.EegData: EEG data (samples X channels).FileHeader.SampleRate: sampling frequency of the saved data.TrialID: a number between 1 to 20, showing the trial number.attended_ear: the direction of attention of the subject. 'L' for left, 'R' for right.stimuli: cell array with stimuli{1} and stimuli{2} indicating the name of audio files presented in the left ear and the right ear of the subject respectively.condition: stimulus presentation condition. 'HRTF' - stimuli were filtered with HRTF functions to simulate audio from 90 degrees to the left and 90 degrees to the right of the speaker, 'dry' - a dichotic presentation in which there was one story track each presented separately via the left and the right earphones.experiment: the number of the experiment (1, 2, or 3).part: part of the story track being presented (can be 1 to 4 for experiments 1 and 2, and 1 to 12 for experiment 3).attended_track: the attended story track. '1' for track 1 and '2' for track 2. Each track maintains continuity of the story. In Experiment 1, attention is always to track 1, and in Experiment 2, attention is always to track 2. repetition: binary variable indicating where the trial is a repetition (of presented stimuli) or not.subject: subject id of the format 'Sx', 'x' being the subject number.The 'stimuli' folder contains .wav-files of the format: part{part number}_track{track number}_{condition}.wav. Although the folder contains stimuli with HRTF filtering as well, for the analysis, we have assumed knowledge of the original clean stimuli (i.e. stimuli presented under the 'dry' condition), and hence envelopes were extracted only from part{part number}_track{tracknumber}_dry.wav files.The MATLAB file 'preprocess_data.m' gives an example of how the synchronization and preprocessing of the EEG and audio data can be done as described in [14]. Dependency: AMToolbox.This dataset has been used in [3, 5-16]. [1] Francart, T., Van Wieringen, A., & Wouters, J. (2008). APEX 3: a multi-purpose test platform for auditory psychophysical experiments. Journal of Neuroscience Methods, 172(2), 283-293.[2] Radioboeken voor kinderen, http://radioboeken.eu/kinderradioboeken.php?lang=NL, 2007 (Accessed: 30 March 2015)[3] Das, N., Biesmans, W., Bertrand, A., & Francart, T. (2016). The effect of head-related filtering and ear-specific decoding bias on auditory attention detection. Journal of Neural Engineering, 13(5), 056014.[4] Somers, B., Francart, T., & Bertrand, A. (2018). A generic EEG artifact removal algorithm based on the multi-channel Wiener filter. Journal of Neural Engineering, 15(3), 036007.[5] Das, N., Vanthornhout, J., Francart, T., & Bertrand, A. (2019). Stimulus-aware spatial filtering for single-trial neural response and temporal response function estimation in high-density EEG with applications in auditory research. NeuroImage 204 (2020)[6] Biesmans, W., Das, N., Francart, T., & Bertrand, A. (2016). Auditory-inspired speech envelope extraction methods for improved EEG-based auditory attention detection in a cocktail party scenario. IEEE Transactions on Neural Systems and Rehabilitation Engineering, 25(5), 402-412.[7] Das, N., Van Eyndhoven, S., Francart, T., & Bertrand, A. (2016). Adaptive attention-driven speech enhancement for EEG-informed hearing prostheses. In Proceedings of the 38th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC), 77-80.[8] Van Eyndhoven, S., Francart, T., & Bertrand, A. (2016). EEG-informed attended speaker extraction from recorded speech mixtures with application in neuro-steered hearing prostheses. IEEE Transactions on Biomedical Engineering, 64(5), 1045-1056.[9] Das, N., Van Eyndhoven, S., Francart, T., & Bertrand, A. (2017). EEG-based Attention-Driven Speech Enhancement For Noisy Speech Mixtures Using N-fold Multi-Channel Wiener Filters. In Proceedings of the 25th European Signal Processing Conference (EUSIPCO), 1660-1664.[10] Narayanan, A. M., & Bertrand, A. (2018). The effect of miniaturization and galvanic separation of EEG sensor devices in an auditory attention detection task. In Proceedings of the 40th Annual International Conference of the IEEE Engineering in Medicine and Biology Society (EMBC), 77-80.[11] Vandecappelle , S., Deckers, L., Das, N., Ansari, A. H., Bertrand, A., & Francart, T. (2020). EEG-based detection of the locus of auditory attention with convolutional neural networks. bioRxiv 475673; doi: https://doi.org/10.1101/475673.[12] Narayanan, A. M., & Bertrand, A. (2019). Analysis of Miniaturization Effects and Channel Selection Strategies for EEG Sensor Networks With Application to Auditory Attention Detection. IEEE Transactions on Biomedical Engineering, 67(1), 234-244.[13] Geirnaert, S., Francart, T., & Bertrand, A. (2019). A New Metric to Evaluate Auditory Attention Detection Performance Based on a Markov Chain. In Proceedings of the 27th European Signal Processing Conference (EUSIPCO), 1-5.[14] Geirnaert, S., Francart,T., & Bertrand, A. (2020). An Interpretable Performance Metric for Auditory Attention Decoding Algorithms in a Context of Neuro-Steered Gain Control. IEEE Transactions on Neural Systems and Rehabilitation Engineering, 28(1), 307-317.[15] Geirnaert, S., Francart,T., & Bertrand, A. (2020). Fast EEG-based decoding of the directional focus of auditory attention using common spatial patterns. bioRxiv 2020.06.16.154450; doi: https://doi.org/10.1101/2020.06.16.154450.[16] Geirnaert, S., Vandecappelle, S., Alickovic, E., de Cheveigné, A., Lalor, E., Meyer, B.T., Miran, S., Francart, T., & Bertrand, A. (2020). Neuro-Steered Hearing Devices: Decoding Auditory Attention From the Brain. arXiv 2008.04569; doi: arXiv:2008.04569. ", + "authors": [ + { + "name_en": "Das Neetha", + "name_zh": "Das Neetha" + }, + { + "name_en": "Francart Tom", + "name_zh": "Francart Tom" + }, + { + "name_en": "Bertrand Alexander", + "name_zh": "Bertrand Alexander" + } + ], + "keywords_en": [ + "Auditory Attention Detection", + "EEG", + "signal processing", + "neuroscience" + ], + "keywords_zh": [ + "Auditory Attention Detection", + "EEG", + "signal processing", + "neuroscience" + ], + "publication_date": "2020-08-26T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-SA-4.0", + "file_size_mb": 0.01, + "file_size_bytes": 7759, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4451999", + "cstr": "", + "pid": "", + "title": "EEGlass motor-imagery and resting-state pilot data", + "title_en": "EEGlass motor-imagery and resting-state pilot data", + "title_zh": "EEGlass motor-imagery and resting-state pilot data", + "description": "Pilot EEG data (N=1) during motor-imagery and resting state (eyes-closed) from EEGlass eyeware prototype for ubiquitous brain-computer interaction.There are two types of EEG data: (1) motor imagery and (2) resting state during closed eyes from two EEG devices: (1) EEGlass through the OpenBCI board, and (2) Enobio 8 from Neuroelectrics. In addition, the EOG activity from four eye movements (up,down;left;right) from EEGlass are included. All datasets have been pre-processessed in EEGlab and exported as .set files.Datasets:\tMotor Imagery\t\t\tEEGlass (data: MI_EEGlass.set; header: MI_EEGlass.fdt)\t\tEnobio (data: MI_Enobio.set; header: MI_Enobio.fdt)\t\t\tResting State (eyes-closed)\t\t\tEEGlass (data: EC_EEGlass.set; header: EC_EEGlass.fdt)\t\tEnobio (data: EC_Enobio.set; header: EC_Enobio.fdt)\t\t\tEOG\t\t\tEEGlass\t\t\t\t\t\t\t\tEOG Up (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tEOG Down (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tEOG Left (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tEOG Right (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tPre-processing:\tBandpass filtering: FIR 1-40 Hz\tRe-referencing: Common average reference (CAR)\tChannel locations\t\t\tEEGlass [1:Nz; 2:TP9; 3:TP10]\t\tEnobio [1:Fpz ; 2:C3; 3:C4; 4:Pz]\t\t Details from the pilot study can be found below:A. Vourvopoulos, et al., 2019. EEGlass: an EEG-eyeware prototype for ubiquitous brain-computer interaction. In <i>Adjunct Proceedings of the 2019 ACM International Joint Conference on Pervasive and Ubiquitous Computing and Proceedings of the 2019 ACM International Symposium on Wearable Computers</i> (<i>UbiComp/ISWC '19 Adjunct</i>). Association for Computing Machinery, New York, NY, USA, 647–652. DOI:https://doi.org/10.1145/3341162.3348383", + "description_en": "Pilot EEG data (N=1) during motor-imagery and resting state (eyes-closed) from EEGlass eyeware prototype for ubiquitous brain-computer interaction.There are two types of EEG data: (1) motor imagery and (2) resting state during closed eyes from two EEG devices: (1) EEGlass through the OpenBCI board, and (2) Enobio 8 from Neuroelectrics. In addition, the EOG activity from four eye movements (up,down;left;right) from EEGlass are included. All datasets have been pre-processessed in EEGlab and exported as .set files.Datasets:\tMotor Imagery\t\t\tEEGlass (data: MI_EEGlass.set; header: MI_EEGlass.fdt)\t\tEnobio (data: MI_Enobio.set; header: MI_Enobio.fdt)\t\t\tResting State (eyes-closed)\t\t\tEEGlass (data: EC_EEGlass.set; header: EC_EEGlass.fdt)\t\tEnobio (data: EC_Enobio.set; header: EC_Enobio.fdt)\t\t\tEOG\t\t\tEEGlass\t\t\t\t\t\t\t\tEOG Up (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tEOG Down (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tEOG Left (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tEOG Right (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tPre-processing:\tBandpass filtering: FIR 1-40 Hz\tRe-referencing: Common average reference (CAR)\tChannel locations\t\t\tEEGlass [1:Nz; 2:TP9; 3:TP10]\t\tEnobio [1:Fpz ; 2:C3; 3:C4; 4:Pz]\t\t Details from the pilot study can be found below:A. Vourvopoulos, et al., 2019. EEGlass: an EEG-eyeware prototype for ubiquitous brain-computer interaction. In <i>Adjunct Proceedings of the 2019 ACM International Joint Conference on Pervasive and Ubiquitous Computing and Proceedings of the 2019 ACM International Symposium on Wearable Computers</i> (<i>UbiComp/ISWC '19 Adjunct</i>). Association for Computing Machinery, New York, NY, USA, 647–652. DOI:https://doi.org/10.1145/3341162.3348383", + "description_zh": "Pilot EEG data (N=1) during motor-imagery and resting state (eyes-closed) from EEGlass eyeware prototype for ubiquitous brain-computer interaction.There are two types of EEG data: (1) motor imagery and (2) resting state during closed eyes from two EEG devices: (1) EEGlass through the OpenBCI board, and (2) Enobio 8 from Neuroelectrics. In addition, the EOG activity from four eye movements (up,down;left;right) from EEGlass are included. All datasets have been pre-processessed in EEGlab and exported as .set files.Datasets:\tMotor Imagery\t\t\tEEGlass (data: MI_EEGlass.set; header: MI_EEGlass.fdt)\t\tEnobio (data: MI_Enobio.set; header: MI_Enobio.fdt)\t\t\tResting State (eyes-closed)\t\t\tEEGlass (data: EC_EEGlass.set; header: EC_EEGlass.fdt)\t\tEnobio (data: EC_Enobio.set; header: EC_Enobio.fdt)\t\t\tEOG\t\t\tEEGlass\t\t\t\t\t\t\t\tEOG Up (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tEOG Down (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tEOG Left (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tEOG Right (EOG_U_EEGlass.set, .fdt)\t\t\t\t\t\t\t\t\tPre-processing:\tBandpass filtering: FIR 1-40 Hz\tRe-referencing: Common average reference (CAR)\tChannel locations\t\t\tEEGlass [1:Nz; 2:TP9; 3:TP10]\t\tEnobio [1:Fpz ; 2:C3; 3:C4; 4:Pz]\t\t Details from the pilot study can be found below:A. Vourvopoulos, et al., 2019. EEGlass: an EEG-eyeware prototype for ubiquitous brain-computer interaction. In <i>Adjunct Proceedings of the 2019 ACM International Joint Conference on Pervasive and Ubiquitous Computing and Proceedings of the 2019 ACM International Symposium on Wearable Computers</i> (<i>UbiComp/ISWC '19 Adjunct</i>). Association for Computing Machinery, New York, NY, USA, 647–652. DOI:https://doi.org/10.1145/3341162.3348383", + "authors": [ + { + "name_en": "Vourvopoulos Athanasios", + "name_zh": "Vourvopoulos Athanasios" + } + ], + "keywords_en": [ + "EEG", + "BCI", + "Wearables" + ], + "keywords_zh": [ + "EEG", + "BCI", + "Wearables" + ], + "publication_date": "2019-08-31T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.19, + "file_size_bytes": 201216, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5061/dryad.4b8gtht9n", + "cstr": "", + "pid": "", + "title": "Ictal source imaging in epilepsy patients - Supplementary Data", + "title_en": "Ictal source imaging in epilepsy patients - Supplementary Data", + "title_zh": "Ictal source imaging in epilepsy patients - Supplementary Data", + "description": "ObjectiveLocalization of seizure onset zone in focal epilepsy patients is a crucial step prior to surgical planning. Noninvasively achieving this goal would have a tremendous impact on clinical management of intractable seizure. MethodsIn a total of 39 focal epilepsy patients, we recorded and extracted 138 seizures and 1,325 interictal epileptic discharges using high-density EEG. We have investigated a novel approach for directly imaging sources of seizures and interictal spikes from high density EEG recordings, and rigorously validated it for noninvasive localization of seizure onset zone (SOZ) determined from intracranial EEG findings and surgical resection volume. Conventional source imaging analyses were also performed for comparison. ResultsIctal source imaging showed a concordance rate of 95% when compared to intracranial EEG or resection results. The average distance from estimation to seizure onset (intracranial) electrodes is 1.35 cm in patients with concordant results, and 0.74 cm to surgical resection boundary in patients with successful surgery. About 41% of the patients were found to have multiple types of interictal activities; coincidentally, a lower concordance rate and a significantly worse performance in localizing SOZ were observed in these patients. Interpretation Noninvasive ictal source imaging with high-density EEG recording can provide highly concordant results with clinical decisions obtained by invasive monitoring or confirmed by resective surgery. By means of direct seizure imaging using high-density scalp EEG recordings, the added value of ictal source imaging is particularly high in patients with complex interictal activity patterns, who may represent the most challenging cases with poor prognosis.   ", + "description_en": "ObjectiveLocalization of seizure onset zone in focal epilepsy patients is a crucial step prior to surgical planning. Noninvasively achieving this goal would have a tremendous impact on clinical management of intractable seizure. MethodsIn a total of 39 focal epilepsy patients, we recorded and extracted 138 seizures and 1,325 interictal epileptic discharges using high-density EEG. We have investigated a novel approach for directly imaging sources of seizures and interictal spikes from high density EEG recordings, and rigorously validated it for noninvasive localization of seizure onset zone (SOZ) determined from intracranial EEG findings and surgical resection volume. Conventional source imaging analyses were also performed for comparison. ResultsIctal source imaging showed a concordance rate of 95% when compared to intracranial EEG or resection results. The average distance from estimation to seizure onset (intracranial) electrodes is 1.35 cm in patients with concordant results, and 0.74 cm to surgical resection boundary in patients with successful surgery. About 41% of the patients were found to have multiple types of interictal activities; coincidentally, a lower concordance rate and a significantly worse performance in localizing SOZ were observed in these patients. Interpretation Noninvasive ictal source imaging with high-density EEG recording can provide highly concordant results with clinical decisions obtained by invasive monitoring or confirmed by resective surgery. By means of direct seizure imaging using high-density scalp EEG recordings, the added value of ictal source imaging is particularly high in patients with complex interictal activity patterns, who may represent the most challenging cases with poor prognosis.   ", + "description_zh": "ObjectiveLocalization of seizure onset zone in focal epilepsy patients is a crucial step prior to surgical planning. Noninvasively achieving this goal would have a tremendous impact on clinical management of intractable seizure. MethodsIn a total of 39 focal epilepsy patients, we recorded and extracted 138 seizures and 1,325 interictal epileptic discharges using high-density EEG. We have investigated a novel approach for directly imaging sources of seizures and interictal spikes from high density EEG recordings, and rigorously validated it for noninvasive localization of seizure onset zone (SOZ) determined from intracranial EEG findings and surgical resection volume. Conventional source imaging analyses were also performed for comparison. ResultsIctal source imaging showed a concordance rate of 95% when compared to intracranial EEG or resection results. The average distance from estimation to seizure onset (intracranial) electrodes is 1.35 cm in patients with concordant results, and 0.74 cm to surgical resection boundary in patients with successful surgery. About 41% of the patients were found to have multiple types of interictal activities; coincidentally, a lower concordance rate and a significantly worse performance in localizing SOZ were observed in these patients. Interpretation Noninvasive ictal source imaging with high-density EEG recording can provide highly concordant results with clinical decisions obtained by invasive monitoring or confirmed by resective surgery. By means of direct seizure imaging using high-density scalp EEG recordings, the added value of ictal source imaging is particularly high in patients with complex interictal activity patterns, who may represent the most challenging cases with poor prognosis.   ", + "authors": [ + { + "name_en": "Ye Shuai", + "name_zh": "Ye Shuai" + }, + { + "name_en": "Yang Lin", + "name_zh": "Yang Lin" + }, + { + "name_en": "Lu Yunfeng", + "name_zh": "Lu Yunfeng" + }, + { + "name_en": "Kucewicz Michal", + "name_zh": "Kucewicz Michal" + }, + { + "name_en": "Brinkmann Benjamin", + "name_zh": "Brinkmann Benjamin" + }, + { + "name_en": "Nelson Cindy", + "name_zh": "Nelson Cindy" + }, + { + "name_en": "Sohrabpour Abbas", + "name_zh": "Sohrabpour Abbas" + }, + { + "name_en": "Worrell Gregory", + "name_zh": "Worrell Gregory" + }, + { + "name_en": "He Bin", + "name_zh": "He Bin" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2021-02-05T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 1.96, + "file_size_bytes": 2051495, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.998965", + "cstr": "", + "pid": "", + "title": "Infant Sibling Project: Sample Files", + "title_en": "Infant Sibling Project: Sample Files", + "title_zh": "Infant Sibling Project: Sample Files", + "description": "These electroencephalography (EEG) data files were collected through the Infant Sibling Project (ISP), a prospective investigation examining infants at high versus low familial risk for autism spectrum disorder over the first 3 years of life.  Here we provide a subset of the full dataset, as example files for the Batch EEG Automated Processing Pipeline (BEAPP), and the Harvard Automated Processing Pipeline for EEG (HAPPE).  Both BEAPP and HAPPE may be downloaded at www.github.com.Baseline EEG data was collected while a young child sat in a parent’s lap watching a research assistant blow bubbles or show toys for several minutes.1  12 sample baseline EEGs are provided here, in .mat format.  Auditory (event-related) EEG data was collected using an auditory double oddball paradigm, in which a stream of consonant-vowel stimuli was presented.   Stimuli included a “Standard” /ɖa/ sound 80% of the time, “Native” /ta/ sound 10% of the time, and “Non-Native” /da/ sound 10% of the time.2    10 sample auditory EEGs are provided here, in .mff format.This sample dataset was chosen for demonstration of BEAPP and HAPPE for several reasons.  First, the longitudinal nature of the study led to data collection with different sampling rates (250 Hz and 500 Hz) and acquisition setups (64-channel Geodesic Sensor Net v2.0, and 128-channel HydroCel Geodesic Sensor Net, both from Electrical Geodesics, Inc., Eugene, OR).  Additionally, because young children cannot follow instructions to “rest” or remain still, EEG in these children typically contains greater amounts of artifact than EEG in typical adults.  BEAPP and HAPPE are targeted towards addressing these challenges.The Infant Sibling Project was carried out in accordance with the recommendations of the Institutional Review Board at Boston University and Boston Children’s Hospital (#X06-08-0374), with written informed consent from all caregivers prior to their child’s participation in the study.  All files here have been deidentified, including alteration of exact acquisition dates.  Acquisition times have not been altered.For additional information about data collection paradigms, and sample studies published on the larger ISP data set, please see the following references:1. Levin, A. R., Varcin, K. J., O’Leary, H. M., Tager-Flusberg, H., and Nelson, C. A. (2017). EEG power at 3 months in infants at high familial risk for autism. J. Neurodev. Disord. 9, 1–13.2. Seery A, Tager-Flusberg H, Nelson CA. Event-related potentials to repeated speech in 9-month-old infants at risk for autism spectrum disorder. J. Neurodev. Disord. 2014;6:43.", + "description_en": "These electroencephalography (EEG) data files were collected through the Infant Sibling Project (ISP), a prospective investigation examining infants at high versus low familial risk for autism spectrum disorder over the first 3 years of life.  Here we provide a subset of the full dataset, as example files for the Batch EEG Automated Processing Pipeline (BEAPP), and the Harvard Automated Processing Pipeline for EEG (HAPPE).  Both BEAPP and HAPPE may be downloaded at www.github.com.Baseline EEG data was collected while a young child sat in a parent’s lap watching a research assistant blow bubbles or show toys for several minutes.1  12 sample baseline EEGs are provided here, in .mat format.  Auditory (event-related) EEG data was collected using an auditory double oddball paradigm, in which a stream of consonant-vowel stimuli was presented.   Stimuli included a “Standard” /ɖa/ sound 80% of the time, “Native” /ta/ sound 10% of the time, and “Non-Native” /da/ sound 10% of the time.2    10 sample auditory EEGs are provided here, in .mff format.This sample dataset was chosen for demonstration of BEAPP and HAPPE for several reasons.  First, the longitudinal nature of the study led to data collection with different sampling rates (250 Hz and 500 Hz) and acquisition setups (64-channel Geodesic Sensor Net v2.0, and 128-channel HydroCel Geodesic Sensor Net, both from Electrical Geodesics, Inc., Eugene, OR).  Additionally, because young children cannot follow instructions to “rest” or remain still, EEG in these children typically contains greater amounts of artifact than EEG in typical adults.  BEAPP and HAPPE are targeted towards addressing these challenges.The Infant Sibling Project was carried out in accordance with the recommendations of the Institutional Review Board at Boston University and Boston Children’s Hospital (#X06-08-0374), with written informed consent from all caregivers prior to their child’s participation in the study.  All files here have been deidentified, including alteration of exact acquisition dates.  Acquisition times have not been altered.For additional information about data collection paradigms, and sample studies published on the larger ISP data set, please see the following references:1. Levin, A. R., Varcin, K. J., O’Leary, H. M., Tager-Flusberg, H., and Nelson, C. A. (2017). EEG power at 3 months in infants at high familial risk for autism. J. Neurodev. Disord. 9, 1–13.2. Seery A, Tager-Flusberg H, Nelson CA. Event-related potentials to repeated speech in 9-month-old infants at risk for autism spectrum disorder. J. Neurodev. Disord. 2014;6:43.", + "description_zh": "These electroencephalography (EEG) data files were collected through the Infant Sibling Project (ISP), a prospective investigation examining infants at high versus low familial risk for autism spectrum disorder over the first 3 years of life.  Here we provide a subset of the full dataset, as example files for the Batch EEG Automated Processing Pipeline (BEAPP), and the Harvard Automated Processing Pipeline for EEG (HAPPE).  Both BEAPP and HAPPE may be downloaded at www.github.com.Baseline EEG data was collected while a young child sat in a parent’s lap watching a research assistant blow bubbles or show toys for several minutes.1  12 sample baseline EEGs are provided here, in .mat format.  Auditory (event-related) EEG data was collected using an auditory double oddball paradigm, in which a stream of consonant-vowel stimuli was presented.   Stimuli included a “Standard” /ɖa/ sound 80% of the time, “Native” /ta/ sound 10% of the time, and “Non-Native” /da/ sound 10% of the time.2    10 sample auditory EEGs are provided here, in .mff format.This sample dataset was chosen for demonstration of BEAPP and HAPPE for several reasons.  First, the longitudinal nature of the study led to data collection with different sampling rates (250 Hz and 500 Hz) and acquisition setups (64-channel Geodesic Sensor Net v2.0, and 128-channel HydroCel Geodesic Sensor Net, both from Electrical Geodesics, Inc., Eugene, OR).  Additionally, because young children cannot follow instructions to “rest” or remain still, EEG in these children typically contains greater amounts of artifact than EEG in typical adults.  BEAPP and HAPPE are targeted towards addressing these challenges.The Infant Sibling Project was carried out in accordance with the recommendations of the Institutional Review Board at Boston University and Boston Children’s Hospital (#X06-08-0374), with written informed consent from all caregivers prior to their child’s participation in the study.  All files here have been deidentified, including alteration of exact acquisition dates.  Acquisition times have not been altered.For additional information about data collection paradigms, and sample studies published on the larger ISP data set, please see the following references:1. Levin, A. R., Varcin, K. J., O’Leary, H. M., Tager-Flusberg, H., and Nelson, C. A. (2017). EEG power at 3 months in infants at high familial risk for autism. J. Neurodev. Disord. 9, 1–13.2. Seery A, Tager-Flusberg H, Nelson CA. Event-related potentials to repeated speech in 9-month-old infants at risk for autism spectrum disorder. J. Neurodev. Disord. 2014;6:43.", + "authors": [ + { + "name_en": "Levin April Robyn", + "name_zh": "Levin April Robyn" + }, + { + "name_en": "Gabard-Durnam Laurel Joy", + "name_zh": "Gabard-Durnam Laurel Joy" + }, + { + "name_en": "Mendez Leal Adriana Sofia", + "name_zh": "Mendez Leal Adriana Sofia" + }, + { + "name_en": "O'Leary Heather Marie", + "name_zh": "O'Leary Heather Marie" + }, + { + "name_en": "Wilkinson Carol Lee", + "name_zh": "Wilkinson Carol Lee" + }, + { + "name_en": "Tager-Flusberg Helen", + "name_zh": "Tager-Flusberg Helen" + }, + { + "name_en": "Nelson Charles Alexander", + "name_zh": "Nelson Charles Alexander" + } + ], + "keywords_en": [ + "Electroencephalography", + " Autism", + " Infant", + " Child", + " Development" + ], + "keywords_zh": [ + "Electroencephalography", + " Autism", + " Infant", + " Child", + " Development" + ], + "publication_date": "2017-09-27T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 82.9, + "file_size_bytes": 86928898, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.841764", + "cstr": "", + "pid": "", + "title": "CNBI EPFL Brain Tweakers Cybathlon BCI race dataset", + "title_en": "CNBI EPFL Brain Tweakers Cybathlon BCI race dataset", + "title_zh": "CNBI EPFL Brain Tweakers Cybathlon BCI race dataset", + "description": "This dataset contains training and competition EEG data (GDF format) and application log files for the two pilots of the Brain Tweakers team in the Cybathlon BCI race event. The Cybathlon is the first international competition for bionic technologies. It was held in Zurich, Switzerland in October 2016 and encompassed the BCI race event, where 4 disabled contestants were driving their avatar by means of 3 mental commands towards the finish line of a race track. Pilot MA25VE was the winner of the competition and pilot AN14VE the recordman.More information on the event can be found at: http://www.cybathlon.ethz.ch/All EEG data were recorded with a gTec gUSBamp 16-channel system at 512 Hz on scalp locations (10-20 system, in order): Fz,FC3,FC1,FCz,FC2,FC4,C3,C1,Cz,C2,C4,CP3,CP1,CPz,CP2,CP4. The brain-computer interface used was a motor-imagery BCI. This dataset will be linked to a publication upon acceptance of the latter.For more information on the dataset, please contact the authors.", + "description_en": "This dataset contains training and competition EEG data (GDF format) and application log files for the two pilots of the Brain Tweakers team in the Cybathlon BCI race event. The Cybathlon is the first international competition for bionic technologies. It was held in Zurich, Switzerland in October 2016 and encompassed the BCI race event, where 4 disabled contestants were driving their avatar by means of 3 mental commands towards the finish line of a race track. Pilot MA25VE was the winner of the competition and pilot AN14VE the recordman.More information on the event can be found at: http://www.cybathlon.ethz.ch/All EEG data were recorded with a gTec gUSBamp 16-channel system at 512 Hz on scalp locations (10-20 system, in order): Fz,FC3,FC1,FCz,FC2,FC4,C3,C1,Cz,C2,C4,CP3,CP1,CPz,CP2,CP4. The brain-computer interface used was a motor-imagery BCI. This dataset will be linked to a publication upon acceptance of the latter.For more information on the dataset, please contact the authors.", + "description_zh": "This dataset contains training and competition EEG data (GDF format) and application log files for the two pilots of the Brain Tweakers team in the Cybathlon BCI race event. The Cybathlon is the first international competition for bionic technologies. It was held in Zurich, Switzerland in October 2016 and encompassed the BCI race event, where 4 disabled contestants were driving their avatar by means of 3 mental commands towards the finish line of a race track. Pilot MA25VE was the winner of the competition and pilot AN14VE the recordman.More information on the event can be found at: http://www.cybathlon.ethz.ch/All EEG data were recorded with a gTec gUSBamp 16-channel system at 512 Hz on scalp locations (10-20 system, in order): Fz,FC3,FC1,FCz,FC2,FC4,C3,C1,Cz,C2,C4,CP3,CP1,CPz,CP2,CP4. The brain-computer interface used was a motor-imagery BCI. This dataset will be linked to a publication upon acceptance of the latter.For more information on the dataset, please contact the authors.", + "authors": [ + { + "name_en": "Perdikis Serafeim", + "name_zh": "Perdikis Serafeim" + }, + { + "name_en": "Tonin Luca", + "name_zh": "Tonin Luca" + }, + { + "name_en": "Saeedi Sareh", + "name_zh": "Saeedi Sareh" + }, + { + "name_en": "Schneider Christoph", + "name_zh": "Schneider Christoph" + }, + { + "name_en": "Millan Jose del R.", + "name_zh": "Millan Jose del R." + } + ], + "keywords_en": [ + "brain-computer interface", + "motor-imagery", + "spinal cord injury", + "cybathlon", + "BCI race", + "EEG" + ], + "keywords_zh": [ + "brain-computer interface", + "motor-imagery", + "spinal cord injury", + "cybathlon", + "BCI race", + "EEG" + ], + "publication_date": "2017-08-10T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 2879.68, + "file_size_bytes": 3019565120, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4331062", + "cstr": "31253.11.10.5281/zenodo.4331062", + "pid": "", + "title": "Microgecko helenae Nikolsky 1907", + "title_en": "Microgecko helenae Nikolsky 1907", + "title_zh": "Microgecko helenae Nikolsky 1907", + "description": "Microgecko helenae Nikolsky, 1907 Microgecko helenae Nikolsky, 1907: 265. COMMON NAME. — Banded Dwarf Gecko. LECTOTYPE — ZIL 10242. TYPE LOCALITY. — Alkhorshid, Esfahan, and Bid Zard; restricted to Bid Zard. DISTRIBUTION. — Western foothills of the Zagros Mountains (Karamiani & Rastegar-Pouyani 2012; Smid et al. 2014; Gholamifard et al. 2015). HABITAT. — Under small stones, in rolling foothills with scattered vegetation (Smid et al. 2014). IUCN. — Data deficient. REFERENCES. — Nikolsky (1907); Karamiani & Rastegar-Pouyani (2012); Smid et al. (2014); Gholamifard et al. (2015).", + "description_en": "Microgecko helenae Nikolsky, 1907 Microgecko helenae Nikolsky, 1907: 265. COMMON NAME. — Banded Dwarf Gecko. LECTOTYPE — ZIL 10242. TYPE LOCALITY. — Alkhorshid, Esfahan, and Bid Zard; restricted to Bid Zard. DISTRIBUTION. — Western foothills of the Zagros Mountains (Karamiani & Rastegar-Pouyani 2012; Smid et al. 2014; Gholamifard et al. 2015). HABITAT. — Under small stones, in rolling foothills with scattered vegetation (Smid et al. 2014). IUCN. — Data deficient. REFERENCES. — Nikolsky (1907); Karamiani & Rastegar-Pouyani (2012); Smid et al. (2014); Gholamifard et al. (2015).", + "description_zh": "Microgecko helenae Nikolsky, 1907 Microgecko helenae Nikolsky, 1907: 265. COMMON NAME. — Banded Dwarf Gecko. LECTOTYPE — ZIL 10242. TYPE LOCALITY. — Alkhorshid, Esfahan, and Bid Zard; restricted to Bid Zard. DISTRIBUTION. — Western foothills of the Zagros Mountains (Karamiani & Rastegar-Pouyani 2012; Smid et al. 2014; Gholamifard et al. 2015). HABITAT. — Under small stones, in rolling foothills with scattered vegetation (Smid et al. 2014). IUCN. — Data deficient. REFERENCES. — Nikolsky (1907); Karamiani & Rastegar-Pouyani (2012); Smid et al. (2014); Gholamifard et al. (2015).", + "authors": [ + { + "name_en": "Eskandarzadeh, Naeimeh", + "name_zh": "Eskandarzadeh, Naeimeh" + }, + { + "name_en": " Rastegar-Pouyani, Nasrullah", + "name_zh": " Rastegar-Pouyani, Nasrullah" + }, + { + "name_en": " Rastegar-Pouyani, Eskandar", + "name_zh": " Rastegar-Pouyani, Eskandar" + }, + { + "name_en": " Fathinia, Behzad", + "name_zh": " Fathinia, Behzad" + }, + { + "name_en": " Bahmani, Zahed", + "name_zh": " Bahmani, Zahed" + }, + { + "name_en": " Hamidi, Kordiyeh", + "name_zh": " Hamidi, Kordiyeh" + }, + { + "name_en": " Gholamifard, Ali", + "name_zh": " Gholamifard, Ali" + } + ], + "keywords_en": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Chordata", + "Reptilia", + "Squamata", + "Gekkonidae", + "Microgecko", + "Microgecko helenae" + ], + "keywords_zh": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Chordata", + "Reptilia", + "Squamata", + "Gekkonidae", + "Microgecko", + "Microgecko helenae" + ], + "publication_date": 1543420800000, + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.0, + "file_size_bytes": 1059, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3610120", + "cstr": "", + "pid": "", + "title": "Data for Positive Emotion Regulation Task", + "title_en": "Data for Positive Emotion Regulation Task", + "title_zh": "Data for Positive Emotion Regulation Task", + "description": "These files contain the .mul EEG and .evt output files from BESA used in the positive emotion regulation task.", + "description_en": "These files contain the .mul EEG and .evt output files from BESA used in the positive emotion regulation task.", + "description_zh": "These files contain the .mul EEG and .evt output files from BESA used in the positive emotion regulation task.", + "authors": [ + { + "name_en": "Kahrilas Ian", + "name_zh": "Kahrilas Ian" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2020-01-15T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 507, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.55847", + "cstr": "31253.11.10.5281/zenodo.55847", + "pid": "", + "title": "[Dataset] enhanced functional connectivity properties of human brains during in-situ nature experience", + "title_en": "[Dataset] enhanced functional connectivity properties of human brains during in-situ nature experience", + "title_zh": "[Dataset] enhanced functional connectivity properties of human brains during in-situ nature experience", + "description": "Raw dataArtifact-free EEG raw data recorded by Emotiv Epoc (sample rate 128/s, 14 channels).", + "description_en": "Raw dataArtifact-free EEG raw data recorded by Emotiv Epoc (sample rate 128/s, 14 channels).", + "description_zh": "Raw dataArtifact-free EEG raw data recorded by Emotiv Epoc (sample rate 128/s, 14 channels).", + "authors": [ + { + "name_en": "Chen Zheng", + "name_zh": "Chen Zheng" + }, + { + "name_en": "He Yujia", + "name_zh": "He Yujia" + }, + { + "name_en": "Yu Yuguo", + "name_zh": "Yu Yuguo" + } + ], + "keywords_en": [ + "Environmental neuroscience", + "Nature experience", + "Functional connectivity" + ], + "keywords_zh": [ + "Environmental neuroscience", + "Nature experience", + "Functional connectivity" + ], + "publication_date": "2016-06-17T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 242.86, + "file_size_bytes": 254653170, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.580211", + "cstr": "31253.11.10.5281/zenodo.580211", + "pid": "", + "title": "Dataset: Neural correlates of error prediction in a complex motor task", + "title_en": "Dataset: Neural correlates of error prediction in a complex motor task", + "title_zh": "Dataset: Neural correlates of error prediction in a complex motor task", + "description": "There are two files for each subject:1. errorsegments_sub##.mat -> Contains EEG Segments, that were recorded while the subject executed a clear target miss (minimal distance between the center of the ball and target > 12 cm) in the task (segment and electrode information can be found below).2. hitsegments_sub##.mat -> Contains EEG Segments, that were recorded while the subject executed a clear target hit (minimal distance between the center of the ball and the target < 5 cm) in the task (segment and electrode information can be found below).The data in the *.mat-files are stored in a three dimensional matrix: 1300 datapoints x n segments x 14 electrodesdatapoints: The first dimension contains 1300 data points for each segment which translates to 2600 ms (500 Hz sampling frequency). The time of the ball´s release set at the 301st data point in each segment.segments: The second dimension stands for the number of segments. Since the number of trials which satisfy the above described distance criterion for hit and error trials differ for participants size, n is variable. electrodes: The third dimension consists of the 14 different electrodes that were used during data recording in this exact order: [F3 Fz F4 C4 Cz C3 P3 Pz P4 VEOGu VEOGo HEOGre HEOGli FCz]  ", + "description_en": "There are two files for each subject:1. errorsegments_sub##.mat -> Contains EEG Segments, that were recorded while the subject executed a clear target miss (minimal distance between the center of the ball and target > 12 cm) in the task (segment and electrode information can be found below).2. hitsegments_sub##.mat -> Contains EEG Segments, that were recorded while the subject executed a clear target hit (minimal distance between the center of the ball and the target < 5 cm) in the task (segment and electrode information can be found below).The data in the *.mat-files are stored in a three dimensional matrix: 1300 datapoints x n segments x 14 electrodesdatapoints: The first dimension contains 1300 data points for each segment which translates to 2600 ms (500 Hz sampling frequency). The time of the ball´s release set at the 301st data point in each segment.segments: The second dimension stands for the number of segments. Since the number of trials which satisfy the above described distance criterion for hit and error trials differ for participants size, n is variable. electrodes: The third dimension consists of the 14 different electrodes that were used during data recording in this exact order: [F3 Fz F4 C4 Cz C3 P3 Pz P4 VEOGu VEOGo HEOGre HEOGli FCz]  ", + "description_zh": "There are two files for each subject:1. errorsegments_sub##.mat -> Contains EEG Segments, that were recorded while the subject executed a clear target miss (minimal distance between the center of the ball and target > 12 cm) in the task (segment and electrode information can be found below).2. hitsegments_sub##.mat -> Contains EEG Segments, that were recorded while the subject executed a clear target hit (minimal distance between the center of the ball and the target < 5 cm) in the task (segment and electrode information can be found below).The data in the *.mat-files are stored in a three dimensional matrix: 1300 datapoints x n segments x 14 electrodesdatapoints: The first dimension contains 1300 data points for each segment which translates to 2600 ms (500 Hz sampling frequency). The time of the ball´s release set at the 301st data point in each segment.segments: The second dimension stands for the number of segments. Since the number of trials which satisfy the above described distance criterion for hit and error trials differ for participants size, n is variable. electrodes: The third dimension consists of the 14 different electrodes that were used during data recording in this exact order: [F3 Fz F4 C4 Cz C3 P3 Pz P4 VEOGu VEOGo HEOGre HEOGli FCz]  ", + "authors": [ + { + "name_en": "Maurer L.K. Maurer H. & Müller H.", + "name_zh": "Maurer L.K. Maurer H. & Müller H." + } + ], + "keywords_en": [ + "EEG", + "error prediction", + "error-related negativity", + "motor task", + "ballistic throwing task" + ], + "keywords_zh": [ + "EEG", + "error prediction", + "error-related negativity", + "motor task", + "ballistic throwing task" + ], + "publication_date": "2017-05-15T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 1306, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1201560", + "cstr": "", + "pid": "", + "title": "Integrated analysis of anatomical and electrophysiological human intracranial data", + "title_en": "Integrated analysis of anatomical and electrophysiological human intracranial data", + "title_zh": "Integrated analysis of anatomical and electrophysiological human intracranial data", + "description": "The exquisite spatiotemporal precision of human intracranial EEG recordings (iEEG) permits characterizing neural processing with a level of detail that is inaccessible to scalp-EEG, MEG, or fMRI. However, the same qualities that make iEEG an exceptionally powerful tool also present unique challenges. Until now, the fusion of anatomical data (MRI and CT images) with the electrophysiological data and its subsequent analysis has relied on technologically and conceptually challenging combinations of software. Here, we describe a comprehensive protocol that addresses the complexities associated with human iEEG, providing complete transparency and flexibility in the evolution of raw data into illustrative representations. The protocol is directly integrated with an open source toolbox for electrophysiological data analysis (FieldTrip). This allows iEEG researchers to build on a continuously growing body of scriptable and reproducible analysis methods that, over the past decade, have been developed and employed by a large research community. We demonstrate the protocol for an example complex iEEG data set to provide an intuitive and rapid approach to dealing with both neuroanatomical information and large electrophysiological data sets. We explain how the protocol can be largely automated and readily adjusted to iEEG data sets with other characteristics. The protocol can be implemented by a graduate student or post-doctoral fellow with minimal MATLAB experience and takes approximately an hour, excluding the automated cortical surface extraction.This collection contains the data described in the protocol and that can be used to replicate all results.", + "description_en": "The exquisite spatiotemporal precision of human intracranial EEG recordings (iEEG) permits characterizing neural processing with a level of detail that is inaccessible to scalp-EEG, MEG, or fMRI. However, the same qualities that make iEEG an exceptionally powerful tool also present unique challenges. Until now, the fusion of anatomical data (MRI and CT images) with the electrophysiological data and its subsequent analysis has relied on technologically and conceptually challenging combinations of software. Here, we describe a comprehensive protocol that addresses the complexities associated with human iEEG, providing complete transparency and flexibility in the evolution of raw data into illustrative representations. The protocol is directly integrated with an open source toolbox for electrophysiological data analysis (FieldTrip). This allows iEEG researchers to build on a continuously growing body of scriptable and reproducible analysis methods that, over the past decade, have been developed and employed by a large research community. We demonstrate the protocol for an example complex iEEG data set to provide an intuitive and rapid approach to dealing with both neuroanatomical information and large electrophysiological data sets. We explain how the protocol can be largely automated and readily adjusted to iEEG data sets with other characteristics. The protocol can be implemented by a graduate student or post-doctoral fellow with minimal MATLAB experience and takes approximately an hour, excluding the automated cortical surface extraction.This collection contains the data described in the protocol and that can be used to replicate all results.", + "description_zh": "The exquisite spatiotemporal precision of human intracranial EEG recordings (iEEG) permits characterizing neural processing with a level of detail that is inaccessible to scalp-EEG, MEG, or fMRI. However, the same qualities that make iEEG an exceptionally powerful tool also present unique challenges. Until now, the fusion of anatomical data (MRI and CT images) with the electrophysiological data and its subsequent analysis has relied on technologically and conceptually challenging combinations of software. Here, we describe a comprehensive protocol that addresses the complexities associated with human iEEG, providing complete transparency and flexibility in the evolution of raw data into illustrative representations. The protocol is directly integrated with an open source toolbox for electrophysiological data analysis (FieldTrip). This allows iEEG researchers to build on a continuously growing body of scriptable and reproducible analysis methods that, over the past decade, have been developed and employed by a large research community. We demonstrate the protocol for an example complex iEEG data set to provide an intuitive and rapid approach to dealing with both neuroanatomical information and large electrophysiological data sets. We explain how the protocol can be largely automated and readily adjusted to iEEG data sets with other characteristics. The protocol can be implemented by a graduate student or post-doctoral fellow with minimal MATLAB experience and takes approximately an hour, excluding the automated cortical surface extraction.This collection contains the data described in the protocol and that can be used to replicate all results.", + "authors": [ + { + "name_en": "Stolk Arjen", + "name_zh": "Stolk Arjen" + }, + { + "name_en": "Griffin Sandon", + "name_zh": "Griffin Sandon" + }, + { + "name_en": "van der Meij Roemer", + "name_zh": "van der Meij Roemer" + }, + { + "name_en": "Dewar Callum", + "name_zh": "Dewar Callum" + }, + { + "name_en": "Saez Ignacio", + "name_zh": "Saez Ignacio" + }, + { + "name_en": "Lin Jack J.", + "name_zh": "Lin Jack J." + }, + { + "name_en": "Piantoni Giovanni", + "name_zh": "Piantoni Giovanni" + }, + { + "name_en": "Schoffelen Jan-Mathijs", + "name_zh": "Schoffelen Jan-Mathijs" + }, + { + "name_en": "Knight Robert T.", + "name_zh": "Knight Robert T." + }, + { + "name_en": "Oostenveld Robert", + "name_zh": "Oostenveld Robert" + } + ], + "keywords_en": [ + "ECoG", + "iEEG", + "sEEG", + "intracranial EEG", + "FieldTrip", + "electrocorticography", + "stereoelectroencephalography", + "epilepsy" + ], + "keywords_zh": [ + "ECoG", + "iEEG", + "sEEG", + "intracranial EEG", + "FieldTrip", + "electrocorticography", + "stereoelectroencephalography", + "epilepsy" + ], + "publication_date": "2018-03-20T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-SA-4.0", + "file_size_mb": 204.64, + "file_size_bytes": 214580946, + "download_count": 0, + "visit_count": 4, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1148304", + "cstr": "", + "pid": "", + "title": "Mind-tracking and the new transparent self", + "title_en": "Mind-tracking and the new transparent self", + "title_zh": "Mind-tracking and the new transparent self", + "description": "Have you ever wanted to monitor your steps, heart rate, sleep, or body temperature? Nowadays, we can choose from an incredible variety of wearable devices. If you aim to move beyond tracking the physical to tracking the mind, you should probably check out the new generation of wearables: headsets with electrodes. By using Electroencephalography (EEG), these wearables work by detecting your brain waves. What does this mean for our personal thoughts and fantasies? Will they become trackable and therefore transparent? These and other ethical issues come up when thinking about the advent of such technologies.", + "description_en": "Have you ever wanted to monitor your steps, heart rate, sleep, or body temperature? Nowadays, we can choose from an incredible variety of wearable devices. If you aim to move beyond tracking the physical to tracking the mind, you should probably check out the new generation of wearables: headsets with electrodes. By using Electroencephalography (EEG), these wearables work by detecting your brain waves. What does this mean for our personal thoughts and fantasies? Will they become trackable and therefore transparent? These and other ethical issues come up when thinking about the advent of such technologies.", + "description_zh": "Have you ever wanted to monitor your steps, heart rate, sleep, or body temperature? Nowadays, we can choose from an incredible variety of wearable devices. If you aim to move beyond tracking the physical to tracking the mind, you should probably check out the new generation of wearables: headsets with electrodes. By using Electroencephalography (EEG), these wearables work by detecting your brain waves. What does this mean for our personal thoughts and fantasies? Will they become trackable and therefore transparent? These and other ethical issues come up when thinking about the advent of such technologies.", + "authors": [ + { + "name_en": "Przegalińska, Aleksandra", + "name_zh": "Przegalińska, Aleksandra" + } + ], + "keywords_en": [ + "Mind-tracking", + "Algorithms", + "Artificial Intelligence", + "Transparency", + "Wearables", + "Electroencephalography (EEG)", + "Technology", + "Data" + ], + "keywords_zh": [ + "Mind-tracking", + "Algorithms", + "Artificial Intelligence", + "Transparency", + "Wearables", + "Electroencephalography (EEG)", + "Technology", + "Data" + ], + "publication_date": 1516032000000, + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-SA-4.0", + "file_size_mb": 0.09, + "file_size_bytes": 90148, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "664ab3684e7538442ce796e9", + "doi": "10.57760/sciencedb.03168", + "cstr": "31253.11.sciencedb.03168", + "pid": "21.86116.6/sciencedb.03168", + "title": "Imitation of Grasping Animals Activates Motor Inhibition", + "title_en": "Imitation of Grasping Animals Activates Motor Inhibition", + "title_zh": "Imitation of Grasping Animals Activates Motor Inhibition", + "description": "

The experimental apparatus was a Lenovo computer connected to a 17-inch cathode ray tube (CRT) monitor (85-Hz refresh rates). Stimuli were presented using E-prime 2.0 software (version 2.0, Psychology Software Tools, Inc. Pittsburgh, PA, USA). The input device was a standard keyboard. Electroencephalogram (EEG) data were recorded by a Neuroscan system (Neuroscan, Inc.). A Neuroscan Synamp 2 amplifier with a 64 Ag/AgCl electrode cap mounted according to the extended international 10–20 system was used to continuously record EEG data (sampling rate at 500 Hz).

", + "description_en": "

The experimental apparatus was a Lenovo computer connected to a 17-inch cathode ray tube (CRT) monitor (85-Hz refresh rates). Stimuli were presented using E-prime 2.0 software (version 2.0, Psychology Software Tools, Inc. Pittsburgh, PA, USA). The input device was a standard keyboard. Electroencephalogram (EEG) data were recorded by a Neuroscan system (Neuroscan, Inc.). A Neuroscan Synamp 2 amplifier with a 64 Ag/AgCl electrode cap mounted according to the extended international 10–20 system was used to continuously record EEG data (sampling rate at 500 Hz).

", + "description_zh": "

The experimental apparatus was a Lenovo computer connected to a 17-inch cathode ray tube (CRT) monitor (85-Hz refresh rates). Stimuli were presented using E-prime 2.0 software (version 2.0, Psychology Software Tools, Inc. Pittsburgh, PA, USA). The input device was a standard keyboard. Electroencephalogram (EEG) data were recorded by a Neuroscan system (Neuroscan, Inc.). A Neuroscan Synamp 2 amplifier with a 64 Ag/AgCl electrode cap mounted according to the extended international 10–20 system was used to continuously record EEG data (sampling rate at 500 Hz).

", + "authors": [ + { + "name_en": "Peng Liu", + "name_zh": "Peng Liu", + "email": "liupeng@nwu.edu.cn", + "affiliations": [ + { + "name_en": "Northwest University", + "name_zh": "Northwest University", + "ror_id": "https://ror.org/00y7snj24" + } + ] + } + ], + "keywords_en": [ + "motor interference effect", + "dangerous objects", + "motor inhibition", + "danger evaluation", + "theta oscillations", + "time-frequency analysis" + ], + "keywords_zh": [ + "motor interference effect", + "dangerous objects", + "motor inhibition", + "danger evaluation", + "theta oscillations", + "time-frequency analysis" + ], + "publication_date": "2022-10-08T02:36:25.636Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 3795.95, + "file_size_bytes": 3980346206, + "download_count": 83, + "visit_count": 817, + "url": "https://www.scidb.cn/en/detail?id=664ab3684e7538442ce796e9", + "source": "scidb" + }, + { + "dataset_id": "6763828ba828ad3e95fc2eca", + "doi": "10.57760/sciencedb.16868", + "cstr": "31253.11.sciencedb.16868", + "pid": "", + "title": "The representation of abstract goals in working memory is supported by task-congruent neural geometry. PLOS Biology. Zhang & Yu, 2024", + "title_en": "The representation of abstract goals in working memory is supported by task-congruent neural geometry. PLOS Biology. Zhang & Yu, 2024", + "title_zh": "The representation of abstract goals in working memory is supported by task-congruent neural geometry. PLOS Biology. Zhang & Yu, 2024", + "description": "

EEG folder contains preprocessed .fif files from 22 participants. They were processed and cleaned epoch data using the MNE package and can be read into workspace using it too. The behavoiral performance and trial information associated with the EEG experiment are stored as csv files under the save directory.


FMRI folder contains trial-wise beta maps from 21 participants. These maps were fitted for both delay periods separately. Note that they were all standardized towards MNI152 template and the subcortex is masked off. Behavioural csv files included too.

", + "description_en": "

EEG folder contains preprocessed .fif files from 22 participants. They were processed and cleaned epoch data using the MNE package and can be read into workspace using it too. The behavoiral performance and trial information associated with the EEG experiment are stored as csv files under the save directory.


FMRI folder contains trial-wise beta maps from 21 participants. These maps were fitted for both delay periods separately. Note that they were all standardized towards MNI152 template and the subcortex is masked off. Behavioural csv files included too.

", + "description_zh": "

EEG folder contains preprocessed .fif files from 22 participants. They were processed and cleaned epoch data using the MNE package and can be read into workspace using it too. The behavoiral performance and trial information associated with the EEG experiment are stored as csv files under the save directory.


FMRI folder contains trial-wise beta maps from 21 participants. These maps were fitted for both delay periods separately. Note that they were all standardized towards MNI152 template and the subcortex is masked off. Behavioural csv files included too.

", + "authors": [ + { + "name_en": "Mengya Zhang", + "name_zh": "Mengya Zhang", + "email": "zhangmengya@ion.ac.cn", + "affiliations": [ + { + "name_en": "Center for Excellence in Brain Science and Intelligence Technology", + "name_zh": "学院脑科学与智能技术卓越创新中心", + "ror_id": "https://ror.org/00vpwhm04" + } + ] + }, + { + "name_en": "Qing Yu", + "name_zh": "Qing Yu", + "email": "qingyu@ion.ac.cn", + "affiliations": [ + { + "name_en": "Center for Excellence in Brain Science and Intelligence Technology", + "name_zh": "学院脑科学与智能技术卓越创新中心", + "ror_id": "https://ror.org/00vpwhm04" + } + ] + } + ], + "keywords_en": [ + "Working Memory", + "cognitive control", + "Neuroimaging" + ], + "keywords_zh": [ + "Working Memory", + "cognitive control", + "Neuroimaging" + ], + "publication_date": "2024-11-15T06:04:50.304Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 8910.1, + "file_size_bytes": 9342915606, + "download_count": 396, + "visit_count": 579, + "url": "https://www.scidb.cn/en/detail?id=6763828ba828ad3e95fc2eca", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.580200", + "cstr": "31253.11.10.5281/zenodo.580200", + "pid": "", + "title": "Dataset: Brain negativity as an indicator of predictive error processing: The contribution of visual action effect monitoring", + "title_en": "Dataset: Brain negativity as an indicator of predictive error processing: The contribution of visual action effect monitoring", + "title_zh": "Dataset: Brain negativity as an indicator of predictive error processing: The contribution of visual action effect monitoring", + "description": "There are two files for each subject:1. sub##_error.dat -> Contains EEG Segments, that were recorded while the subject executed a clear target miss (minimal distance between the center of the ball and target > 12 cm) in the task (segment and electrode information can be found below).2. sub##_hit.dat -> Contains EEG Segments, that were recorded while the subject executed a clear target hit (minimal distance between the center of the ball and the target < 7 cm) in the task (segment and electrode information can be found below).The data in the *.dat-files are stored in a two dimensional matrix: n*1400 datapoints x 15 electrodesn represents the number of segments. 1400 datapoints per segment translate to a segment length of 2800 ms (from 600 ms before to 2200 ms after ball release). The ball´s release is located at the 301st datapoint and the feedback was presented at datapoint 726  (850 ms after ball release) in every segment.datapoints: The first dimension (rows) includes the measured neural activations in microvolts. The data is stored vectorized,i.e. hit/error #1 -> row 1 to 1400, hit/error #2 -> row 1401 to 2800, ..., hit/error #n -> (n-1) * 1400 + 1 to n * 1400electrodes: The second dimension (columns) consists of the 15 different electrodes that were used during data recording in this exact order: [F3 Fz F4 C4 Cz C3 P3 Pz P4 VEOGu VEOGo HEOGre HEOGli FCz Mastre]", + "description_en": "There are two files for each subject:1. sub##_error.dat -> Contains EEG Segments, that were recorded while the subject executed a clear target miss (minimal distance between the center of the ball and target > 12 cm) in the task (segment and electrode information can be found below).2. sub##_hit.dat -> Contains EEG Segments, that were recorded while the subject executed a clear target hit (minimal distance between the center of the ball and the target < 7 cm) in the task (segment and electrode information can be found below).The data in the *.dat-files are stored in a two dimensional matrix: n*1400 datapoints x 15 electrodesn represents the number of segments. 1400 datapoints per segment translate to a segment length of 2800 ms (from 600 ms before to 2200 ms after ball release). The ball´s release is located at the 301st datapoint and the feedback was presented at datapoint 726  (850 ms after ball release) in every segment.datapoints: The first dimension (rows) includes the measured neural activations in microvolts. The data is stored vectorized,i.e. hit/error #1 -> row 1 to 1400, hit/error #2 -> row 1401 to 2800, ..., hit/error #n -> (n-1) * 1400 + 1 to n * 1400electrodes: The second dimension (columns) consists of the 15 different electrodes that were used during data recording in this exact order: [F3 Fz F4 C4 Cz C3 P3 Pz P4 VEOGu VEOGo HEOGre HEOGli FCz Mastre]", + "description_zh": "There are two files for each subject:1. sub##_error.dat -> Contains EEG Segments, that were recorded while the subject executed a clear target miss (minimal distance between the center of the ball and target > 12 cm) in the task (segment and electrode information can be found below).2. sub##_hit.dat -> Contains EEG Segments, that were recorded while the subject executed a clear target hit (minimal distance between the center of the ball and the target < 7 cm) in the task (segment and electrode information can be found below).The data in the *.dat-files are stored in a two dimensional matrix: n*1400 datapoints x 15 electrodesn represents the number of segments. 1400 datapoints per segment translate to a segment length of 2800 ms (from 600 ms before to 2200 ms after ball release). The ball´s release is located at the 301st datapoint and the feedback was presented at datapoint 726  (850 ms after ball release) in every segment.datapoints: The first dimension (rows) includes the measured neural activations in microvolts. The data is stored vectorized,i.e. hit/error #1 -> row 1 to 1400, hit/error #2 -> row 1401 to 2800, ..., hit/error #n -> (n-1) * 1400 + 1 to n * 1400electrodes: The second dimension (columns) consists of the 15 different electrodes that were used during data recording in this exact order: [F3 Fz F4 C4 Cz C3 P3 Pz P4 VEOGu VEOGo HEOGre HEOGli FCz Mastre]", + "authors": [ + { + "name_en": "Joch M. Hegele M. Maurer H. Müller H. & Maurer L.K.", + "name_zh": "Joch M. Hegele M. Maurer H. Müller H. & Maurer L.K." + } + ], + "keywords_en": [ + "action effect monitoring", + "EEG", + "error negativity", + "ERP", + "forward model" + ], + "keywords_zh": [ + "action effect monitoring", + "EEG", + "error negativity", + "ERP", + "forward model" + ], + "publication_date": "2017-05-15T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 1419, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1237654", + "cstr": "31253.11.10.5281/zenodo.1237654", + "pid": "", + "title": "REXCO Project :Physical exercise increases overall brain oscillatory activity but does not influence inhibitory control in young adults", + "title_en": "REXCO Project :Physical exercise increases overall brain oscillatory activity but does not influence inhibitory control in young adults", + "title_zh": "REXCO Project :Physical exercise increases overall brain oscillatory activity but does not influence inhibitory control in young adults", + "description": "Methods and designParticipantsWe recruited 20 young males (19-32 years old, average age 23.8 years old) from the University of Granada (Spain). All participants met the inclusion criteria of normal or corrected to normal vision, reported no neurological, cardiovascular or musculoskeletal disorders, were taking no medication and reporting less than 3 hours of moderate exercise per week. Participants were required to maintain regular sleep-wake cycle for at least one day before each experimental session and to abstain from stimulating beverages or any intense exercise 24 hours before each session. From the 20 participants, one was excluded from the analyses because he did not attend to the last experimental session and another one because of technical issues. Thus, only data from the remaining 18 participants are reported. All subjects gave written informed consent before the study and received 20 euros for their participation. The protocol was approved in accordance with both the ethical guidelines of the University of Granada and the Declaration of Helsinki of 1964.Apparatus and materialsAll participants were fitted with a Polar RS800 CX monitor (Polar Electro Öy, Kempele, Finland) to record their heart rate (HR) during the incremental exercise test. We used a ViaSprint 150 P cycle ergometer (Ergoline GmbH, Germany) to induce physical effort and to obtain power values, and a JAEGER Master Screen gas analyser (CareFusion GmbH, Germany) to provide a measure of gas exchange during the effort test. Flanker task stimuli were presented on a 21-inch BENQ screen maintaining a fixed distance of 50 cm between the head of participants and the center of the screen. E-Prime software (Psychology Software Tools, Pittsburgh, PA, USA) was used for stimulus presentation and behavioural data collection.ProcedureParticipants completed two counterbalanced experimental sessions of approximately 120 min each. Sessions were scheduled on different days allowing a time interval of 48–72 hours between them to avoid possible fatigue and/or training effects. On each experimental session (see Fig. 1), participants completed a 15’ resting state period sitting in a comfortable chair with closed eyes. Subsequently, they performed 10’ warm-up on a cycle-ergometer at a power load of 20% of their individual VO2 VAT, following by 30’ exercise at 80% (moderate-intensity exercise session) or at 20% (light intensity exercise session) of their VO2 VAT (see Table 1). Upon completion of the exercise, a 10’ cool down period at 20% VO2 VAT of intensity followed. Each participant set his preferred cadence (between 60-90 rpm • min-1) before the warm-up and was asked to maintain this cadence throughout the session in order to match conditions in terms of dual-task demands. Later, participants waited sitting in a comfortable chair until their heart rate returned to within their 130% of heart rate at resting (average waiting time 5’ 44’’). The first flanker task was then performed for 6’, followed by a 15’ resting period with closed eyes. Finally, they again completed the 6’ flanker task.Flanker taskWe used a modified version of the Eriksen flanker task based on that reported in Eriksen and Eriksen (1974). The task consisted of a random presentation of a set arrows flanked by other arrows that faced the same or the opposite direction. In the congruent trials, the central arrow is flanked by arrows in the same direction (e.g., <<<<< or >>>>>), while in the incongruent trials, the central arrow is flanked by arrows in the opposite direction (e.g., <<><< or >><>>). Stimuli were displayed sequentially on the center of the screen on a black background. Each trial started with the presentation of a white fixation cross in a black background with random duration between 1000 and 1500 ms. Then, the stimulus was presented during 150 ms and a variable interstimulus interval (1000–1500 ms). Participants were instructed to respond by pressing the left tab button with their left index finger when the central arrow (regardless of condition) faced to the left and the right tab button with their right index finger when the central arrow faced to the right. Participants were encouraged to respond as quick as possible, being accurate. A total of 120 trials were randomly presented (60 congruent and 60 incongruent trials) in each task. Each task lasted for 6 minutes approximately without breaks.EEG recording and analysisEEG data were recorded at 1000 Hz using a 30-channel actiCHamp System (Brain Products GmbH, Munich, Germany) with active electrodes positioned according to the 10-20 EEG International System and referenced to the Cz electrode. The cap was adapted to individual head size, and each electrode was filled with Signa Electro-Gel (Parker Laboratories, Fairfield, NJ). Participants were instructed to avoid body movements as much as possible, and to keep their gaze on the center of the screen during the exercise. Electrode impedances were kept below 10 kΩ. EEG preprocessing was conducted using custom Matlab scripts and the EEGLAB (Delorme & Makeig, 2004) and Fieldtrip (Oostenveld et al., 2011) Matlab toolboxes. EEG data were resampled at 500 Hz, bandpass filtered offline from 1 and 40 Hz to remove signal drifts and line noise, and re-referenced to a common average reference. Horizontal electrooculograms (EOG) were recorded by bipolar external electrodes for the offline detection of ocular artifacts. The potential influence of electromyographic (EMG) activity in the EEG signal was minimized by using the available EEGLAB routines (Delorme & Makeig, 2004). Independent component analysis was used to detect and remove EEG components reflecting eye blinks (Hoffmann and Falkenstein, 2008). Abnormal spectra epochs which spectral power deviated from the mean by +/-50 dB in the 0-2 Hz frequency window (useful for catching eye movements) and by +25 or -100 dB in the 20-40 Hz frequency window (useful for detecting muscle activity) were rejected. On average, 5.1% of epochs per participant were rejected.Spectral power analysis. Processed EEG data from each experimental period (Resting 1, Warm-up, Exercise, Cool Down, Flanker Task 1, Resting 2, Flanker Task 2) were subsequently segmented to 1-s epochs. The spectral decomposition of each epoch was computed using Fast Fourier Transformation (FFT) applying a symmetric Hamming window and the obtained power values were averaged across experimental periods.Event-Related Spectral Perturbation (ERSP) analysis. Task-evoked spectral EEG activity was assessed by computing ERSP in epochs extending from –500 ms to 500 ms time-locked to stimulus onset for frequencies between 4 and 40 Hz. Spectral decomposition was performed using sinusoidal wavelets with 3 cycles at the lowest frequency and increasing by a factor of 0.8 with increasing frequency. Power values were normalized with respect to a −300 ms to 0 ms pre-stimulus baseline and transformed into the decibel scale.", + "description_en": "Methods and designParticipantsWe recruited 20 young males (19-32 years old, average age 23.8 years old) from the University of Granada (Spain). All participants met the inclusion criteria of normal or corrected to normal vision, reported no neurological, cardiovascular or musculoskeletal disorders, were taking no medication and reporting less than 3 hours of moderate exercise per week. Participants were required to maintain regular sleep-wake cycle for at least one day before each experimental session and to abstain from stimulating beverages or any intense exercise 24 hours before each session. From the 20 participants, one was excluded from the analyses because he did not attend to the last experimental session and another one because of technical issues. Thus, only data from the remaining 18 participants are reported. All subjects gave written informed consent before the study and received 20 euros for their participation. The protocol was approved in accordance with both the ethical guidelines of the University of Granada and the Declaration of Helsinki of 1964.Apparatus and materialsAll participants were fitted with a Polar RS800 CX monitor (Polar Electro Öy, Kempele, Finland) to record their heart rate (HR) during the incremental exercise test. We used a ViaSprint 150 P cycle ergometer (Ergoline GmbH, Germany) to induce physical effort and to obtain power values, and a JAEGER Master Screen gas analyser (CareFusion GmbH, Germany) to provide a measure of gas exchange during the effort test. Flanker task stimuli were presented on a 21-inch BENQ screen maintaining a fixed distance of 50 cm between the head of participants and the center of the screen. E-Prime software (Psychology Software Tools, Pittsburgh, PA, USA) was used for stimulus presentation and behavioural data collection.ProcedureParticipants completed two counterbalanced experimental sessions of approximately 120 min each. Sessions were scheduled on different days allowing a time interval of 48–72 hours between them to avoid possible fatigue and/or training effects. On each experimental session (see Fig. 1), participants completed a 15’ resting state period sitting in a comfortable chair with closed eyes. Subsequently, they performed 10’ warm-up on a cycle-ergometer at a power load of 20% of their individual VO2 VAT, following by 30’ exercise at 80% (moderate-intensity exercise session) or at 20% (light intensity exercise session) of their VO2 VAT (see Table 1). Upon completion of the exercise, a 10’ cool down period at 20% VO2 VAT of intensity followed. Each participant set his preferred cadence (between 60-90 rpm • min-1) before the warm-up and was asked to maintain this cadence throughout the session in order to match conditions in terms of dual-task demands. Later, participants waited sitting in a comfortable chair until their heart rate returned to within their 130% of heart rate at resting (average waiting time 5’ 44’’). The first flanker task was then performed for 6’, followed by a 15’ resting period with closed eyes. Finally, they again completed the 6’ flanker task.Flanker taskWe used a modified version of the Eriksen flanker task based on that reported in Eriksen and Eriksen (1974). The task consisted of a random presentation of a set arrows flanked by other arrows that faced the same or the opposite direction. In the congruent trials, the central arrow is flanked by arrows in the same direction (e.g., <<<<< or >>>>>), while in the incongruent trials, the central arrow is flanked by arrows in the opposite direction (e.g., <<><< or >><>>). Stimuli were displayed sequentially on the center of the screen on a black background. Each trial started with the presentation of a white fixation cross in a black background with random duration between 1000 and 1500 ms. Then, the stimulus was presented during 150 ms and a variable interstimulus interval (1000–1500 ms). Participants were instructed to respond by pressing the left tab button with their left index finger when the central arrow (regardless of condition) faced to the left and the right tab button with their right index finger when the central arrow faced to the right. Participants were encouraged to respond as quick as possible, being accurate. A total of 120 trials were randomly presented (60 congruent and 60 incongruent trials) in each task. Each task lasted for 6 minutes approximately without breaks.EEG recording and analysisEEG data were recorded at 1000 Hz using a 30-channel actiCHamp System (Brain Products GmbH, Munich, Germany) with active electrodes positioned according to the 10-20 EEG International System and referenced to the Cz electrode. The cap was adapted to individual head size, and each electrode was filled with Signa Electro-Gel (Parker Laboratories, Fairfield, NJ). Participants were instructed to avoid body movements as much as possible, and to keep their gaze on the center of the screen during the exercise. Electrode impedances were kept below 10 kΩ. EEG preprocessing was conducted using custom Matlab scripts and the EEGLAB (Delorme & Makeig, 2004) and Fieldtrip (Oostenveld et al., 2011) Matlab toolboxes. EEG data were resampled at 500 Hz, bandpass filtered offline from 1 and 40 Hz to remove signal drifts and line noise, and re-referenced to a common average reference. Horizontal electrooculograms (EOG) were recorded by bipolar external electrodes for the offline detection of ocular artifacts. The potential influence of electromyographic (EMG) activity in the EEG signal was minimized by using the available EEGLAB routines (Delorme & Makeig, 2004). Independent component analysis was used to detect and remove EEG components reflecting eye blinks (Hoffmann and Falkenstein, 2008). Abnormal spectra epochs which spectral power deviated from the mean by +/-50 dB in the 0-2 Hz frequency window (useful for catching eye movements) and by +25 or -100 dB in the 20-40 Hz frequency window (useful for detecting muscle activity) were rejected. On average, 5.1% of epochs per participant were rejected.Spectral power analysis. Processed EEG data from each experimental period (Resting 1, Warm-up, Exercise, Cool Down, Flanker Task 1, Resting 2, Flanker Task 2) were subsequently segmented to 1-s epochs. The spectral decomposition of each epoch was computed using Fast Fourier Transformation (FFT) applying a symmetric Hamming window and the obtained power values were averaged across experimental periods.Event-Related Spectral Perturbation (ERSP) analysis. Task-evoked spectral EEG activity was assessed by computing ERSP in epochs extending from –500 ms to 500 ms time-locked to stimulus onset for frequencies between 4 and 40 Hz. Spectral decomposition was performed using sinusoidal wavelets with 3 cycles at the lowest frequency and increasing by a factor of 0.8 with increasing frequency. Power values were normalized with respect to a −300 ms to 0 ms pre-stimulus baseline and transformed into the decibel scale.", + "description_zh": "Methods and designParticipantsWe recruited 20 young males (19-32 years old, average age 23.8 years old) from the University of Granada (Spain). All participants met the inclusion criteria of normal or corrected to normal vision, reported no neurological, cardiovascular or musculoskeletal disorders, were taking no medication and reporting less than 3 hours of moderate exercise per week. Participants were required to maintain regular sleep-wake cycle for at least one day before each experimental session and to abstain from stimulating beverages or any intense exercise 24 hours before each session. From the 20 participants, one was excluded from the analyses because he did not attend to the last experimental session and another one because of technical issues. Thus, only data from the remaining 18 participants are reported. All subjects gave written informed consent before the study and received 20 euros for their participation. The protocol was approved in accordance with both the ethical guidelines of the University of Granada and the Declaration of Helsinki of 1964.Apparatus and materialsAll participants were fitted with a Polar RS800 CX monitor (Polar Electro Öy, Kempele, Finland) to record their heart rate (HR) during the incremental exercise test. We used a ViaSprint 150 P cycle ergometer (Ergoline GmbH, Germany) to induce physical effort and to obtain power values, and a JAEGER Master Screen gas analyser (CareFusion GmbH, Germany) to provide a measure of gas exchange during the effort test. Flanker task stimuli were presented on a 21-inch BENQ screen maintaining a fixed distance of 50 cm between the head of participants and the center of the screen. E-Prime software (Psychology Software Tools, Pittsburgh, PA, USA) was used for stimulus presentation and behavioural data collection.ProcedureParticipants completed two counterbalanced experimental sessions of approximately 120 min each. Sessions were scheduled on different days allowing a time interval of 48–72 hours between them to avoid possible fatigue and/or training effects. On each experimental session (see Fig. 1), participants completed a 15’ resting state period sitting in a comfortable chair with closed eyes. Subsequently, they performed 10’ warm-up on a cycle-ergometer at a power load of 20% of their individual VO2 VAT, following by 30’ exercise at 80% (moderate-intensity exercise session) or at 20% (light intensity exercise session) of their VO2 VAT (see Table 1). Upon completion of the exercise, a 10’ cool down period at 20% VO2 VAT of intensity followed. Each participant set his preferred cadence (between 60-90 rpm • min-1) before the warm-up and was asked to maintain this cadence throughout the session in order to match conditions in terms of dual-task demands. Later, participants waited sitting in a comfortable chair until their heart rate returned to within their 130% of heart rate at resting (average waiting time 5’ 44’’). The first flanker task was then performed for 6’, followed by a 15’ resting period with closed eyes. Finally, they again completed the 6’ flanker task.Flanker taskWe used a modified version of the Eriksen flanker task based on that reported in Eriksen and Eriksen (1974). The task consisted of a random presentation of a set arrows flanked by other arrows that faced the same or the opposite direction. In the congruent trials, the central arrow is flanked by arrows in the same direction (e.g., <<<<< or >>>>>), while in the incongruent trials, the central arrow is flanked by arrows in the opposite direction (e.g., <<><< or >><>>). Stimuli were displayed sequentially on the center of the screen on a black background. Each trial started with the presentation of a white fixation cross in a black background with random duration between 1000 and 1500 ms. Then, the stimulus was presented during 150 ms and a variable interstimulus interval (1000–1500 ms). Participants were instructed to respond by pressing the left tab button with their left index finger when the central arrow (regardless of condition) faced to the left and the right tab button with their right index finger when the central arrow faced to the right. Participants were encouraged to respond as quick as possible, being accurate. A total of 120 trials were randomly presented (60 congruent and 60 incongruent trials) in each task. Each task lasted for 6 minutes approximately without breaks.EEG recording and analysisEEG data were recorded at 1000 Hz using a 30-channel actiCHamp System (Brain Products GmbH, Munich, Germany) with active electrodes positioned according to the 10-20 EEG International System and referenced to the Cz electrode. The cap was adapted to individual head size, and each electrode was filled with Signa Electro-Gel (Parker Laboratories, Fairfield, NJ). Participants were instructed to avoid body movements as much as possible, and to keep their gaze on the center of the screen during the exercise. Electrode impedances were kept below 10 kΩ. EEG preprocessing was conducted using custom Matlab scripts and the EEGLAB (Delorme & Makeig, 2004) and Fieldtrip (Oostenveld et al., 2011) Matlab toolboxes. EEG data were resampled at 500 Hz, bandpass filtered offline from 1 and 40 Hz to remove signal drifts and line noise, and re-referenced to a common average reference. Horizontal electrooculograms (EOG) were recorded by bipolar external electrodes for the offline detection of ocular artifacts. The potential influence of electromyographic (EMG) activity in the EEG signal was minimized by using the available EEGLAB routines (Delorme & Makeig, 2004). Independent component analysis was used to detect and remove EEG components reflecting eye blinks (Hoffmann and Falkenstein, 2008). Abnormal spectra epochs which spectral power deviated from the mean by +/-50 dB in the 0-2 Hz frequency window (useful for catching eye movements) and by +25 or -100 dB in the 20-40 Hz frequency window (useful for detecting muscle activity) were rejected. On average, 5.1% of epochs per participant were rejected.Spectral power analysis. Processed EEG data from each experimental period (Resting 1, Warm-up, Exercise, Cool Down, Flanker Task 1, Resting 2, Flanker Task 2) were subsequently segmented to 1-s epochs. The spectral decomposition of each epoch was computed using Fast Fourier Transformation (FFT) applying a symmetric Hamming window and the obtained power values were averaged across experimental periods.Event-Related Spectral Perturbation (ERSP) analysis. Task-evoked spectral EEG activity was assessed by computing ERSP in epochs extending from –500 ms to 500 ms time-locked to stimulus onset for frequencies between 4 and 40 Hz. Spectral decomposition was performed using sinusoidal wavelets with 3 cycles at the lowest frequency and increasing by a factor of 0.8 with increasing frequency. Power values were normalized with respect to a −300 ms to 0 ms pre-stimulus baseline and transformed into the decibel scale.", + "authors": [ + { + "name_en": "Ciria Luis F.", + "name_zh": "Ciria Luis F." + }, + { + "name_en": "Perakakis Pandelis", + "name_zh": "Perakakis Pandelis" + }, + { + "name_en": "Luque-Casado Antonio", + "name_zh": "Luque-Casado Antonio" + }, + { + "name_en": "Sanabria Daniel", + "name_zh": "Sanabria Daniel" + } + ], + "keywords_en": [ + "EEG", + "Physical exercise", + "Inhibitory control", + "Cognition" + ], + "keywords_zh": [ + "EEG", + "Physical exercise", + "Inhibitory control", + "Cognition" + ], + "publication_date": "2018-04-29T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 367.28, + "file_size_bytes": 385120800, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4752462", + "cstr": "31253.11.10.5281/zenodo.4752462", + "pid": "", + "title": "Infurcitinea nigropluviella", + "title_en": "Infurcitinea nigropluviella", + "title_zh": "Infurcitinea nigropluviella", + "description": "Infurcitinea nigropluviella (WALSINGHAM, 1907) Material: Iran: 1 , Fars, 10 km S Deh Bid, 2000 m, 14.vi.1996, leg. R. LINNAVUORI; FMNH. First record from Central Asia, previously known from Northern Africa (Tunisia, Algeria), from Greece, Cyprus, and from Turkey.", + "description_en": "Infurcitinea nigropluviella (WALSINGHAM, 1907) Material: Iran: 1 , Fars, 10 km S Deh Bid, 2000 m, 14.vi.1996, leg. R. LINNAVUORI; FMNH. First record from Central Asia, previously known from Northern Africa (Tunisia, Algeria), from Greece, Cyprus, and from Turkey.", + "description_zh": "Infurcitinea nigropluviella (WALSINGHAM, 1907) Material: Iran: 1 , Fars, 10 km S Deh Bid, 2000 m, 14.vi.1996, leg. R. LINNAVUORI; FMNH. First record from Central Asia, previously known from Northern Africa (Tunisia, Algeria), from Greece, Cyprus, and from Turkey.", + "authors": [ + { + "name_en": "Gaedike, Reinhard", + "name_zh": "Gaedike, Reinhard" + } + ], + "keywords_en": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Arthropoda", + "Insecta", + "Lepidoptera", + "Tineidae", + "Infurcitinea", + "Infurcitinea nigropluviella" + ], + "keywords_zh": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Arthropoda", + "Insecta", + "Lepidoptera", + "Tineidae", + "Infurcitinea", + "Infurcitinea nigropluviella" + ], + "publication_date": 1320854400, + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.0, + "file_size_bytes": 649, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.57911", + "cstr": "", + "pid": "", + "title": "Data files related to the article \"Different meditation practices share the same neuronal correlates: increased gamma brainwave amplitude compared to control", + "title_en": "Data files related to the article \"Different meditation practices share the same neuronal correlates: increased gamma brainwave amplitude compared to control", + "title_zh": "Data files related to the article \"Different meditation practices share the same neuronal correlates: increased gamma brainwave amplitude compared to control", + "description": "Files description:- EEG datasets: the EEG data preprocessed in EEGLAB format- chanlocs.mat: contains channel characteristics for the study / used to plot topographical maps of the data - 60110Hz_spec_data_imw_medit_combined.mat : contains spectrum data between 60 and 110 Hz for all 4 groups of subjects in combined instructed mind-wandering and meditation condition - 60110Hz_spec_data_medit.mat : contains spectrum data between 60 and 110 Hz for all 4 groups of subjects in meditation condition - 711Hz_spec_data_medit: contains spectrum data between 7 and 11 Hz for  each group in meditation condition- boxplot_gamma.csv and boxplot_alpha.csv :  median spectrum in the gamma and alpha ranged used to generate figure 4 B and 6 B- R_code_boxplot.r : code to generate boxplot using boxplot_gamma or boxplot_alpha.csv files", + "description_en": "Files description:- EEG datasets: the EEG data preprocessed in EEGLAB format- chanlocs.mat: contains channel characteristics for the study / used to plot topographical maps of the data - 60110Hz_spec_data_imw_medit_combined.mat : contains spectrum data between 60 and 110 Hz for all 4 groups of subjects in combined instructed mind-wandering and meditation condition - 60110Hz_spec_data_medit.mat : contains spectrum data between 60 and 110 Hz for all 4 groups of subjects in meditation condition - 711Hz_spec_data_medit: contains spectrum data between 7 and 11 Hz for  each group in meditation condition- boxplot_gamma.csv and boxplot_alpha.csv :  median spectrum in the gamma and alpha ranged used to generate figure 4 B and 6 B- R_code_boxplot.r : code to generate boxplot using boxplot_gamma or boxplot_alpha.csv files", + "description_zh": "Files description:- EEG datasets: the EEG data preprocessed in EEGLAB format- chanlocs.mat: contains channel characteristics for the study / used to plot topographical maps of the data - 60110Hz_spec_data_imw_medit_combined.mat : contains spectrum data between 60 and 110 Hz for all 4 groups of subjects in combined instructed mind-wandering and meditation condition - 60110Hz_spec_data_medit.mat : contains spectrum data between 60 and 110 Hz for all 4 groups of subjects in meditation condition - 711Hz_spec_data_medit: contains spectrum data between 7 and 11 Hz for  each group in meditation condition- boxplot_gamma.csv and boxplot_alpha.csv :  median spectrum in the gamma and alpha ranged used to generate figure 4 B and 6 B- R_code_boxplot.r : code to generate boxplot using boxplot_gamma or boxplot_alpha.csv files", + "authors": [ + { + "name_en": "Braboszcz Claire", + "name_zh": "Braboszcz Claire" + }, + { + "name_en": "Cahn B. Rael", + "name_zh": "Cahn B. Rael" + }, + { + "name_en": "Levi Jonathan", + "name_zh": "Levi Jonathan" + }, + { + "name_en": "Fernandez Manuel", + "name_zh": "Fernandez Manuel" + }, + { + "name_en": "Delorme Arnaud", + "name_zh": "Delorme Arnaud" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2016-07-13T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 5504, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "66294b1b3e08f2716205c9ad", + "doi": "10.57760/sciencedb.18384", + "cstr": "31253.11.sciencedb.18384", + "pid": "", + "title": "Prestimulus power and phase of α and β predict discrimination accuracy and visual awareness", + "title_en": "Prestimulus power and phase of α and β predict discrimination accuracy and visual awareness", + "title_zh": "刺激前α频段以及β频段的能量与相位对辨别准确性以及视觉意识的预测作用", + "description": "

The experimental material was a low-contrast sinusoidal Gabor patch at the threshold level, tilted 45° vertically to the left or right. Michelson contrast ratios are 0.01, 0.02, and 0.03, respectively (Michelson contrast is calculated by the brightest brightness minus the darkest brightness divided by the sum of the two), and the presentation time and contrast are determined in the measurement threshold stage. The experimental materials were made from online-gabor-patch-generator. The background brightness of all these types of stimuli was 22cd/m2. The experiment was divided into two phases. The first stage was to determine the threshold and familiarizing participant with the experimental procedure. In the second stage, participants performed discrimination tasks while recording EEG. EEG data were collected using the Curry7 software produced by NeuroScan, and EEG recording was performed by participants wearing an extended international 10-20 system 64 electrode cap. When recording online, the center electrode of the forehead was grounded (located at the midpoint of the FCZ and FX connections), and the overhead electrode was a reference electrode. The sampling rate was 1000Hz in DC mode. Electrodes were placed outside both eyes to record horizontal eye electricity (HEOG) and above and below the left eye to record vertical eye electricity (VEOG). The resistance was kept below 10kΩ.

", + "description_en": "

The experimental material was a low-contrast sinusoidal Gabor patch at the threshold level, tilted 45° vertically to the left or right. Michelson contrast ratios are 0.01, 0.02, and 0.03, respectively (Michelson contrast is calculated by the brightest brightness minus the darkest brightness divided by the sum of the two), and the presentation time and contrast are determined in the measurement threshold stage. The experimental materials were made from online-gabor-patch-generator. The background brightness of all these types of stimuli was 22cd/m2. The experiment was divided into two phases. The first stage was to determine the threshold and familiarizing participant with the experimental procedure. In the second stage, participants performed discrimination tasks while recording EEG. EEG data were collected using the Curry7 software produced by NeuroScan, and EEG recording was performed by participants wearing an extended international 10-20 system 64 electrode cap. When recording online, the center electrode of the forehead was grounded (located at the midpoint of the FCZ and FX connections), and the overhead electrode was a reference electrode. The sampling rate was 1000Hz in DC mode. Electrodes were placed outside both eyes to record horizontal eye electricity (HEOG) and above and below the left eye to record vertical eye electricity (VEOG). The resistance was kept below 10kΩ.

", + "description_zh": "

实验材料为处于阈限水平的低对比度正弦曲线Gabor patch,垂直向左或者向右倾斜45°。迈克尔逊对比度分别为0.01,0.02和0.03(迈克尔逊对比度计算方法:最亮的亮度减去最暗的亮度除以二者之和),呈现时间和对比度在测定阈限阶段进行确定。实验材料制作来自online-gabor-patch-generator。所有这些类型刺激的背景亮度均为22cd/m2。该实验分为两个阶段。第一阶段是阈值测定并让被试熟悉实验流程。第二阶段被试在记录脑电图的同时执行辨别任务。使用NeuroScan公司生产的Curry7软件采集脑电数据,被试佩戴国际10-20系统扩展的64导电极帽进行EEG记录。在线记录时前额中央电极接地(位于在FCZ和FX连线的中点上),头顶电极为参考电极。采样率为1000Hz,DC模式采样。在双眼的外侧位置安置电极对记录水平眼电(HEOG),左眼上下位置安置电极记录垂直眼电(VEOG),电阻保持在10kΩ以下。

", + "authors": [ + { + "name_en": "li xiao xiao", + "name_zh": "李笑笑", + "email": "1421269185@qq.com", + "affiliations": [ + { + "name_en": "Tianjin Normal University", + "name_zh": "天津师范大学", + "ror_id": "https://ror.org/05x2td559" + } + ] + } + ], + "keywords_en": [ + "alpha", + "beta", + "visual awareness", + "discrimination task" + ], + "keywords_zh": [ + "α频段", + "β频段", + "视觉意识", + "辨别任务" + ], + "publication_date": "2024-06-14T05:51:10.878Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 25288.26, + "file_size_bytes": 26516661632, + "download_count": 7, + "visit_count": 88, + "url": "https://www.scidb.cn/en/detail?id=66294b1b3e08f2716205c9ad", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4500933", + "cstr": "", + "pid": "", + "title": "Distinct brain networks involved in placebo analgesia between individuals with or without prior experience with opioids", + "title_en": "Distinct brain networks involved in placebo analgesia between individuals with or without prior experience with opioids", + "title_zh": "Distinct brain networks involved in placebo analgesia between individuals with or without prior experience with opioids", + "description": "ABSTACTPlacebo analgesia is defined as a psychobiological phenomenon triggered by the information surrounding an antalgic drug instead of its inherent pharmacological properties. Placebo analgesia is hypothesized to be formed through either verbal suggestions or conditioning. The present study aims at disentangling the neural correlates of expectations effects with or without conditioning through prior experience using the model of placebo analgesia.We will address this question by recruiting two groups of individuals holding comparable verbally-induced expectations regarding morphine analgesia but either (i) with or (ii) without prior experience with opioids. We will then contrast the two groups’ neurocognitive response to acute heat-pain induction following the injection of sham morphine using electroencephalography (EEG). Topographic ERP analyses of the N2 and P2 pain evoked potential components will allow to test the hypothesis that placebo analgesia involves distinct neural networks when induced by expectations with or without prior experience.", + "description_en": "ABSTACTPlacebo analgesia is defined as a psychobiological phenomenon triggered by the information surrounding an antalgic drug instead of its inherent pharmacological properties. Placebo analgesia is hypothesized to be formed through either verbal suggestions or conditioning. The present study aims at disentangling the neural correlates of expectations effects with or without conditioning through prior experience using the model of placebo analgesia.We will address this question by recruiting two groups of individuals holding comparable verbally-induced expectations regarding morphine analgesia but either (i) with or (ii) without prior experience with opioids. We will then contrast the two groups’ neurocognitive response to acute heat-pain induction following the injection of sham morphine using electroencephalography (EEG). Topographic ERP analyses of the N2 and P2 pain evoked potential components will allow to test the hypothesis that placebo analgesia involves distinct neural networks when induced by expectations with or without prior experience.", + "description_zh": "ABSTACTPlacebo analgesia is defined as a psychobiological phenomenon triggered by the information surrounding an antalgic drug instead of its inherent pharmacological properties. Placebo analgesia is hypothesized to be formed through either verbal suggestions or conditioning. The present study aims at disentangling the neural correlates of expectations effects with or without conditioning through prior experience using the model of placebo analgesia.We will address this question by recruiting two groups of individuals holding comparable verbally-induced expectations regarding morphine analgesia but either (i) with or (ii) without prior experience with opioids. We will then contrast the two groups’ neurocognitive response to acute heat-pain induction following the injection of sham morphine using electroencephalography (EEG). Topographic ERP analyses of the N2 and P2 pain evoked potential components will allow to test the hypothesis that placebo analgesia involves distinct neural networks when induced by expectations with or without prior experience.", + "authors": [ + { + "name_en": "Wicht Corentin Aurèle", + "name_zh": "Wicht Corentin Aurèle" + }, + { + "name_en": "Mouthon Michael", + "name_zh": "Mouthon Michael" + }, + { + "name_en": "Nsimire Chabwine Joelle", + "name_zh": "Nsimire Chabwine Joelle" + }, + { + "name_en": "Gaab Jens", + "name_zh": "Gaab Jens" + }, + { + "name_en": "Spierer Lucas", + "name_zh": "Spierer Lucas" + } + ], + "keywords_en": [ + "Placebo", + "Pain", + "Expectations", + "EEG", + "ERP topography" + ], + "keywords_zh": [ + "Placebo", + "Pain", + "Expectations", + "EEG", + "ERP topography" + ], + "publication_date": "2021-12-05T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 3084, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5061/dryad.12jm63xwd", + "cstr": "", + "pid": "", + "title": "Exposing distinct subcortical components of the auditory brainstem response evoked by continuous naturalistic speech", + "title_en": "Exposing distinct subcortical components of the auditory brainstem response evoked by continuous naturalistic speech", + "title_zh": "Exposing distinct subcortical components of the auditory brainstem response evoked by continuous naturalistic speech", + "description": "Speech processing is built upon encoding by the auditory nerve and brainstem, yet we know very little about how these processes unfold in specific subcortical structures. These structures are deep and respond quickly, making them difficult to study during ongoing speech. Recent techniques begin to address this problem, but yield temporally broad responses with consequently ambiguous neural origins. Here we describe a method that pairs re-synthesized 'peaky' speech with deconvolution analysis of EEG recordings. We show that in adults with normal hearing, the method quickly yields robust responses whose component waves reflect activity from distinct subcortical structures spanning auditory nerve to rostral brainstem. We further demonstrate the versatility of peaky speech by simultaneously measuring bilateral and ear-specific responses across different frequency bands, and discuss important practical considerations such as talker choice. The peaky speech method holds promise as a tool for investigating speech encoding and processing, and for clinical applications.", + "description_en": "Speech processing is built upon encoding by the auditory nerve and brainstem, yet we know very little about how these processes unfold in specific subcortical structures. These structures are deep and respond quickly, making them difficult to study during ongoing speech. Recent techniques begin to address this problem, but yield temporally broad responses with consequently ambiguous neural origins. Here we describe a method that pairs re-synthesized 'peaky' speech with deconvolution analysis of EEG recordings. We show that in adults with normal hearing, the method quickly yields robust responses whose component waves reflect activity from distinct subcortical structures spanning auditory nerve to rostral brainstem. We further demonstrate the versatility of peaky speech by simultaneously measuring bilateral and ear-specific responses across different frequency bands, and discuss important practical considerations such as talker choice. The peaky speech method holds promise as a tool for investigating speech encoding and processing, and for clinical applications.", + "description_zh": "Speech processing is built upon encoding by the auditory nerve and brainstem, yet we know very little about how these processes unfold in specific subcortical structures. These structures are deep and respond quickly, making them difficult to study during ongoing speech. Recent techniques begin to address this problem, but yield temporally broad responses with consequently ambiguous neural origins. Here we describe a method that pairs re-synthesized 'peaky' speech with deconvolution analysis of EEG recordings. We show that in adults with normal hearing, the method quickly yields robust responses whose component waves reflect activity from distinct subcortical structures spanning auditory nerve to rostral brainstem. We further demonstrate the versatility of peaky speech by simultaneously measuring bilateral and ear-specific responses across different frequency bands, and discuss important practical considerations such as talker choice. The peaky speech method holds promise as a tool for investigating speech encoding and processing, and for clinical applications.", + "authors": [ + { + "name_en": "Polonenko Melissa J", + "name_zh": "Polonenko Melissa J" + }, + { + "name_en": "Maddox Ross K", + "name_zh": "Maddox Ross K" + } + ], + "keywords_en": [ + "Auditory Brainstem Responses", + "natural speech", + "auditory evoked potentials", + "Electroencephalography (EEG)", + "auditory speech processing" + ], + "keywords_zh": [ + "Auditory Brainstem Responses", + "natural speech", + "auditory evoked potentials", + "Electroencephalography (EEG)", + "auditory speech processing" + ], + "publication_date": "2021-02-28T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.01, + "file_size_bytes": 6535, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5061/dryad.00000002t", + "cstr": "31253.11.10.5061/dryad.00000002t", + "pid": "", + "title": "Data for: Analogous computations in working memory input, output and motor gating: Electrophysiological and computational modeling evidence", + "title_en": "Data for: Analogous computations in working memory input, output and motor gating: Electrophysiological and computational modeling evidence", + "title_zh": "Data for: Analogous computations in working memory input, output and motor gating: Electrophysiological and computational modeling evidence", + "description": "Adaptive cognitive-control is achieved through a hierarchical cortico-striatal gating system that supports selective updating, maintenance, and retrieval of useful cognitive and motor information. Here, we developed a novel task that independently manipulated selective gating operations of working-memory (input), from working-memory (output), and in response (motor) and tested the neural dynamics and computational principles that support them. Increases in gating demands, captured by gate switches, were expressed by distinct EEG correlates at each gating level that evolved dynamically in partially overlapping time windows. EEG decoding analysis further showed that neural indexes of working-memory (category) and motor (action) representations were prioritized particularly when the corresponding gate was switching. Finally, the control mechanisms involved in gate switches were quantified by the drift diffusion model, showing elevated motor decision threshold in all gating levels. Together these results support the notion that cognitive gating operations scaffold on top of mechanisms involved in motor gating.", + "description_en": "Adaptive cognitive-control is achieved through a hierarchical cortico-striatal gating system that supports selective updating, maintenance, and retrieval of useful cognitive and motor information. Here, we developed a novel task that independently manipulated selective gating operations of working-memory (input), from working-memory (output), and in response (motor) and tested the neural dynamics and computational principles that support them. Increases in gating demands, captured by gate switches, were expressed by distinct EEG correlates at each gating level that evolved dynamically in partially overlapping time windows. EEG decoding analysis further showed that neural indexes of working-memory (category) and motor (action) representations were prioritized particularly when the corresponding gate was switching. Finally, the control mechanisms involved in gate switches were quantified by the drift diffusion model, showing elevated motor decision threshold in all gating levels. Together these results support the notion that cognitive gating operations scaffold on top of mechanisms involved in motor gating.", + "description_zh": "Adaptive cognitive-control is achieved through a hierarchical cortico-striatal gating system that supports selective updating, maintenance, and retrieval of useful cognitive and motor information. Here, we developed a novel task that independently manipulated selective gating operations of working-memory (input), from working-memory (output), and in response (motor) and tested the neural dynamics and computational principles that support them. Increases in gating demands, captured by gate switches, were expressed by distinct EEG correlates at each gating level that evolved dynamically in partially overlapping time windows. EEG decoding analysis further showed that neural indexes of working-memory (category) and motor (action) representations were prioritized particularly when the corresponding gate was switching. Finally, the control mechanisms involved in gate switches were quantified by the drift diffusion model, showing elevated motor decision threshold in all gating levels. Together these results support the notion that cognitive gating operations scaffold on top of mechanisms involved in motor gating.", + "authors": [ + { + "name_en": "Ratz-Lubashevsky Rachel", + "name_zh": "Ratz-Lubashevsky Rachel" + }, + { + "name_en": "Frank Michael", + "name_zh": "Frank Michael" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2021-03-24T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.11, + "file_size_bytes": 114197, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "6625e67fc70b375c9c533d59", + "doi": "10.57760/sciencedb.18277", + "cstr": "31253.11.sciencedb.18277", + "pid": "", + "title": "Electrophysiological study of social anxiety levels on eye-cue processing in the Trust Game paradigm", + "title_en": "Electrophysiological study of social anxiety levels on eye-cue processing in the Trust Game paradigm", + "title_zh": "信任博弈范式下社交焦虑水平对眼部线索加工的脑电研究数据集", + "description": "

This dataset contains behavioral and electrophysiological data from individuals with different levels of social anxiety using eye cue materials in a trust game paradigm. This study adopts the trust game paradigm and event related potential technology to explore the temporal characteristics of eye cue processing among college students with different levels of social anxiety. The dataset consists of three files, namely (1) behavioral results: the behavioral data results of the subjects, and (2) EEG date: the EEG raw data of the subjects. File (1) presents the behavioral data results of the subjects, including 8 horizontal rows and 469 vertical columns. In the first row, list the anxiety level groups of the subjects (high anxiety group and low anxiety group), subject numbers, eye cue conditions (all conditions, direct anger, strabismus anger, direct sadness, strabismus sadness, direct calm, strabismus calm, direct happiness, and strabismus pleasure), number of investments (i.e. the number of times the subjects choose to trust), number of reservations (i.e. the number of times they choose not to trust), total (the total number of choices made by the subjects in the experiment), reaction time, and trust rate (calculated as investment/total). The EEG date in file (2) is the raw electrophysiological data for the experiment. There are a total of 156 projects in the document. The items starting with H are participants in the high social anxiety group, and the items starting with L are participants in the low social anxiety group. 

", + "description_en": "

This dataset contains behavioral and electrophysiological data from individuals with different levels of social anxiety using eye cue materials in a trust game paradigm. This study adopts the trust game paradigm and event related potential technology to explore the temporal characteristics of eye cue processing among college students with different levels of social anxiety. The dataset consists of three files, namely (1) behavioral results: the behavioral data results of the subjects, and (2) EEG date: the EEG raw data of the subjects. File (1) presents the behavioral data results of the subjects, including 8 horizontal rows and 469 vertical columns. In the first row, list the anxiety level groups of the subjects (high anxiety group and low anxiety group), subject numbers, eye cue conditions (all conditions, direct anger, strabismus anger, direct sadness, strabismus sadness, direct calm, strabismus calm, direct happiness, and strabismus pleasure), number of investments (i.e. the number of times the subjects choose to trust), number of reservations (i.e. the number of times they choose not to trust), total (the total number of choices made by the subjects in the experiment), reaction time, and trust rate (calculated as investment/total). The EEG date in file (2) is the raw electrophysiological data for the experiment. There are a total of 156 projects in the document. The items starting with H are participants in the high social anxiety group, and the items starting with L are participants in the low social anxiety group. 

", + "description_zh": "

\t该数据集是在不同水平社交焦虑水平个体中使用眼部线索材料在信任博弈范式下进行实验的行为和电生理学数据。本研究采用信任博弈范式和事件相关电位技术,探索了不同社交焦虑水平大学生在眼部线索处理上的时间特征。数据集包括三个文件,分别是(1)行为结果:被试的行为数据结果和(2)脑电数据:被试的EEG原始数据。

\t文件(1)行为结果呈现的是被试的行为数据结果,包含8横行和469竖列。在第一横行中列明了被试的焦虑水平分组(高焦虑组和低焦虑组)、被试编号、眼部线索条件(所有条件、直视愤怒、斜视愤怒、直视悲伤、斜视悲伤、直视平静、斜视平静、直视快乐、斜视快乐)、投资数(即被试选择信任的次数)、保留数(即被试选择不信任的次数)、总计(被试在实验中做出的选择总数)、反应时和信任率(计算方法为投资数/总计)。

\t文件(2)脑电数据为实验的电生理原始数据。文件中共156个项目。其中H开头的项目为高社交焦虑组的被试,L开头的为低社交焦虑组的被试。

", + "authors": [ + { + "name_en": "Yan Zhixiong", + "name_zh": "Yan Zhixiong", + "email": "yanzx@nnnu.edu.cn", + "affiliations": [ + { + "name_en": "Nanning Normal University", + "name_zh": "Nanning Normal University", + "ror_id": "sdb_custom" + } + ] + } + ], + "keywords_en": [ + "social anxiety levels", + "eye-cue processing", + "Trust Game paradigm" + ], + "keywords_zh": [ + "ERP", + "社交焦虑", + "信任游戏" + ], + "publication_date": "2024-04-23T08:43:08.074Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-ND 4.0", + "file_size_mb": 11655.55, + "file_size_bytes": 12221734939, + "download_count": 27, + "visit_count": 350, + "url": "https://www.scidb.cn/en/detail?id=6625e67fc70b375c9c533d59", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4421252", + "cstr": "", + "pid": "", + "title": "The exercise paradox: Avoiding physical inactivity stimuli requires higher response inhibition", + "title_en": "The exercise paradox: Avoiding physical inactivity stimuli requires higher response inhibition", + "title_zh": "The exercise paradox: Avoiding physical inactivity stimuli requires higher response inhibition", + "description": "Dataset related to the paper on Response inhibition to physical inactivity stimuli using go/no-go tasks. This dataset includes:1) A codebook (including the name of the main variables)--> "code_book_Go_noGo_Miller.xlsx"2) Raw data of the behavioral outcomes (i.e., reaction times) of the affective go/no-go task--> "corrected.behavioral.data.csv"--> "correct_Order.csv"3) Self-reported data --> "Self_report_data.csv"3) EEG data --> "gng_data"5) R script for the data management (i.e., from the raw data to data ready to be analyzed)--> "Data_management_Self_report_go_no_go_Miller.R" for the self-reported data (return the file: "Data_SR_final.RData")--> "Data_management_behav_go_no_go_Miller.R" for the behavioral outcomes (return the file: "Data_GNG_behav.RData")--> Data ready to be analyzed "Data_GNG_final_all.RData"6) Eprime script for the affective go/no-go task ("Go_no_go_task.zip")--> Images depicting physical activity and physical inactivity stimuli were kindly Share by Kullmann et al. (2014)7) R script for the models tested--> "Models_GoNogo_Miller_VZenodo.R" for behavioral data--> "Models_EEG_GoNogo.R" for EEG data", + "description_en": "Dataset related to the paper on Response inhibition to physical inactivity stimuli using go/no-go tasks. This dataset includes:1) A codebook (including the name of the main variables)--> "code_book_Go_noGo_Miller.xlsx"2) Raw data of the behavioral outcomes (i.e., reaction times) of the affective go/no-go task--> "corrected.behavioral.data.csv"--> "correct_Order.csv"3) Self-reported data --> "Self_report_data.csv"3) EEG data --> "gng_data"5) R script for the data management (i.e., from the raw data to data ready to be analyzed)--> "Data_management_Self_report_go_no_go_Miller.R" for the self-reported data (return the file: "Data_SR_final.RData")--> "Data_management_behav_go_no_go_Miller.R" for the behavioral outcomes (return the file: "Data_GNG_behav.RData")--> Data ready to be analyzed "Data_GNG_final_all.RData"6) Eprime script for the affective go/no-go task ("Go_no_go_task.zip")--> Images depicting physical activity and physical inactivity stimuli were kindly Share by Kullmann et al. (2014)7) R script for the models tested--> "Models_GoNogo_Miller_VZenodo.R" for behavioral data--> "Models_EEG_GoNogo.R" for EEG data", + "description_zh": "Dataset related to the paper on Response inhibition to physical inactivity stimuli using go/no-go tasks. This dataset includes:1) A codebook (including the name of the main variables)--> "code_book_Go_noGo_Miller.xlsx"2) Raw data of the behavioral outcomes (i.e., reaction times) of the affective go/no-go task--> "corrected.behavioral.data.csv"--> "correct_Order.csv"3) Self-reported data --> "Self_report_data.csv"3) EEG data --> "gng_data"5) R script for the data management (i.e., from the raw data to data ready to be analyzed)--> "Data_management_Self_report_go_no_go_Miller.R" for the self-reported data (return the file: "Data_SR_final.RData")--> "Data_management_behav_go_no_go_Miller.R" for the behavioral outcomes (return the file: "Data_GNG_behav.RData")--> Data ready to be analyzed "Data_GNG_final_all.RData"6) Eprime script for the affective go/no-go task ("Go_no_go_task.zip")--> Images depicting physical activity and physical inactivity stimuli were kindly Share by Kullmann et al. (2014)7) R script for the models tested--> "Models_GoNogo_Miller_VZenodo.R" for behavioral data--> "Models_EEG_GoNogo.R" for EEG data", + "authors": [ + { + "name_en": "Cheval Boris", + "name_zh": "Cheval Boris" + }, + { + "name_en": "Daou Marcos", + "name_zh": "Daou Marcos" + }, + { + "name_en": "Cabral Daniel A.R.", + "name_zh": "Cabral Daniel A.R." + }, + { + "name_en": "Bacelar Mariane F.B.", + "name_zh": "Bacelar Mariane F.B." + }, + { + "name_en": "Parma Juliana O.", + "name_zh": "Parma Juliana O." + }, + { + "name_en": "Forestier Cyril", + "name_zh": "Forestier Cyril" + }, + { + "name_en": "Sander David", + "name_zh": "Sander David" + }, + { + "name_en": "Boisgontier Matthieu P.", + "name_zh": "Boisgontier Matthieu P." + }, + { + "name_en": "Miller Matthew W.", + "name_zh": "Miller Matthew W." + } + ], + "keywords_en": [ + "Response inhibition", + "inhibitory control", + "go/no-go", + "energetic cost minimization", + "physical activity" + ], + "keywords_zh": [ + "Response inhibition", + "inhibitory control", + "go/no-go", + "energetic cost minimization", + "physical activity" + ], + "publication_date": "2020-02-13T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 11063, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "66682fe23aa61811b16959af", + "doi": "10.57760/sciencedb.08504", + "cstr": "31253.11.sciencedb.08504", + "pid": "", + "title": "Prestimulus power and phase of α and β predict visual awareness under high and low expectation", + "title_en": "Prestimulus power and phase of α and β predict visual awareness under high and low expectation", + "title_zh": "高低预期条件下,刺激前α以及β频段的能量与相位对视觉意识的预测作用", + "description": "

The experimental material was sinusoidal Gabor patch, with a Michelson contrast of 0.03, tilted either 45° to the left or right vertically. The blank stimulus was the no-target. The experimental materials were made from the online-gabor-patch-generator. The background brightness of all these types of stimuli was 22 cd/m². The probability of stimulus presentation was manipulated to present high or low expectations, with a high expectation of 75% stimulus appearance and a low expectation of 25% stimulus appearance. The proportion of stimulus appearance in each block was informed to the participants before the experiment. The experiment was conducted in a quiet, dimly lit EEG laboratory. The experimental stimuli were presented using E-Prime 2.0 software on a screen with a resolution of 1024x768 pixels and a refresh rate of 60 Hz (1 refresh cycle was approximately 17 ms). The participants were approximately 80cm away from the screen. EEG data were recorded using Curry7 software produced by NeuroScan, and the participants wore a 64-electrode cap based on the international 10-20 system. The frontal central electrode was grounded (located at the midpoint of the FCZ and FX line) and the top electrode was the reference electrode. The sampling rate was 1000 Hz in DC mode. Electrodes were placed on either side of the eyes to record horizontal eye movement (HEOG), and electrodes were placed above and below the left eye to record vertical eye movement (VEOG), with a resistance of less than 10 kΩ.

", + "description_en": "

The experimental material was sinusoidal Gabor patch, with a Michelson contrast of 0.03, tilted either 45° to the left or right vertically. The blank stimulus was the no-target. The experimental materials were made from the online-gabor-patch-generator. The background brightness of all these types of stimuli was 22 cd/m². The probability of stimulus presentation was manipulated to present high or low expectations, with a high expectation of 75% stimulus appearance and a low expectation of 25% stimulus appearance. The proportion of stimulus appearance in each block was informed to the participants before the experiment. The experiment was conducted in a quiet, dimly lit EEG laboratory. The experimental stimuli were presented using E-Prime 2.0 software on a screen with a resolution of 1024x768 pixels and a refresh rate of 60 Hz (1 refresh cycle was approximately 17 ms). The participants were approximately 80cm away from the screen. EEG data were recorded using Curry7 software produced by NeuroScan, and the participants wore a 64-electrode cap based on the international 10-20 system. The frontal central electrode was grounded (located at the midpoint of the FCZ and FX line) and the top electrode was the reference electrode. The sampling rate was 1000 Hz in DC mode. Electrodes were placed on either side of the eyes to record horizontal eye movement (HEOG), and electrodes were placed above and below the left eye to record vertical eye movement (VEOG), with a resistance of less than 10 kΩ.

", + "description_zh": "

实验材料为正弦曲线Gabor patch,迈克尔逊对比度为0.03,垂直向左或者向右倾斜45°。空白刺激即为无目标刺激。实验材料制作来自online-gabor-patch-generator。所有这些类型刺激的背景亮度均为22cd/m2。通过操纵刺激出现的概率来呈现高低预期,高预期为刺激出现的比例为75%,低预期为刺激出现的比例为25%,实验每个block前会告知被试刺激出现的比例。实验在安静昏暗的EEG实验室内进行。实验刺激在E-Prime 2.0软件中呈现。屏幕的分辨率为1024x768像素,屏幕刷新率为60Hz(1个刷新周期约为17ms)。被试距离屏幕80cm左右。使用NeuroScan公司生产的Curry7软件采集脑电数据,被试佩戴国际10-20系统扩展的64导电极帽进行EEG记录。在线记录时前额中央电极接地(位于在FCZ和FX连线的中点上),头顶电极为参考电极。采样率为1000Hz,DC模式采样。在双眼的外侧位置安置电极对记录水平眼电(HEOG),左眼上下位置安置电极记录垂直眼电(VEOG),电阻保持在10kΩ以下。

", + "authors": [ + { + "name_en": "li xiao xiao", + "name_zh": "李笑笑", + "email": "1421269185@qq.com", + "affiliations": [ + { + "name_en": "Tianjin Normal University", + "name_zh": "天津师范大学", + "ror_id": "https://ror.org/05x2td559" + } + ] + } + ], + "keywords_en": [ + "expectation", + "alpha", + "beta", + "visual awareness" + ], + "keywords_zh": [ + "预期", + "α频段", + "β频段", + "视觉意识" + ], + "publication_date": "2024-06-20T02:18:07.941Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY-NC-ND 4.0", + "file_size_mb": 30824.37, + "file_size_bytes": 32321690544, + "download_count": 1, + "visit_count": 24, + "url": "https://www.scidb.cn/en/detail?id=66682fe23aa61811b16959af", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4501988", + "cstr": "", + "pid": "", + "title": "A Dataset of neurophysiological measurements of patients with completely locked-In syndrome", + "title_en": "A Dataset of neurophysiological measurements of patients with completely locked-In syndrome", + "title_zh": "A Dataset of neurophysiological measurements of patients with completely locked-In syndrome", + "description": "The dataset used for the psychophysiological assessment of four patients with amyotrophic lateral sclerosis (ALS) at advanced stages of the diseases with no means of communication, referred to as complete locked-in syndrome (CLIS). These datasets contain electroencephalogram (EEG), electrooculography (EOG) and functional near-infrared spectroscopy (fNIRS) recordings. During a four-day visit, each patient was recorded performing the various passive and active experiments at a sensory, perceptual, and cognitive level. The dataset includes somatosensory evoked potentials (SEPs), auditory evoked potentials (AEPs), resting-state in two conditions while eyes are open and eyes closed, Brain-Computer Interface (BCI) communication attempt, and during sleep.", + "description_en": "The dataset used for the psychophysiological assessment of four patients with amyotrophic lateral sclerosis (ALS) at advanced stages of the diseases with no means of communication, referred to as complete locked-in syndrome (CLIS). These datasets contain electroencephalogram (EEG), electrooculography (EOG) and functional near-infrared spectroscopy (fNIRS) recordings. During a four-day visit, each patient was recorded performing the various passive and active experiments at a sensory, perceptual, and cognitive level. The dataset includes somatosensory evoked potentials (SEPs), auditory evoked potentials (AEPs), resting-state in two conditions while eyes are open and eyes closed, Brain-Computer Interface (BCI) communication attempt, and during sleep.", + "description_zh": "The dataset used for the psychophysiological assessment of four patients with amyotrophic lateral sclerosis (ALS) at advanced stages of the diseases with no means of communication, referred to as complete locked-in syndrome (CLIS). These datasets contain electroencephalogram (EEG), electrooculography (EOG) and functional near-infrared spectroscopy (fNIRS) recordings. During a four-day visit, each patient was recorded performing the various passive and active experiments at a sensory, perceptual, and cognitive level. The dataset includes somatosensory evoked potentials (SEPs), auditory evoked potentials (AEPs), resting-state in two conditions while eyes are open and eyes closed, Brain-Computer Interface (BCI) communication attempt, and during sleep.", + "authors": [ + { + "name_en": "Chaudhary Ujwal", + "name_zh": "Chaudhary Ujwal" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2021-02-03T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 430.35, + "file_size_bytes": 451259605, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.61256", + "cstr": "31253.11.10.5281/zenodo.61256", + "pid": "", + "title": "Hyperbrain features of team mental models within a juggling paradigm: a proof of concept", + "title_en": "Hyperbrain features of team mental models within a juggling paradigm: a proof of concept", + "title_zh": "Hyperbrain features of team mental models within a juggling paradigm: a proof of concept", + "description": "To capture the neural schemas underlying the notion of shared and complementary mental models, we examined the functional connectivity patterns and hyperbrain features of a juggling dyad involved in cooperative motor tasks of increasing difficulty. Jugglers' cortical activity was measured using two synchronized 32-channel EEG systems during dyadic juggling performed with 3, 4, 5 and 6 balls. Individual and hyperbrain functional connections were quantified through coherence maps calculated across all electrode pairs in the theta and alpha bands (4-8 Hz and 8-12 Hz). Graph metrics were used to typify the topology and efficiency of the functional networks.The datasets uploaded are the two dataset of both jugglers used for this study.", + "description_en": "To capture the neural schemas underlying the notion of shared and complementary mental models, we examined the functional connectivity patterns and hyperbrain features of a juggling dyad involved in cooperative motor tasks of increasing difficulty. Jugglers' cortical activity was measured using two synchronized 32-channel EEG systems during dyadic juggling performed with 3, 4, 5 and 6 balls. Individual and hyperbrain functional connections were quantified through coherence maps calculated across all electrode pairs in the theta and alpha bands (4-8 Hz and 8-12 Hz). Graph metrics were used to typify the topology and efficiency of the functional networks.The datasets uploaded are the two dataset of both jugglers used for this study.", + "description_zh": "To capture the neural schemas underlying the notion of shared and complementary mental models, we examined the functional connectivity patterns and hyperbrain features of a juggling dyad involved in cooperative motor tasks of increasing difficulty. Jugglers' cortical activity was measured using two synchronized 32-channel EEG systems during dyadic juggling performed with 3, 4, 5 and 6 balls. Individual and hyperbrain functional connections were quantified through coherence maps calculated across all electrode pairs in the theta and alpha bands (4-8 Hz and 8-12 Hz). Graph metrics were used to typify the topology and efficiency of the functional networks.The datasets uploaded are the two dataset of both jugglers used for this study.", + "authors": [ + { + "name_en": "Filho Edson", + "name_zh": "Filho Edson" + }, + { + "name_en": "Bertollo Maurizio", + "name_zh": "Bertollo Maurizio" + }, + { + "name_en": "Tamburro Gabriella", + "name_zh": "Tamburro Gabriella" + }, + { + "name_en": "Schinaia Lorenzo", + "name_zh": "Schinaia Lorenzo" + }, + { + "name_en": "Jonas Chatel-Goldman", + "name_zh": "Jonas Chatel-Goldman" + }, + { + "name_en": "Di Fronso Selenia", + "name_zh": "Di Fronso Selenia" + }, + { + "name_en": "Robazza Claudio", + "name_zh": "Robazza Claudio" + }, + { + "name_en": "Comani Silvia", + "name_zh": "Comani Silvia" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2016-08-30T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.03, + "file_size_bytes": 32112, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.2602656", + "cstr": "", + "pid": "", + "title": "Identity Representations of Turkey and Europe in Foreign Media: Regional and Global Perspectives on EU-Turkey Relations", + "title_en": "Identity Representations of Turkey and Europe in Foreign Media: Regional and Global Perspectives on EU-Turkey Relations", + "title_zh": "Identity Representations of Turkey and Europe in Foreign Media: Regional and Global Perspectives on EU-Turkey Relations", + "description": "FEUTURE Online Paper No. 14This FEUTURE paper examines global (Russian and US press) and regional (Egyptian and Georgian press) perspectives on EU-Turkey relations since 1999 with respect to identity and culture. Using the Critical Discourse Analysis methodology, the research traces the evolution of Turkey and Europe’s identity representations in foreign media, therefore providing an outlook of the way significant Others make sense of the EU-Turkey relationship in the context of Turkey’s EU bid. While the more dynamic (and positive) Egyptian and American press coverage initially contrasted with Georgian and Russian newspapers’ static portrayal of Europe and Turkey’s respective identities as antithetical, the prominence of certain identity markers in recent drivers contributed to shifts in identity representations supporting the degradation of EU-Turkey relations toward conflict.", + "description_en": "FEUTURE Online Paper No. 14This FEUTURE paper examines global (Russian and US press) and regional (Egyptian and Georgian press) perspectives on EU-Turkey relations since 1999 with respect to identity and culture. Using the Critical Discourse Analysis methodology, the research traces the evolution of Turkey and Europe’s identity representations in foreign media, therefore providing an outlook of the way significant Others make sense of the EU-Turkey relationship in the context of Turkey’s EU bid. While the more dynamic (and positive) Egyptian and American press coverage initially contrasted with Georgian and Russian newspapers’ static portrayal of Europe and Turkey’s respective identities as antithetical, the prominence of certain identity markers in recent drivers contributed to shifts in identity representations supporting the degradation of EU-Turkey relations toward conflict.", + "description_zh": "FEUTURE Online Paper No. 14This FEUTURE paper examines global (Russian and US press) and regional (Egyptian and Georgian press) perspectives on EU-Turkey relations since 1999 with respect to identity and culture. Using the Critical Discourse Analysis methodology, the research traces the evolution of Turkey and Europe’s identity representations in foreign media, therefore providing an outlook of the way significant Others make sense of the EU-Turkey relationship in the context of Turkey’s EU bid. While the more dynamic (and positive) Egyptian and American press coverage initially contrasted with Georgian and Russian newspapers’ static portrayal of Europe and Turkey’s respective identities as antithetical, the prominence of certain identity markers in recent drivers contributed to shifts in identity representations supporting the degradation of EU-Turkey relations toward conflict.", + "authors": [ + { + "name_en": "Louis, Justine", + "name_zh": "Louis, Justine" + }, + { + "name_en": " Magued, Shaimaa", + "name_zh": " Magued, Shaimaa" + }, + { + "name_en": " Mzhavanadze, Nino", + "name_zh": " Mzhavanadze, Nino" + } + ], + "keywords_en": [ + "European Union; Turkey; EU-Turkey Relations; Identity Politics; Identity Representation; Foreign Media; Regional and Global Perspectives; Culture; Critical Discourse Analysis; Significant Other; Georgia; Egypt; US; Russia; Newspaper; Conflict" + ], + "keywords_zh": [ + "European Union; Turkey; EU-Turkey Relations; Identity Politics; Identity Representation; Foreign Media; Regional and Global Perspectives; Culture; Critical Discourse Analysis; Significant Other; Georgia; Egypt; US; Russia; Newspaper; Conflict" + ], + "publication_date": 1521129600000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 2.68, + "file_size_bytes": 2810485, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.20044", + "cstr": "31253.11.10.5281/zenodo.20044", + "pid": "", + "title": "Cortical correlates of a translating point-light walker; an event-related potentials study", + "title_en": "Cortical correlates of a translating point-light walker; an event-related potentials study", + "title_zh": "Cortical correlates of a translating point-light walker; an event-related potentials study", + "description": "EEG recordings for all subjects (S1-S13) considered in the study "Cortical   correlates  of  a  translating  point-light  walker;   an event-related  potentials  study". Data are in Brain Vision Analizer (BVA) format. They can be fully explored and analyzed using freely available software, like EEGLab, Brainstorm, Fieldtrip, BIOSIG or NPXLab. Trigger codes S 1, S 2, S 3 and S 4 respectively correspond to the condition 'cwalker' 'twalker' 'cscrambled' 'tscrambled' compared in the study.", + "description_en": "EEG recordings for all subjects (S1-S13) considered in the study "Cortical   correlates  of  a  translating  point-light  walker;   an event-related  potentials  study". Data are in Brain Vision Analizer (BVA) format. They can be fully explored and analyzed using freely available software, like EEGLab, Brainstorm, Fieldtrip, BIOSIG or NPXLab. Trigger codes S 1, S 2, S 3 and S 4 respectively correspond to the condition 'cwalker' 'twalker' 'cscrambled' 'tscrambled' compared in the study.", + "description_zh": "EEG recordings for all subjects (S1-S13) considered in the study "Cortical   correlates  of  a  translating  point-light  walker;   an event-related  potentials  study". Data are in Brain Vision Analizer (BVA) format. They can be fully explored and analyzed using freely available software, like EEGLab, Brainstorm, Fieldtrip, BIOSIG or NPXLab. Trigger codes S 1, S 2, S 3 and S 4 respectively correspond to the condition 'cwalker' 'twalker' 'cscrambled' 'tscrambled' compared in the study.", + "authors": [ + { + "name_en": "Inuggi Alberto", + "name_zh": "Inuggi Alberto" + }, + { + "name_en": "Campus Claudio", + "name_zh": "Campus Claudio" + }, + { + "name_en": "Keuroghlanian Alejo", + "name_zh": "Keuroghlanian Alejo" + }, + { + "name_en": "Vastano Roberta", + "name_zh": "Vastano Roberta" + }, + { + "name_en": "Pozzo Thierry", + "name_zh": "Pozzo Thierry" + } + ], + "keywords_en": [ + "point-light walker (PLW)", + "event related potentials (ERP)" + ], + "keywords_zh": [ + "point-light walker (PLW)", + "event related potentials (ERP)" + ], + "publication_date": "2015-07-12T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 65.67, + "file_size_bytes": 68856320, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1226586", + "cstr": "", + "pid": "", + "title": "SSVEP Starlab", + "title_en": "SSVEP Starlab", + "title_zh": "SSVEP Starlab", + "description": "Five Caucasian male volunteers S1 to S5 with average age 33.6 years participated in six recording sessions each, where oscillatory visual stimuli were presented at six different frequencies : 12, 14, 16, 18, 20 and 22 Hz. Oral informed consent was given by the volunteers and data was anonymized before its analysis. The visual stimuli were presented using stimulation sources consisting of an array of flickering light emitting diodes (LEDs) through a diffusing panel of 100 squared centimeters.Each session consisted of one recording per stimulation frequency. In each recording,  stimulation trials (duration randomly ranging from 4 to 5 seconds), where the visual stimulus was presented, were followed by the same number of non-stimulation trials (duration randomly ranging from 5 to 8 seconds) with no visual stimulation. One stimulation source placed on the right of the subject presented the stimulation frequency under evaluation, while another source on the left presented a frequency randomly selected among the other frequencies used in the experiment. The goal of this montage was to simulate background interferences as in brain computer interfaces applications. Stimulation sources were separated by approximately 25 cm.The user was comfortably seated at one-meter distance from the stimulation sources and was instructed to look at the stimulation source placed on his right when hearing a beep sound (played one second before the stimulation started). EEG was acquired using an Enobio® recording system at a sampling rate of 250Hz from three channels placed in O1, Oz and O2, according to the 10-20 system, with the electrical reference placed in the right ear-lobe. Background ambient light remained homogeneous throughout all experimental sessions. The AsTeRICS platform was used to record the EEG streaming data, control the stimulation panels, and trigger the recording.", + "description_en": "Five Caucasian male volunteers S1 to S5 with average age 33.6 years participated in six recording sessions each, where oscillatory visual stimuli were presented at six different frequencies : 12, 14, 16, 18, 20 and 22 Hz. Oral informed consent was given by the volunteers and data was anonymized before its analysis. The visual stimuli were presented using stimulation sources consisting of an array of flickering light emitting diodes (LEDs) through a diffusing panel of 100 squared centimeters.Each session consisted of one recording per stimulation frequency. In each recording,  stimulation trials (duration randomly ranging from 4 to 5 seconds), where the visual stimulus was presented, were followed by the same number of non-stimulation trials (duration randomly ranging from 5 to 8 seconds) with no visual stimulation. One stimulation source placed on the right of the subject presented the stimulation frequency under evaluation, while another source on the left presented a frequency randomly selected among the other frequencies used in the experiment. The goal of this montage was to simulate background interferences as in brain computer interfaces applications. Stimulation sources were separated by approximately 25 cm.The user was comfortably seated at one-meter distance from the stimulation sources and was instructed to look at the stimulation source placed on his right when hearing a beep sound (played one second before the stimulation started). EEG was acquired using an Enobio® recording system at a sampling rate of 250Hz from three channels placed in O1, Oz and O2, according to the 10-20 system, with the electrical reference placed in the right ear-lobe. Background ambient light remained homogeneous throughout all experimental sessions. The AsTeRICS platform was used to record the EEG streaming data, control the stimulation panels, and trigger the recording.", + "description_zh": "Five Caucasian male volunteers S1 to S5 with average age 33.6 years participated in six recording sessions each, where oscillatory visual stimuli were presented at six different frequencies : 12, 14, 16, 18, 20 and 22 Hz. Oral informed consent was given by the volunteers and data was anonymized before its analysis. The visual stimuli were presented using stimulation sources consisting of an array of flickering light emitting diodes (LEDs) through a diffusing panel of 100 squared centimeters.Each session consisted of one recording per stimulation frequency. In each recording,  stimulation trials (duration randomly ranging from 4 to 5 seconds), where the visual stimulus was presented, were followed by the same number of non-stimulation trials (duration randomly ranging from 5 to 8 seconds) with no visual stimulation. One stimulation source placed on the right of the subject presented the stimulation frequency under evaluation, while another source on the left presented a frequency randomly selected among the other frequencies used in the experiment. The goal of this montage was to simulate background interferences as in brain computer interfaces applications. Stimulation sources were separated by approximately 25 cm.The user was comfortably seated at one-meter distance from the stimulation sources and was instructed to look at the stimulation source placed on his right when hearing a beep sound (played one second before the stimulation started). EEG was acquired using an Enobio® recording system at a sampling rate of 250Hz from three channels placed in O1, Oz and O2, according to the 10-20 system, with the electrical reference placed in the right ear-lobe. Background ambient light remained homogeneous throughout all experimental sessions. The AsTeRICS platform was used to record the EEG streaming data, control the stimulation panels, and trigger the recording.", + "authors": [ + { + "name_en": "David", + "name_zh": "David" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2018-04-20T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.9, + "file_size_bytes": 944666, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.818172", + "cstr": "", + "pid": "", + "title": "Data and results related to \"Fattori et al. 2017 - High Solar Photovoltaic Penetration in the Absence of Substantial Wind Capacity: Storage Requirements", + "title_en": "Data and results related to \"Fattori et al. 2017 - High Solar Photovoltaic Penetration in the Absence of Substantial Wind Capacity: Storage Requirements", + "title_zh": "Data and results related to \"Fattori et al. 2017 - High Solar Photovoltaic Penetration in the Absence of Substantial Wind Capacity: Storage Requirements", + "description": "The file includes data used for the analysis and results coming from the study (which was focused on the Italian \"Nord\" bidding zone). In particular:(i) Series of hourly load data [MW], from 01.01.2006 to 31.12.2015. The data come from elaborations based on ENTSO-E (https://www.entsoe.eu/db-query/country-packages/production-consumption-exchange-package) and Terna S.p.A. (http://www.terna.it/en-gb/sistemaelettrico/transparencyreport/load/actualload.aspx). All the elaborations are described in details on the paper.(ii) Data related to the penetration of PV. Installed capacity of PV is assumed to increase from zero up to the capacity needed so that the average annual PV generation (based on the years 1986-2015) potentially equals the average annual demand (based on the years 2006-2015).(iii) Synthesis of the results about: residual load (with and w/o storage), ramps (with and w/o storage), excess energy (with and w/o storage), storage requirements", + "description_en": "The file includes data used for the analysis and results coming from the study (which was focused on the Italian \"Nord\" bidding zone). In particular:(i) Series of hourly load data [MW], from 01.01.2006 to 31.12.2015. The data come from elaborations based on ENTSO-E (https://www.entsoe.eu/db-query/country-packages/production-consumption-exchange-package) and Terna S.p.A. (http://www.terna.it/en-gb/sistemaelettrico/transparencyreport/load/actualload.aspx). All the elaborations are described in details on the paper.(ii) Data related to the penetration of PV. Installed capacity of PV is assumed to increase from zero up to the capacity needed so that the average annual PV generation (based on the years 1986-2015) potentially equals the average annual demand (based on the years 2006-2015).(iii) Synthesis of the results about: residual load (with and w/o storage), ramps (with and w/o storage), excess energy (with and w/o storage), storage requirements", + "description_zh": "The file includes data used for the analysis and results coming from the study (which was focused on the Italian \"Nord\" bidding zone). In particular:(i) Series of hourly load data [MW], from 01.01.2006 to 31.12.2015. The data come from elaborations based on ENTSO-E (https://www.entsoe.eu/db-query/country-packages/production-consumption-exchange-package) and Terna S.p.A. (http://www.terna.it/en-gb/sistemaelettrico/transparencyreport/load/actualload.aspx). All the elaborations are described in details on the paper.(ii) Data related to the penetration of PV. Installed capacity of PV is assumed to increase from zero up to the capacity needed so that the average annual PV generation (based on the years 1986-2015) potentially equals the average annual demand (based on the years 2006-2015).(iii) Synthesis of the results about: residual load (with and w/o storage), ramps (with and w/o storage), excess energy (with and w/o storage), storage requirements", + "authors": [ + { + "name_en": "Fattori Fabrizio", + "name_zh": "Fattori Fabrizio" + }, + { + "name_en": "Anglani Norma", + "name_zh": "Anglani Norma" + }, + { + "name_en": "Staffell Iain", + "name_zh": "Staffell Iain" + }, + { + "name_en": "Pfenninger Stefan", + "name_zh": "Pfenninger Stefan" + } + ], + "keywords_en": [ + "Solar Energy", + "Electricity Storage", + "Capacity Adequacy", + "Power system", + "Solar PV", + "Ramp Rate", + "Nord bidding zone", + "Italy", + "renewable energy" + ], + "keywords_zh": [ + "Solar Energy", + "Electricity Storage", + "Capacity Adequacy", + "Power system", + "Solar PV", + "Ramp Rate", + "Nord bidding zone", + "Italy", + "renewable energy" + ], + "publication_date": "2017-06-25T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 15.97, + "file_size_bytes": 16742048, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4457748", + "cstr": "31253.11.10.5281/zenodo.4457748", + "pid": "", + "title": "PlosONE: The challenge of learning a new language in adulthood: Evidence from a multi-methodological neuroscientific approach", + "title_en": "PlosONE: The challenge of learning a new language in adulthood: Evidence from a multi-methodological neuroscientific approach", + "title_zh": "PlosONE: The challenge of learning a new language in adulthood: Evidence from a multi-methodological neuroscientific approach", + "description": "This data set for the publication "The challenge of learning a new language in adulthood: Evidence from a multi-methodological neuroscientific approach" in PlosONE (2021) comprises:EEG: Event-related brain potential data (single subjects, microvolt values, regions of interest) for both correctly identified and correctly and incorrectly identified (merged) pseudoword-picture pairings (PPP) for learned as well as new PPPs for time windows 650-800 and 800-1300 ms.fNIRS: oxy-Hb and deoxy-Hb data (single subjects, beta values, regions of interest) for both correctly identified and correctly and incorrectly identified (merged) pseudoword-picture pairings (PPP) for learned as well as new PPPsBehavioral data: Task Performance during the recognition experiment (reaction times for and percentage of correctly identified learned and new PPPs) ", + "description_en": "This data set for the publication "The challenge of learning a new language in adulthood: Evidence from a multi-methodological neuroscientific approach" in PlosONE (2021) comprises:EEG: Event-related brain potential data (single subjects, microvolt values, regions of interest) for both correctly identified and correctly and incorrectly identified (merged) pseudoword-picture pairings (PPP) for learned as well as new PPPs for time windows 650-800 and 800-1300 ms.fNIRS: oxy-Hb and deoxy-Hb data (single subjects, beta values, regions of interest) for both correctly identified and correctly and incorrectly identified (merged) pseudoword-picture pairings (PPP) for learned as well as new PPPsBehavioral data: Task Performance during the recognition experiment (reaction times for and percentage of correctly identified learned and new PPPs) ", + "description_zh": "This data set for the publication "The challenge of learning a new language in adulthood: Evidence from a multi-methodological neuroscientific approach" in PlosONE (2021) comprises:EEG: Event-related brain potential data (single subjects, microvolt values, regions of interest) for both correctly identified and correctly and incorrectly identified (merged) pseudoword-picture pairings (PPP) for learned as well as new PPPs for time windows 650-800 and 800-1300 ms.fNIRS: oxy-Hb and deoxy-Hb data (single subjects, beta values, regions of interest) for both correctly identified and correctly and incorrectly identified (merged) pseudoword-picture pairings (PPP) for learned as well as new PPPsBehavioral data: Task Performance during the recognition experiment (reaction times for and percentage of correctly identified learned and new PPPs) ", + "authors": [ + { + "name_en": "Steber Sarah", + "name_zh": "Steber Sarah" + }, + { + "name_en": "Rossi Sonja", + "name_zh": "Rossi Sonja" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": "2021-01-21T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 7616, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.2427621", + "cstr": "", + "pid": "", + "title": "Caracas, Latina. bid&co, editor, 211pp. ISBN: 978-9-80-403125-0 (Alexis del C. Rojas P.); Barreto González, Juan José (2018).", + "title_en": "Caracas, Latina. bid&co, editor, 211pp. ISBN: 978-9-80-403125-0 (Alexis del C. Rojas P.); Barreto González, Juan José (2018).", + "title_zh": "Caracas, Latina. bid&co, editor, 211pp. ISBN: 978-9-80-403125-0 (Alexis del C. Rojas P.); Barreto González, Juan José (2018).", + "description": "LIBRARIUS (reseñas de libro; book reviews): Hans-Georg Gadamer. El giro hermenéutico. Trad. cast. Arturo Parada.Cátedra, Madrid, 238pp. ISBN: 84-376-1626-3(Dalis Coromoto Valera); Miguel Ángel Quintana Paz. Reglas. Un ensayo de Introducción a la hermenéutica de manos de Wittgenstein y Scherlok Holmes.Apeiron Ediciones, 2017, 126pp. ISBN 10: 84-169-9695-4, ISBN 13: 978-8-41-699695-7(Mario Perniola); Rodríguez Silva, Aníbal (2017). Poética de la interpretación. La obra de arte en la hermenéutica de H-G. Gadamer.Caracas, Latina. bid&co, editor ISBN: 978-9-80-403125-0(Alexis del C. Rojas P.); Juan José Barreto (2018). Una semiótica del orgullo. Autores Editores, Bogotá, Colombia, 110 pp. ISBN: 978-980-18-0012-5", + "description_en": "LIBRARIUS (reseñas de libro; book reviews): Hans-Georg Gadamer. El giro hermenéutico. Trad. cast. Arturo Parada.Cátedra, Madrid, 238pp. ISBN: 84-376-1626-3(Dalis Coromoto Valera); Miguel Ángel Quintana Paz. Reglas. Un ensayo de Introducción a la hermenéutica de manos de Wittgenstein y Scherlok Holmes.Apeiron Ediciones, 2017, 126pp. ISBN 10: 84-169-9695-4, ISBN 13: 978-8-41-699695-7(Mario Perniola); Rodríguez Silva, Aníbal (2017). Poética de la interpretación. La obra de arte en la hermenéutica de H-G. Gadamer.Caracas, Latina. bid&co, editor ISBN: 978-9-80-403125-0(Alexis del C. Rojas P.); Juan José Barreto (2018). Una semiótica del orgullo. Autores Editores, Bogotá, Colombia, 110 pp. ISBN: 978-980-18-0012-5", + "description_zh": "LIBRARIUS (reseñas de libro; book reviews): Hans-Georg Gadamer. El giro hermenéutico. Trad. cast. Arturo Parada.Cátedra, Madrid, 238pp. ISBN: 84-376-1626-3(Dalis Coromoto Valera); Miguel Ángel Quintana Paz. Reglas. Un ensayo de Introducción a la hermenéutica de manos de Wittgenstein y Scherlok Holmes.Apeiron Ediciones, 2017, 126pp. ISBN 10: 84-169-9695-4, ISBN 13: 978-8-41-699695-7(Mario Perniola); Rodríguez Silva, Aníbal (2017). Poética de la interpretación. La obra de arte en la hermenéutica de H-G. Gadamer.Caracas, Latina. bid&co, editor ISBN: 978-9-80-403125-0(Alexis del C. Rojas P.); Juan José Barreto (2018). Una semiótica del orgullo. Autores Editores, Bogotá, Colombia, 110 pp. ISBN: 978-980-18-0012-5", + "authors": [ + { + "name_en": "VALERA, Dalis Coromoto", + "name_zh": "VALERA, Dalis Coromoto" + }, + { + "name_en": " PERNIOLA, Mario", + "name_zh": " PERNIOLA, Mario" + }, + { + "name_en": " ROJAS PAREDES, Alexis del Carmen", + "name_zh": " ROJAS PAREDES, Alexis del Carmen" + }, + { + "name_en": " BARRETO GONZÁLEZ, Juan José", + "name_zh": " BARRETO GONZÁLEZ, Juan José" + } + ], + "keywords_en": [], + "keywords_zh": [], + "publication_date": 1545148800000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.43, + "file_size_bytes": 453062, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.198709", + "cstr": "", + "pid": "", + "title": "JDC2015 - A multimodal dataset from facilitating multi-tabletop lessons in an open-doors day", + "title_en": "JDC2015 - A multimodal dataset from facilitating multi-tabletop lessons in an open-doors day", + "title_zh": "JDC2015 - A multimodal dataset from facilitating multi-tabletop lessons in an open-doors day", + "description": "IMPORTANT NOTE: Two of the files in this dataset are incorrect, see this dataset's errata at https://zenodo.org/record/204063 and https://zenodo.org/record/204819This dataset contains eye-tracking, EEG, accelerometer, indoor location and video coding data from a single subject (a researcher with limited teacher experience), facilitating four maths lessons in a simulated multi-tabletop classroom,  with four cohorts of 10-12 year old students, using tangible paper tabletops and a projector. These sessions were recorded in the frame of the MIOCTI project (http://chili.epfl.ch/miocti).This dataset has been used in several scientific works, such a submitted journal paper \"Orchestration Load Indicators and Patterns: In-the-wild Studies Using Mobile Eye-tracking\", by Luis P. Prieto, Kshitij Sharma, Lukasz Kidzinski & Pierre Dillenbourg (the analysis and usage of this dataset is available publicly at https://github.com/chili-epfl/paper-IEEETLT-orchestrationload)", + "description_en": "IMPORTANT NOTE: Two of the files in this dataset are incorrect, see this dataset's errata at https://zenodo.org/record/204063 and https://zenodo.org/record/204819This dataset contains eye-tracking, EEG, accelerometer, indoor location and video coding data from a single subject (a researcher with limited teacher experience), facilitating four maths lessons in a simulated multi-tabletop classroom,  with four cohorts of 10-12 year old students, using tangible paper tabletops and a projector. These sessions were recorded in the frame of the MIOCTI project (http://chili.epfl.ch/miocti).This dataset has been used in several scientific works, such a submitted journal paper \"Orchestration Load Indicators and Patterns: In-the-wild Studies Using Mobile Eye-tracking\", by Luis P. Prieto, Kshitij Sharma, Lukasz Kidzinski & Pierre Dillenbourg (the analysis and usage of this dataset is available publicly at https://github.com/chili-epfl/paper-IEEETLT-orchestrationload)", + "description_zh": "IMPORTANT NOTE: Two of the files in this dataset are incorrect, see this dataset's errata at https://zenodo.org/record/204063 and https://zenodo.org/record/204819This dataset contains eye-tracking, EEG, accelerometer, indoor location and video coding data from a single subject (a researcher with limited teacher experience), facilitating four maths lessons in a simulated multi-tabletop classroom,  with four cohorts of 10-12 year old students, using tangible paper tabletops and a projector. These sessions were recorded in the frame of the MIOCTI project (http://chili.epfl.ch/miocti).This dataset has been used in several scientific works, such a submitted journal paper \"Orchestration Load Indicators and Patterns: In-the-wild Studies Using Mobile Eye-tracking\", by Luis P. Prieto, Kshitij Sharma, Lukasz Kidzinski & Pierre Dillenbourg (the analysis and usage of this dataset is available publicly at https://github.com/chili-epfl/paper-IEEETLT-orchestrationload)", + "authors": [ + { + "name_en": "Prieto Luis P.", + "name_zh": "Prieto Luis P." + }, + { + "name_en": "Sharma Kshitij", + "name_zh": "Sharma Kshitij" + } + ], + "keywords_en": [ + "orchestration", + "eyetracking", + "cognitive load", + "classroom studies" + ], + "keywords_zh": [ + "orchestration", + "eyetracking", + "cognitive load", + "classroom studies" + ], + "publication_date": "2016-12-08T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-SA-4.0", + "file_size_mb": 0.02, + "file_size_bytes": 23989, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4485036", + "cstr": "", + "pid": "", + "title": "MNE-HFO: An open-source Python implementation of HFO detection algorithms", + "title_en": "MNE-HFO: An open-source Python implementation of HFO detection algorithms", + "title_zh": "MNE-HFO: An open-source Python implementation of HFO detection algorithms", + "description": "mne-hfo is a Python package for analysis of iEEG data for HFO events.Motivation----------High-frequency oscillations are events that clinicians hypothesize to be relatedto the epileptogenic zone. They have also been observed in other physiologicalprocesses. They are loosely defined as oscillations in a "high-frequency band"that are greater then some baseline according to a metric. For example,the Line Length HFO detector, uses the ``line length`` metric of the time-series signalto determine if a certain channel epoch is an HFO or not. In this package, we provideutilities and algorithms for detecting HFOs that have been proposed in the literature.In addition, we formulate the design of the package to be closely tied with ``scikit-learn``,``mne-python``, and the ``BIDS`` data specification. These design choices make thealgorithms easy to tune, easy to use, and the results easy to share.Python------Python is a powerful programming language that allows concise expressions of networkalgorithms.  Python has a vibrant and growing ecosystem of packages thatmne-hfo uses to provide more features such as numerical linear algebra andplotting.  In order to make the most out of mne-hfo you will want to know howto write basic programs in Python.  Among the many guides to Python, werecommend the `Python documentation <https://docs.python.org/3/>`_.Free software-------------mne-hfo is free software; you can redistribute it and/or modify it under theterms of the ``BSD`` license.  We welcome contributions.Join us on `GitHub <https://github.com/adam2392/mne-hfo>`_.", + "description_en": "mne-hfo is a Python package for analysis of iEEG data for HFO events.Motivation----------High-frequency oscillations are events that clinicians hypothesize to be relatedto the epileptogenic zone. They have also been observed in other physiologicalprocesses. They are loosely defined as oscillations in a "high-frequency band"that are greater then some baseline according to a metric. For example,the Line Length HFO detector, uses the ``line length`` metric of the time-series signalto determine if a certain channel epoch is an HFO or not. In this package, we provideutilities and algorithms for detecting HFOs that have been proposed in the literature.In addition, we formulate the design of the package to be closely tied with ``scikit-learn``,``mne-python``, and the ``BIDS`` data specification. These design choices make thealgorithms easy to tune, easy to use, and the results easy to share.Python------Python is a powerful programming language that allows concise expressions of networkalgorithms.  Python has a vibrant and growing ecosystem of packages thatmne-hfo uses to provide more features such as numerical linear algebra andplotting.  In order to make the most out of mne-hfo you will want to know howto write basic programs in Python.  Among the many guides to Python, werecommend the `Python documentation <https://docs.python.org/3/>`_.Free software-------------mne-hfo is free software; you can redistribute it and/or modify it under theterms of the ``BSD`` license.  We welcome contributions.Join us on `GitHub <https://github.com/adam2392/mne-hfo>`_.", + "description_zh": "mne-hfo is a Python package for analysis of iEEG data for HFO events.Motivation----------High-frequency oscillations are events that clinicians hypothesize to be relatedto the epileptogenic zone. They have also been observed in other physiologicalprocesses. They are loosely defined as oscillations in a "high-frequency band"that are greater then some baseline according to a metric. For example,the Line Length HFO detector, uses the ``line length`` metric of the time-series signalto determine if a certain channel epoch is an HFO or not. In this package, we provideutilities and algorithms for detecting HFOs that have been proposed in the literature.In addition, we formulate the design of the package to be closely tied with ``scikit-learn``,``mne-python``, and the ``BIDS`` data specification. These design choices make thealgorithms easy to tune, easy to use, and the results easy to share.Python------Python is a powerful programming language that allows concise expressions of networkalgorithms.  Python has a vibrant and growing ecosystem of packages thatmne-hfo uses to provide more features such as numerical linear algebra andplotting.  In order to make the most out of mne-hfo you will want to know howto write basic programs in Python.  Among the many guides to Python, werecommend the `Python documentation <https://docs.python.org/3/>`_.Free software-------------mne-hfo is free software; you can redistribute it and/or modify it under theterms of the ``BSD`` license.  We welcome contributions.Join us on `GitHub <https://github.com/adam2392/mne-hfo>`_.", + "authors": [ + { + "name_en": "Adam Li", + "name_zh": "Adam Li" + } + ], + "keywords_en": [ + "Python", + "iEEG", + "High frequency oscillation" + ], + "keywords_zh": [ + "Python", + "iEEG", + "High frequency oscillation" + ], + "publication_date": 1612108800000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 5024, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.162802", + "cstr": "31253.11.10.5281/zenodo.162802", + "pid": "", + "title": "CONCEPTUAL ISSUES IN CRAFTING NEUROECONOMIC - MANAGERIAL DECISIONS", + "title_en": "CONCEPTUAL ISSUES IN CRAFTING NEUROECONOMIC - MANAGERIAL DECISIONS", + "title_zh": "CONCEPTUAL ISSUES IN CRAFTING NEUROECONOMIC - MANAGERIAL DECISIONS", + "description": "Decision-making is a region of intense study in neuroscience, and cognitive neuroscience, In real, World decision processes, management decisions emerge from complexly interlinked, This paper explores how brain absorbs information, recognises and frames problematic situations, and chooses appropriate responses, Brain structures suggest that brain considers various sources of information before making decision, Brain imaging technologies have stimulated neuro (managerial) studies of internal order of mind and its links with bandwidth of human decisions, How is (managerial) decision making processes carried out in brain? What are the limits of understanding thinking as a form of computing? How does previous experience alter behavior? Do we interpret research findings when neuro (managerial) logical results conflict? Imaging is an important aspect of dynamic capabilities and there is an increasing amount of evidence of how evolutionary patterns are shaped. There are yet unsolved problems in (managerial) cognition, although some of these problems have evidence supporting a hypothesized solution, and the field is rapidly evolving. What are the general implications of neuro (managerial) management? What happens in brain or is activated when Managers make decisions or are in the process of making decisions? Is study of decision-making via neuromanagement processes relevant for Managers? Many Managers seek information than required thereby causing delay because of time required to process information. This impairs effectiveness of decision. In this state, neuromanagement seeks to explain decision-making, ability to process multiple alternatives and choose optimal course of action. It studies how management behaviour shape understanding of brain and guide models of management. What are the coherent brain dynamics underlying prediction, control and decision making? Theoretical explanations posit that human brain accomplishes this through neural computations. Deciphering such transactions require understanding of neuro processes that implement value - dependent decision making. This leads to formulation of a ‘neuro - management decision making paradox’. The goal is a speculation of how brain implements decisions that is tied to behaviour. There are unsolved research issues; how does Manager decide in a state of vacillation, Risk and Probability? How does Manager decide in state of VUCA (Uncertainty, Vulnerability, Complexity and Ambiguity? How do we make decisions? How do human brains compute and represent abstract ideas? What counts as explanation of how brain works (what are function, algorithm and implementation)? This paper attempts at addressing current pace of advances in methods (fMRI, BOLD, EEG, ECG, etc), where we are going and what we ought to research next. This Paper attempts to explore phenomena through individual action, decision -making and reasoning processes. Objective is to put forward a model for neuro - management decision, in which interaction between variables of neuro - management decision processes are addressed through series of measurements of brain activity at time of decisions. Attempt is to describe a regular model for decision making process with intent of linking neuro - psycho and management levels of analysis capable of predicting observed behaviour. This provides conceptual framework for understanding and conducting Neuro (managerial) management research at intersection of neuro (managerial) science, management and psychology, offer solution through measurements of brain activity at time of decisions, linking and spanning neuro(managerial) biological and psychological and management levels of analysis.Decision-making is a region of intense study in neuroscience, and cognitive neuroscience, In real, World decision processes, management decisions emerge from complexly interlinked, This paper explores how brain absorbs information, recognises and frames problematic situations, and chooses appropriate responses, Brain structures suggest that brain considers various sources of information before making decision, Brain imaging technologies have stimulated neuro (managerial) studies of internal order of mind and its links with bandwidth of human decisions, How is (managerial) decision making processes carried out in brain? What are the limits of understanding thinking as a form of computing? How does previous experience alter behavior? Do we interpret research findings when neuro (managerial) logical results conflict? Imaging is an important aspect of dynamic capabilities and there is an increasing amount of evidence of how evolutionary patterns are shaped. There are yet unsolved problems in (managerial) cognition, although some of these problems have evidence supporting a hypothesized solution, and the field is rapidly evolving. What are the general implications of neuro (managerial) management? What happens in brain or is activated when Managers make decisions or are in the process of making decisions? Is study of decision-making via neuromanagement processes relevant for Managers? Many Managers seek information than required thereby causing delay because of time required to process information. This impairs effectiveness of decision. In this state, neuromanagement seeks to explain decision-making, ability to process multiple alternatives and choose optimal course of action. It studies how management behaviour shape understanding of brain and guide models of management. What are the coherent brain dynamics underlying prediction, control and decision making? Theoretical explanations posit that human brain accomplishes this through neural computations. Deciphering such transactions require understanding of neuro processes that implement value - dependent decision making. This leads to formulation of a ‘neuro - management decision making paradox’. The goal is a speculation of how brain implements decisions that is tied to behaviour. There are unsolved research issues; how does Manager decide in a state of vacillation, Risk and Probability? How does Manager decide in state of VUCA (Uncertainty, Vulnerability, Complexity and Ambiguity? How do we make decisions? How do human brains compute and represent abstract ideas? What counts as explanation of how brain works (what are function, algorithm and implementation)? This paper attempts at addressing current pace of advances in methods (fMRI, BOLD, EEG, ECG, etc), where we are going and what we ought to research next. This Paper attempts to explore phenomena through individual action, decision -making and reasoning processes. Objective is to put forward a model for neuro - management decision, in which interaction between variables of neuro - management decision processes are addressed through series of measurements of brain activity at time of decisions. Attempt is to describe a regular model for decision making process with intent of linking neuro - psycho and management levels of analysis capable of predicting observed behaviour. This provides conceptual framework for understanding and conducting Neuro (managerial) management research at intersection of neuro (managerial) science, management and psychology, offer solution through measurements of brain activity at time of decisions, linking and spanning neuro(managerial) biological and psychological and management levels of analysis.", + "description_en": "Decision-making is a region of intense study in neuroscience, and cognitive neuroscience, In real, World decision processes, management decisions emerge from complexly interlinked, This paper explores how brain absorbs information, recognises and frames problematic situations, and chooses appropriate responses, Brain structures suggest that brain considers various sources of information before making decision, Brain imaging technologies have stimulated neuro (managerial) studies of internal order of mind and its links with bandwidth of human decisions, How is (managerial) decision making processes carried out in brain? What are the limits of understanding thinking as a form of computing? How does previous experience alter behavior? Do we interpret research findings when neuro (managerial) logical results conflict? Imaging is an important aspect of dynamic capabilities and there is an increasing amount of evidence of how evolutionary patterns are shaped. There are yet unsolved problems in (managerial) cognition, although some of these problems have evidence supporting a hypothesized solution, and the field is rapidly evolving. What are the general implications of neuro (managerial) management? What happens in brain or is activated when Managers make decisions or are in the process of making decisions? Is study of decision-making via neuromanagement processes relevant for Managers? Many Managers seek information than required thereby causing delay because of time required to process information. This impairs effectiveness of decision. In this state, neuromanagement seeks to explain decision-making, ability to process multiple alternatives and choose optimal course of action. It studies how management behaviour shape understanding of brain and guide models of management. What are the coherent brain dynamics underlying prediction, control and decision making? Theoretical explanations posit that human brain accomplishes this through neural computations. Deciphering such transactions require understanding of neuro processes that implement value - dependent decision making. This leads to formulation of a ‘neuro - management decision making paradox’. The goal is a speculation of how brain implements decisions that is tied to behaviour. There are unsolved research issues; how does Manager decide in a state of vacillation, Risk and Probability? How does Manager decide in state of VUCA (Uncertainty, Vulnerability, Complexity and Ambiguity? How do we make decisions? How do human brains compute and represent abstract ideas? What counts as explanation of how brain works (what are function, algorithm and implementation)? This paper attempts at addressing current pace of advances in methods (fMRI, BOLD, EEG, ECG, etc), where we are going and what we ought to research next. This Paper attempts to explore phenomena through individual action, decision -making and reasoning processes. Objective is to put forward a model for neuro - management decision, in which interaction between variables of neuro - management decision processes are addressed through series of measurements of brain activity at time of decisions. Attempt is to describe a regular model for decision making process with intent of linking neuro - psycho and management levels of analysis capable of predicting observed behaviour. This provides conceptual framework for understanding and conducting Neuro (managerial) management research at intersection of neuro (managerial) science, management and psychology, offer solution through measurements of brain activity at time of decisions, linking and spanning neuro(managerial) biological and psychological and management levels of analysis.Decision-making is a region of intense study in neuroscience, and cognitive neuroscience, In real, World decision processes, management decisions emerge from complexly interlinked, This paper explores how brain absorbs information, recognises and frames problematic situations, and chooses appropriate responses, Brain structures suggest that brain considers various sources of information before making decision, Brain imaging technologies have stimulated neuro (managerial) studies of internal order of mind and its links with bandwidth of human decisions, How is (managerial) decision making processes carried out in brain? What are the limits of understanding thinking as a form of computing? How does previous experience alter behavior? Do we interpret research findings when neuro (managerial) logical results conflict? Imaging is an important aspect of dynamic capabilities and there is an increasing amount of evidence of how evolutionary patterns are shaped. There are yet unsolved problems in (managerial) cognition, although some of these problems have evidence supporting a hypothesized solution, and the field is rapidly evolving. What are the general implications of neuro (managerial) management? What happens in brain or is activated when Managers make decisions or are in the process of making decisions? Is study of decision-making via neuromanagement processes relevant for Managers? Many Managers seek information than required thereby causing delay because of time required to process information. This impairs effectiveness of decision. In this state, neuromanagement seeks to explain decision-making, ability to process multiple alternatives and choose optimal course of action. It studies how management behaviour shape understanding of brain and guide models of management. What are the coherent brain dynamics underlying prediction, control and decision making? Theoretical explanations posit that human brain accomplishes this through neural computations. Deciphering such transactions require understanding of neuro processes that implement value - dependent decision making. This leads to formulation of a ‘neuro - management decision making paradox’. The goal is a speculation of how brain implements decisions that is tied to behaviour. There are unsolved research issues; how does Manager decide in a state of vacillation, Risk and Probability? How does Manager decide in state of VUCA (Uncertainty, Vulnerability, Complexity and Ambiguity? How do we make decisions? How do human brains compute and represent abstract ideas? What counts as explanation of how brain works (what are function, algorithm and implementation)? This paper attempts at addressing current pace of advances in methods (fMRI, BOLD, EEG, ECG, etc), where we are going and what we ought to research next. This Paper attempts to explore phenomena through individual action, decision -making and reasoning processes. Objective is to put forward a model for neuro - management decision, in which interaction between variables of neuro - management decision processes are addressed through series of measurements of brain activity at time of decisions. Attempt is to describe a regular model for decision making process with intent of linking neuro - psycho and management levels of analysis capable of predicting observed behaviour. This provides conceptual framework for understanding and conducting Neuro (managerial) management research at intersection of neuro (managerial) science, management and psychology, offer solution through measurements of brain activity at time of decisions, linking and spanning neuro(managerial) biological and psychological and management levels of analysis.", + "description_zh": "Decision-making is a region of intense study in neuroscience, and cognitive neuroscience, In real, World decision processes, management decisions emerge from complexly interlinked, This paper explores how brain absorbs information, recognises and frames problematic situations, and chooses appropriate responses, Brain structures suggest that brain considers various sources of information before making decision, Brain imaging technologies have stimulated neuro (managerial) studies of internal order of mind and its links with bandwidth of human decisions, How is (managerial) decision making processes carried out in brain? What are the limits of understanding thinking as a form of computing? How does previous experience alter behavior? Do we interpret research findings when neuro (managerial) logical results conflict? Imaging is an important aspect of dynamic capabilities and there is an increasing amount of evidence of how evolutionary patterns are shaped. There are yet unsolved problems in (managerial) cognition, although some of these problems have evidence supporting a hypothesized solution, and the field is rapidly evolving. What are the general implications of neuro (managerial) management? What happens in brain or is activated when Managers make decisions or are in the process of making decisions? Is study of decision-making via neuromanagement processes relevant for Managers? Many Managers seek information than required thereby causing delay because of time required to process information. This impairs effectiveness of decision. In this state, neuromanagement seeks to explain decision-making, ability to process multiple alternatives and choose optimal course of action. It studies how management behaviour shape understanding of brain and guide models of management. What are the coherent brain dynamics underlying prediction, control and decision making? Theoretical explanations posit that human brain accomplishes this through neural computations. Deciphering such transactions require understanding of neuro processes that implement value - dependent decision making. This leads to formulation of a ‘neuro - management decision making paradox’. The goal is a speculation of how brain implements decisions that is tied to behaviour. There are unsolved research issues; how does Manager decide in a state of vacillation, Risk and Probability? How does Manager decide in state of VUCA (Uncertainty, Vulnerability, Complexity and Ambiguity? How do we make decisions? How do human brains compute and represent abstract ideas? What counts as explanation of how brain works (what are function, algorithm and implementation)? This paper attempts at addressing current pace of advances in methods (fMRI, BOLD, EEG, ECG, etc), where we are going and what we ought to research next. This Paper attempts to explore phenomena through individual action, decision -making and reasoning processes. Objective is to put forward a model for neuro - management decision, in which interaction between variables of neuro - management decision processes are addressed through series of measurements of brain activity at time of decisions. Attempt is to describe a regular model for decision making process with intent of linking neuro - psycho and management levels of analysis capable of predicting observed behaviour. This provides conceptual framework for understanding and conducting Neuro (managerial) management research at intersection of neuro (managerial) science, management and psychology, offer solution through measurements of brain activity at time of decisions, linking and spanning neuro(managerial) biological and psychological and management levels of analysis.Decision-making is a region of intense study in neuroscience, and cognitive neuroscience, In real, World decision processes, management decisions emerge from complexly interlinked, This paper explores how brain absorbs information, recognises and frames problematic situations, and chooses appropriate responses, Brain structures suggest that brain considers various sources of information before making decision, Brain imaging technologies have stimulated neuro (managerial) studies of internal order of mind and its links with bandwidth of human decisions, How is (managerial) decision making processes carried out in brain? What are the limits of understanding thinking as a form of computing? How does previous experience alter behavior? Do we interpret research findings when neuro (managerial) logical results conflict? Imaging is an important aspect of dynamic capabilities and there is an increasing amount of evidence of how evolutionary patterns are shaped. There are yet unsolved problems in (managerial) cognition, although some of these problems have evidence supporting a hypothesized solution, and the field is rapidly evolving. What are the general implications of neuro (managerial) management? What happens in brain or is activated when Managers make decisions or are in the process of making decisions? Is study of decision-making via neuromanagement processes relevant for Managers? Many Managers seek information than required thereby causing delay because of time required to process information. This impairs effectiveness of decision. In this state, neuromanagement seeks to explain decision-making, ability to process multiple alternatives and choose optimal course of action. It studies how management behaviour shape understanding of brain and guide models of management. What are the coherent brain dynamics underlying prediction, control and decision making? Theoretical explanations posit that human brain accomplishes this through neural computations. Deciphering such transactions require understanding of neuro processes that implement value - dependent decision making. This leads to formulation of a ‘neuro - management decision making paradox’. The goal is a speculation of how brain implements decisions that is tied to behaviour. There are unsolved research issues; how does Manager decide in a state of vacillation, Risk and Probability? How does Manager decide in state of VUCA (Uncertainty, Vulnerability, Complexity and Ambiguity? How do we make decisions? How do human brains compute and represent abstract ideas? What counts as explanation of how brain works (what are function, algorithm and implementation)? This paper attempts at addressing current pace of advances in methods (fMRI, BOLD, EEG, ECG, etc), where we are going and what we ought to research next. This Paper attempts to explore phenomena through individual action, decision -making and reasoning processes. Objective is to put forward a model for neuro - management decision, in which interaction between variables of neuro - management decision processes are addressed through series of measurements of brain activity at time of decisions. Attempt is to describe a regular model for decision making process with intent of linking neuro - psycho and management levels of analysis capable of predicting observed behaviour. This provides conceptual framework for understanding and conducting Neuro (managerial) management research at intersection of neuro (managerial) science, management and psychology, offer solution through measurements of brain activity at time of decisions, linking and spanning neuro(managerial) biological and psychological and management levels of analysis.", + "authors": [ + { + "name_en": "1 Lt Col (Dr) Jyotirmaya Satpathy, DLitt, Faculty, Officers’ Training Academy, Indian Army, Gaya, India. (Corresponding Author) Mail: jyotisatpathy@gmail.com 2 Dr Adyasha Das, PhD, Faculty, Indian Institute of Tourism Management, Bhubaneswar, India. 3 Professor Suneetha Narendran, PhD, Faculty, Dept. of Management(Organisation Behaviour) and Director Research, University of East London, UK. 4 Dr Sandhya R Das, PhD, Faculty, Dept. of Economics, Berhampur University, Berhampur, India.", + "name_zh": "1 Lt Col (Dr) Jyotirmaya Satpathy, DLitt, Faculty, Officers’ Training Academy, Indian Army, Gaya, India. (Corresponding Author) Mail: jyotisatpathy@gmail.com 2 Dr Adyasha Das, PhD, Faculty, Indian Institute of Tourism Management, Bhubaneswar, India. 3 Professor Suneetha Narendran, PhD, Faculty, Dept. of Management(Organisation Behaviour) and Director Research, University of East London, UK. 4 Dr Sandhya R Das, PhD, Faculty, Dept. of Economics, Berhampur University, Berhampur, India." + } + ], + "keywords_en": [ + "Key Words: Cognitive Neuroscience", + " Brain Imaging", + " Coherent Brain Dynamics", + " VUCA", + " fMRI", + " BOLD", + " EEG", + " ECG" + ], + "keywords_zh": [ + "Key Words: Cognitive Neuroscience", + " Brain Imaging", + " Coherent Brain Dynamics", + " VUCA", + " fMRI", + " BOLD", + " EEG", + " ECG" + ], + "publication_date": 1477238400000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.09, + "file_size_bytes": 97083, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3902305", + "cstr": "", + "pid": "", + "title": "Case report: a post-traumatic Neuro-COVID-19. Casuality or causality?", + "title_en": "Case report: a post-traumatic Neuro-COVID-19. Casuality or causality?", + "title_zh": "Case report: a post-traumatic Neuro-COVID-19. Casuality or causality?", + "description": "We describe the case of a 77 years old man with relevant oncologic comorbidities but in good general conditions who developed a rapidly deteriorating neurologic status up to a refractory coma just after a relatively minor accidental head and chest trauma. Emergency CT imaging of the brain and chest was not significant but DWI demonstrated a diffuse brain subcortical micro-ischemic pattern. EEG showed diffuse slow rhythm and cerebrospinal fluid (CSF) analysis revealed an inflammatory pattern with elevated proteinorrachia. The RT-PCR on pharyngeal swab was positive for SARS-CoV2 and generic Coronavirus antigens were found in CSF. In the following days, the patient developed a cytokine storm, a typical COVID-19 pneumonia and died 13 days after admission. In the specific macro-emergency context autopsy was not feasible, though laboratory findings support the pathogenetic role of Coronavirus in central nervous system damage. We do not know if the strict chronologic succession suggests a possible role of the head trauma in the development of the neurologic condition of this COVID-19 patient. We believe this report add to the knowledge about the presence of a Coronavirus in CSF.", + "description_en": "We describe the case of a 77 years old man with relevant oncologic comorbidities but in good general conditions who developed a rapidly deteriorating neurologic status up to a refractory coma just after a relatively minor accidental head and chest trauma. Emergency CT imaging of the brain and chest was not significant but DWI demonstrated a diffuse brain subcortical micro-ischemic pattern. EEG showed diffuse slow rhythm and cerebrospinal fluid (CSF) analysis revealed an inflammatory pattern with elevated proteinorrachia. The RT-PCR on pharyngeal swab was positive for SARS-CoV2 and generic Coronavirus antigens were found in CSF. In the following days, the patient developed a cytokine storm, a typical COVID-19 pneumonia and died 13 days after admission. In the specific macro-emergency context autopsy was not feasible, though laboratory findings support the pathogenetic role of Coronavirus in central nervous system damage. We do not know if the strict chronologic succession suggests a possible role of the head trauma in the development of the neurologic condition of this COVID-19 patient. We believe this report add to the knowledge about the presence of a Coronavirus in CSF.", + "description_zh": "We describe the case of a 77 years old man with relevant oncologic comorbidities but in good general conditions who developed a rapidly deteriorating neurologic status up to a refractory coma just after a relatively minor accidental head and chest trauma. Emergency CT imaging of the brain and chest was not significant but DWI demonstrated a diffuse brain subcortical micro-ischemic pattern. EEG showed diffuse slow rhythm and cerebrospinal fluid (CSF) analysis revealed an inflammatory pattern with elevated proteinorrachia. The RT-PCR on pharyngeal swab was positive for SARS-CoV2 and generic Coronavirus antigens were found in CSF. In the following days, the patient developed a cytokine storm, a typical COVID-19 pneumonia and died 13 days after admission. In the specific macro-emergency context autopsy was not feasible, though laboratory findings support the pathogenetic role of Coronavirus in central nervous system damage. We do not know if the strict chronologic succession suggests a possible role of the head trauma in the development of the neurologic condition of this COVID-19 patient. We believe this report add to the knowledge about the presence of a Coronavirus in CSF.", + "authors": [ + { + "name_en": "Cortassa Giorgio Mario", + "name_zh": "Cortassa Giorgio Mario" + }, + { + "name_en": " Bottone Stefania", + "name_zh": " Bottone Stefania" + }, + { + "name_en": " Saia Valentina", + "name_zh": " Saia Valentina" + }, + { + "name_en": " Grillo Giovanna", + "name_zh": " Grillo Giovanna" + }, + { + "name_en": " Bertolino Monica", + "name_zh": " Bertolino Monica" + }, + { + "name_en": " Tassinari Tiziana", + "name_zh": " Tassinari Tiziana" + }, + { + "name_en": " Mangerini R", + "name_zh": " Mangerini R" + }, + { + "name_en": " Tedone E", + "name_zh": " Tedone E" + } + ], + "keywords_en": [ + "COVID-19", + "head trauma", + "neurologic presentation", + "DWI imaging", + "Coronavirus in liquor" + ], + "keywords_zh": [ + "COVID-19", + "head trauma", + "neurologic presentation", + "DWI imaging", + "Coronavirus in liquor" + ], + "publication_date": 1592582400000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.32, + "file_size_bytes": 331812, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1211690", + "cstr": "", + "pid": "", + "title": "Material related to the blog that reports on the parrot LUT", + "title_en": "Material related to the blog that reports on the parrot LUT", + "title_zh": "Material related to the blog that reports on the parrot LUT", + "description": "Material related to the blog that reports on the parrot LUTThe blog was published at the Node: http://thenode.biologists.com/parrot-lut/research/ -SourceThe ‘morgenstemning’ LUT was originally described in:M. Geissbuehler and T. Lasser - "How to display data by color schemes compatible with red-green color perception deficiencies”, Optics Express, 2013The ‘inferno’ LUT was originally created by Stéfan van der Walt and Nathaniel Smith (http://bids.github.io/colormap/).The ‘pseudocolorMM’ LUT was derived from MetaMorph software (version 7.6).The ‘royal’ and ‘Fire’ LUT are available in ImageJ (version 1.49j)The ‘parrot’ LUT was designed by Joachim Goedhart and first described here:http://thenode.biologists.com/parrot-lut/research/-DistributionThe colormaps Magma, Inferno, Plasma and Viridis are available under a CC0 "no rights reserved" license (https://creativecommons.org/share-your-work/public-domain/cc0) and are present in FIJI.The colormaps Mongenstemning & Parrot are free software: you can redistribute them and/or modifyit under the terms of the GNU General Public License as published bythe Free Software Foundation, either version 3 of the License, or(at your option) any later version.These colormaps are distributed in the hope that they will be useful,but WITHOUT ANY WARRANTY; without even the implied warranty ofMERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See theGNU General Public License for more details: <http://www.gnu.org/licenses/>.", + "description_en": "Material related to the blog that reports on the parrot LUTThe blog was published at the Node: http://thenode.biologists.com/parrot-lut/research/ -SourceThe ‘morgenstemning’ LUT was originally described in:M. Geissbuehler and T. Lasser - "How to display data by color schemes compatible with red-green color perception deficiencies”, Optics Express, 2013The ‘inferno’ LUT was originally created by Stéfan van der Walt and Nathaniel Smith (http://bids.github.io/colormap/).The ‘pseudocolorMM’ LUT was derived from MetaMorph software (version 7.6).The ‘royal’ and ‘Fire’ LUT are available in ImageJ (version 1.49j)The ‘parrot’ LUT was designed by Joachim Goedhart and first described here:http://thenode.biologists.com/parrot-lut/research/-DistributionThe colormaps Magma, Inferno, Plasma and Viridis are available under a CC0 "no rights reserved" license (https://creativecommons.org/share-your-work/public-domain/cc0) and are present in FIJI.The colormaps Mongenstemning & Parrot are free software: you can redistribute them and/or modifyit under the terms of the GNU General Public License as published bythe Free Software Foundation, either version 3 of the License, or(at your option) any later version.These colormaps are distributed in the hope that they will be useful,but WITHOUT ANY WARRANTY; without even the implied warranty ofMERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See theGNU General Public License for more details: <http://www.gnu.org/licenses/>.", + "description_zh": "Material related to the blog that reports on the parrot LUTThe blog was published at the Node: http://thenode.biologists.com/parrot-lut/research/ -SourceThe ‘morgenstemning’ LUT was originally described in:M. Geissbuehler and T. Lasser - "How to display data by color schemes compatible with red-green color perception deficiencies”, Optics Express, 2013The ‘inferno’ LUT was originally created by Stéfan van der Walt and Nathaniel Smith (http://bids.github.io/colormap/).The ‘pseudocolorMM’ LUT was derived from MetaMorph software (version 7.6).The ‘royal’ and ‘Fire’ LUT are available in ImageJ (version 1.49j)The ‘parrot’ LUT was designed by Joachim Goedhart and first described here:http://thenode.biologists.com/parrot-lut/research/-DistributionThe colormaps Magma, Inferno, Plasma and Viridis are available under a CC0 "no rights reserved" license (https://creativecommons.org/share-your-work/public-domain/cc0) and are present in FIJI.The colormaps Mongenstemning & Parrot are free software: you can redistribute them and/or modifyit under the terms of the GNU General Public License as published bythe Free Software Foundation, either version 3 of the License, or(at your option) any later version.These colormaps are distributed in the hope that they will be useful,but WITHOUT ANY WARRANTY; without even the implied warranty ofMERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See theGNU General Public License for more details: <http://www.gnu.org/licenses/>.", + "authors": [ + { + "name_en": "Goedhart J.", + "name_zh": "Goedhart J." + } + ], + "keywords_en": [ + "LUT", + "parrot", + "pseudocolor" + ], + "keywords_zh": [ + "LUT", + "parrot", + "pseudocolor" + ], + "publication_date": "2018-04-28T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 4.09, + "file_size_bytes": 4288054, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3259369", + "cstr": "", + "pid": "", + "title": "Data related to the article: Y. Norman et al., Science 365, eaax1030 (2019)", + "title_en": "Data related to the article: Y. Norman et al., Science 365, eaax1030 (2019)", + "title_zh": "Data related to the article: Y. Norman et al., Science 365, eaax1030 (2019)", + "description": "This data set contains intracranial EEG data, analysis code and results associated with the manuscript, "Hippocampal Sharp-wave Ripples Linked to Visual Episodic Recollection in Humans". [DOI: 10.1126/science.aax1030]Data files (.mat) and associated scripts (.m) are divided into folders according to the subject of the analysis (e.g. ripple detection, ripple-triggered averages, multivariate pattern analysis etc.) and are all contained in the .zip file: “Norman_et_al_2019_data_and_code_zenodo.zip".The code is written in Matlab R2018b and run on a desktop computer with a 3.4Ghz Intel Core i7-6700 CPU with 64GB RAM.Matlab's Signal Processing Toolbox is required.General notes:1) The data does not contain identifying details about the patients, nor voice recordings.2) Before running the analyses, make sure you set the correct paths in the "startup_script.m" located in the main folder where the zip file was extracted.3) To run the code, the following open-source toolboxes are required:\tEEGLAB (https://sccn.ucsd.edu/eeglab/download.php), version: "eeglab14_1_2b". \t\t\tA. Delorme, S. Makeig, EEGLAB: An open source toolbox for analysis of single-trial EEG dynamics including independent component analysis. J. Neurosci. Methods. 134, 9–21 (2004).\t\t\tMass Univariate ERP Toolbox (https://openwetware.org/wiki/Mass_Univariate_ERP_Toolbox), version: "dmgroppe-Mass_Univariate_ERP_Toolbox-d1e60d4".\t\t\tD. M. Groppe, T. P. Urbach, M. Kutas, Mass univariate analysis of event-related brain potentials/fields I: A critical tutorial review. Psychophysiology. 48, 1711–1725 (2011).\t\t*** Make sure you download the relevant toolboxes and save them in the "path_to_toolboxes" before running the analysis scripts (see "startup_script.m")4) Code developed by other authors (redistributed here as part of the analysis code):\tDRtoolbox (https://lvdmaaten.github.io/drtoolbox/), version: 0.8.1b.\t\t\tL.J.P. van der Maaten, E.O. Postma, and H.J. van den Herik. Dimensionality Reduction: A Comparative Review. Tilburg University Technical Report, TiCC-TR 2009-005, 2009.\t\t\tScott Lowe / superbar (https://github.com/scottclowe/superbar), version: 1.5.0.\tOliver J. Woodford, Yair M. Altman / export_fig (https://github.com/altmany/export_fig).", + "description_en": "This data set contains intracranial EEG data, analysis code and results associated with the manuscript, "Hippocampal Sharp-wave Ripples Linked to Visual Episodic Recollection in Humans". [DOI: 10.1126/science.aax1030]Data files (.mat) and associated scripts (.m) are divided into folders according to the subject of the analysis (e.g. ripple detection, ripple-triggered averages, multivariate pattern analysis etc.) and are all contained in the .zip file: “Norman_et_al_2019_data_and_code_zenodo.zip".The code is written in Matlab R2018b and run on a desktop computer with a 3.4Ghz Intel Core i7-6700 CPU with 64GB RAM.Matlab's Signal Processing Toolbox is required.General notes:1) The data does not contain identifying details about the patients, nor voice recordings.2) Before running the analyses, make sure you set the correct paths in the "startup_script.m" located in the main folder where the zip file was extracted.3) To run the code, the following open-source toolboxes are required:\tEEGLAB (https://sccn.ucsd.edu/eeglab/download.php), version: "eeglab14_1_2b". \t\t\tA. Delorme, S. Makeig, EEGLAB: An open source toolbox for analysis of single-trial EEG dynamics including independent component analysis. J. Neurosci. Methods. 134, 9–21 (2004).\t\t\tMass Univariate ERP Toolbox (https://openwetware.org/wiki/Mass_Univariate_ERP_Toolbox), version: "dmgroppe-Mass_Univariate_ERP_Toolbox-d1e60d4".\t\t\tD. M. Groppe, T. P. Urbach, M. Kutas, Mass univariate analysis of event-related brain potentials/fields I: A critical tutorial review. Psychophysiology. 48, 1711–1725 (2011).\t\t*** Make sure you download the relevant toolboxes and save them in the "path_to_toolboxes" before running the analysis scripts (see "startup_script.m")4) Code developed by other authors (redistributed here as part of the analysis code):\tDRtoolbox (https://lvdmaaten.github.io/drtoolbox/), version: 0.8.1b.\t\t\tL.J.P. van der Maaten, E.O. Postma, and H.J. van den Herik. Dimensionality Reduction: A Comparative Review. Tilburg University Technical Report, TiCC-TR 2009-005, 2009.\t\t\tScott Lowe / superbar (https://github.com/scottclowe/superbar), version: 1.5.0.\tOliver J. Woodford, Yair M. Altman / export_fig (https://github.com/altmany/export_fig).", + "description_zh": "This data set contains intracranial EEG data, analysis code and results associated with the manuscript, "Hippocampal Sharp-wave Ripples Linked to Visual Episodic Recollection in Humans". [DOI: 10.1126/science.aax1030]Data files (.mat) and associated scripts (.m) are divided into folders according to the subject of the analysis (e.g. ripple detection, ripple-triggered averages, multivariate pattern analysis etc.) and are all contained in the .zip file: “Norman_et_al_2019_data_and_code_zenodo.zip".The code is written in Matlab R2018b and run on a desktop computer with a 3.4Ghz Intel Core i7-6700 CPU with 64GB RAM.Matlab's Signal Processing Toolbox is required.General notes:1) The data does not contain identifying details about the patients, nor voice recordings.2) Before running the analyses, make sure you set the correct paths in the "startup_script.m" located in the main folder where the zip file was extracted.3) To run the code, the following open-source toolboxes are required:\tEEGLAB (https://sccn.ucsd.edu/eeglab/download.php), version: "eeglab14_1_2b". \t\t\tA. Delorme, S. Makeig, EEGLAB: An open source toolbox for analysis of single-trial EEG dynamics including independent component analysis. J. Neurosci. Methods. 134, 9–21 (2004).\t\t\tMass Univariate ERP Toolbox (https://openwetware.org/wiki/Mass_Univariate_ERP_Toolbox), version: "dmgroppe-Mass_Univariate_ERP_Toolbox-d1e60d4".\t\t\tD. M. Groppe, T. P. Urbach, M. Kutas, Mass univariate analysis of event-related brain potentials/fields I: A critical tutorial review. Psychophysiology. 48, 1711–1725 (2011).\t\t*** Make sure you download the relevant toolboxes and save them in the "path_to_toolboxes" before running the analysis scripts (see "startup_script.m")4) Code developed by other authors (redistributed here as part of the analysis code):\tDRtoolbox (https://lvdmaaten.github.io/drtoolbox/), version: 0.8.1b.\t\t\tL.J.P. van der Maaten, E.O. Postma, and H.J. van den Herik. Dimensionality Reduction: A Comparative Review. Tilburg University Technical Report, TiCC-TR 2009-005, 2009.\t\t\tScott Lowe / superbar (https://github.com/scottclowe/superbar), version: 1.5.0.\tOliver J. Woodford, Yair M. Altman / export_fig (https://github.com/altmany/export_fig).", + "authors": [ + { + "name_en": "Yitzhak Norman", + "name_zh": "Yitzhak Norman" + }, + { + "name_en": "Erin M. Yeagle", + "name_zh": "Erin M. Yeagle" + }, + { + "name_en": "Simon Khuvis", + "name_zh": "Simon Khuvis" + }, + { + "name_en": "Michal Harel", + "name_zh": "Michal Harel" + }, + { + "name_en": "Ashesh D. Mehta", + "name_zh": "Ashesh D. Mehta" + }, + { + "name_en": "Rafael Malach", + "name_zh": "Rafael Malach" + } + ], + "keywords_en": [ + "learning and memory", + "recall", + "episodic memory", + "iEEG", + "ECoG", + "sharp wave ripples", + "hippocampus", + "cortex", + "vision", + "reinstatement", + "neuronal representations", + "ripple" + ], + "keywords_zh": [ + "learning and memory", + "recall", + "episodic memory", + "iEEG", + "ECoG", + "sharp wave ripples", + "hippocampus", + "cortex", + "vision", + "reinstatement", + "neuronal representations", + "ripple" + ], + "publication_date": "2019-07-31T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 3297.87, + "file_size_bytes": 3458065961, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.821567", + "cstr": "", + "pid": "", + "title": "Data from Hesse et al. 2017: Preattentive Processing of Numerical Visual Information, Front Hum Neurosci., 11:70, 2017. doi: 10.3389/fnhum.2017.00070.", + "title_en": "Data from Hesse et al. 2017: Preattentive Processing of Numerical Visual Information, Front Hum Neurosci., 11:70, 2017. doi: 10.3389/fnhum.2017.00070.", + "title_zh": "Data from Hesse et al. 2017: Preattentive Processing of Numerical Visual Information, Front Hum Neurosci., 11:70, 2017. doi: 10.3389/fnhum.2017.00070.", + "description": "Data related to the following publication: Hesse Philipp N., Schmitt Constanze, Klingenhoefer Steffen, Bremmer Frank (2017). Preattentive Processing of Numerical Visual Information. Frontiers in Human Neuroscience, 11: 70. doi: 10.3389/fnhum.2017.00070Brief description of dataset:The stimulus was presented on a TFT monitor (size: 41,8° x 24,3°) 52 cm in front of the participants in a dark, sound attenuated and electrically shielded room. During the experiment EEG was recorded continuously. We used 64 Ag/AgCl active electrodes located according to the extended international 10-20 system. The numerosity stimulus consisted of a continuously displayed black fixation target in the center of the gray screen. Additionally in each trial either one, two or three circular white patches were shown 200 ms after trial onset. These were presented for a random duration between 400 ms and 500 ms either in the left or right visual field. Two different types of patches were presented: i) the radius of the patches had the same value (0.65°) and therefore the patch size was the same (“SizeCon”) ii) the total area of the patches was conserved which resulted in the same total luminance independent of the number of patches (“LumCon”). After a random time between 400 ms and 700 ms after stimulus offset the trials ended.In this study we conducted an oddball experiment with an oddball-ratio of 1:4. In each block consisting of 30 trials a standard-amount of patches (one, two or three) was presented in 80% of all trials (24 trials). The two remaining quantities of patches were shown in 10% (3 trials) of the trials each. This presentation scheme allowed us to compare trials with identical physical properties because each amount of patches served as deviant and standard trial in different blocks. Attention of the participants was drawn off the white patches by a demanding detection task at the fixation target. A total number of 432 blocks consisting of 30 trials was presented to each of the 10 participants.EEG data were evaluated offline. The mastoids (TP9 and TP10) were chosen as new reference. A second-order, zero phase shift Butterworth filter with cutoff frequencies 0.5 and 40 Hz was applied to the continuously recorded data before it was sliced in individual trials that had a time range from 200 ms before to 500 ms after stimulus onset. A baseline correction was performed using with the signals from -110 ms to 0 ms. As a last step trials with eye movement artifacts or electrode signals that exceeded a difference of ±100 µV within an interval of 100 ms were excluded in an artifact rejection step. ", + "description_en": "Data related to the following publication: Hesse Philipp N., Schmitt Constanze, Klingenhoefer Steffen, Bremmer Frank (2017). Preattentive Processing of Numerical Visual Information. Frontiers in Human Neuroscience, 11: 70. doi: 10.3389/fnhum.2017.00070Brief description of dataset:The stimulus was presented on a TFT monitor (size: 41,8° x 24,3°) 52 cm in front of the participants in a dark, sound attenuated and electrically shielded room. During the experiment EEG was recorded continuously. We used 64 Ag/AgCl active electrodes located according to the extended international 10-20 system. The numerosity stimulus consisted of a continuously displayed black fixation target in the center of the gray screen. Additionally in each trial either one, two or three circular white patches were shown 200 ms after trial onset. These were presented for a random duration between 400 ms and 500 ms either in the left or right visual field. Two different types of patches were presented: i) the radius of the patches had the same value (0.65°) and therefore the patch size was the same (“SizeCon”) ii) the total area of the patches was conserved which resulted in the same total luminance independent of the number of patches (“LumCon”). After a random time between 400 ms and 700 ms after stimulus offset the trials ended.In this study we conducted an oddball experiment with an oddball-ratio of 1:4. In each block consisting of 30 trials a standard-amount of patches (one, two or three) was presented in 80% of all trials (24 trials). The two remaining quantities of patches were shown in 10% (3 trials) of the trials each. This presentation scheme allowed us to compare trials with identical physical properties because each amount of patches served as deviant and standard trial in different blocks. Attention of the participants was drawn off the white patches by a demanding detection task at the fixation target. A total number of 432 blocks consisting of 30 trials was presented to each of the 10 participants.EEG data were evaluated offline. The mastoids (TP9 and TP10) were chosen as new reference. A second-order, zero phase shift Butterworth filter with cutoff frequencies 0.5 and 40 Hz was applied to the continuously recorded data before it was sliced in individual trials that had a time range from 200 ms before to 500 ms after stimulus onset. A baseline correction was performed using with the signals from -110 ms to 0 ms. As a last step trials with eye movement artifacts or electrode signals that exceeded a difference of ±100 µV within an interval of 100 ms were excluded in an artifact rejection step. ", + "description_zh": "Data related to the following publication: Hesse Philipp N., Schmitt Constanze, Klingenhoefer Steffen, Bremmer Frank (2017). Preattentive Processing of Numerical Visual Information. Frontiers in Human Neuroscience, 11: 70. doi: 10.3389/fnhum.2017.00070Brief description of dataset:The stimulus was presented on a TFT monitor (size: 41,8° x 24,3°) 52 cm in front of the participants in a dark, sound attenuated and electrically shielded room. During the experiment EEG was recorded continuously. We used 64 Ag/AgCl active electrodes located according to the extended international 10-20 system. The numerosity stimulus consisted of a continuously displayed black fixation target in the center of the gray screen. Additionally in each trial either one, two or three circular white patches were shown 200 ms after trial onset. These were presented for a random duration between 400 ms and 500 ms either in the left or right visual field. Two different types of patches were presented: i) the radius of the patches had the same value (0.65°) and therefore the patch size was the same (“SizeCon”) ii) the total area of the patches was conserved which resulted in the same total luminance independent of the number of patches (“LumCon”). After a random time between 400 ms and 700 ms after stimulus offset the trials ended.In this study we conducted an oddball experiment with an oddball-ratio of 1:4. In each block consisting of 30 trials a standard-amount of patches (one, two or three) was presented in 80% of all trials (24 trials). The two remaining quantities of patches were shown in 10% (3 trials) of the trials each. This presentation scheme allowed us to compare trials with identical physical properties because each amount of patches served as deviant and standard trial in different blocks. Attention of the participants was drawn off the white patches by a demanding detection task at the fixation target. A total number of 432 blocks consisting of 30 trials was presented to each of the 10 participants.EEG data were evaluated offline. The mastoids (TP9 and TP10) were chosen as new reference. A second-order, zero phase shift Butterworth filter with cutoff frequencies 0.5 and 40 Hz was applied to the continuously recorded data before it was sliced in individual trials that had a time range from 200 ms before to 500 ms after stimulus onset. A baseline correction was performed using with the signals from -110 ms to 0 ms. As a last step trials with eye movement artifacts or electrode signals that exceeded a difference of ±100 µV within an interval of 100 ms were excluded in an artifact rejection step. ", + "authors": [ + { + "name_en": "Hesse Philipp N.", + "name_zh": "Hesse Philipp N." + }, + { + "name_en": "Schmitt Constanze", + "name_zh": "Schmitt Constanze" + }, + { + "name_en": "Klingenhoefer Steffen", + "name_zh": "Klingenhoefer Steffen" + }, + { + "name_en": "Bremmer Frank", + "name_zh": "Bremmer Frank" + } + ], + "keywords_en": [ + "visual mismatch negativity", + " vMMN", + " number", + " subitizing-range", + " preattentive" + ], + "keywords_zh": [ + "visual mismatch negativity", + " vMMN", + " number", + " subitizing-range", + " preattentive" + ], + "publication_date": "2017-07-02T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 80.8, + "file_size_bytes": 84724377, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.2650142", + "cstr": "", + "pid": "", + "title": "The DREAMS Databases and Assessment Algorithm", + "title_en": "The DREAMS Databases and Assessment Algorithm", + "title_zh": "The DREAMS Databases and Assessment Algorithm", + "description": "The DREAMS Databases and Assessment algorithmDuring the DREAMS project funded by Région Wallonne (Be), we collected a large amount of polysomnographic recordings (PSG) to tune, train and test our automatic detection algorithms.These recordings were annotated in microevents or in sleep stages by several experts. They were acquired in a sleep laboratory of a belgium hospital using a digital 32-channel polygraph (BrainnetTM System of MEDATEC, Brussels, Belgium). The standard European Data Format (EDF) was used for storing.In order to facilitate future research and performance comparision, we decided to publish these data on Internet. Therefore, eight DREAMS databases are available according to the annotation carried out (click on the link to open):•    The DREAMS Subjects Database: 20 whole-night PSG recordings coming from healthy subjects, annoted in sleep stages according to both the Rechtschaffen and Kales criteria and the new standard of the American Academy of Sleep Medicine;•    The DREAMS Patients Database: 27 whole-night PSG recordings coming from patients with various pathologies, annoted in sleep stages according to both the Rechtschaffen and Kales criteria and the new standard of the American Academy of Sleep Medicine;•    The DREAMS Artifacts Database: 20 excerpts of 15 minutes of PSG recordings annoted in artifacts (cardiac interference, slow ondulations, muscle artifacts, failing electrode, 50/60Hz main interference, saturations, abrupt transitions, EOG interferences and artifacts in EOG) by an expert;•    The DREAMS Sleep Spindles Database: 8 excerpts of 30 minutes of central EEG channel (extracted from whole-night PSG recordings), annotated independently by two experts in sleep spindles; PLEASE NOTICE THAT EXPERT 1's SCORED SPINDLE COUNTS WERE CUT OFF AFTER 1000 SECONDS. THIS MAKES IT DIFFICULT TO USE COUNTS FOR COMPARISON.•    The DREAMS K-complexes Database: 5 excerpts of 30 minutes of central EEG channel (extracted from whole-night PSG recordings), annotated independently by two experts in K-complexes;•    The DREAMS REMs Database: 9 excerpts of 30 minutes of PSG recordings in which rapid eye movements were annotated by an expert;•    The DREAMS PLMs Database: 10 whole-night PSG recordings coming from patients in which one of the two tibialis EMG was annoted in periodic limb movements by an expert;•    The DREAMS Apnea Database: 12 whole-night PSG recordings coming from patients annoted in respiratory events (central, obstructive and mixed apnea and hypopnea) by an expert.We also developped and tested several automatic procedures to detect micro-events such as sleep spindles, K-complexes, REMS, etc. and provide the source codes for them in the DREAMS Assessment Algorithm package.(MORE INFORMATION ON EACH DBA CAN BE FOUND in pdf file in this repository)All our publications on this subject can be found in : https://www.researchgate.net/scientific-contributions/35338616_S_Devuyst", + "description_en": "The DREAMS Databases and Assessment algorithmDuring the DREAMS project funded by Région Wallonne (Be), we collected a large amount of polysomnographic recordings (PSG) to tune, train and test our automatic detection algorithms.These recordings were annotated in microevents or in sleep stages by several experts. They were acquired in a sleep laboratory of a belgium hospital using a digital 32-channel polygraph (BrainnetTM System of MEDATEC, Brussels, Belgium). The standard European Data Format (EDF) was used for storing.In order to facilitate future research and performance comparision, we decided to publish these data on Internet. Therefore, eight DREAMS databases are available according to the annotation carried out (click on the link to open):•    The DREAMS Subjects Database: 20 whole-night PSG recordings coming from healthy subjects, annoted in sleep stages according to both the Rechtschaffen and Kales criteria and the new standard of the American Academy of Sleep Medicine;•    The DREAMS Patients Database: 27 whole-night PSG recordings coming from patients with various pathologies, annoted in sleep stages according to both the Rechtschaffen and Kales criteria and the new standard of the American Academy of Sleep Medicine;•    The DREAMS Artifacts Database: 20 excerpts of 15 minutes of PSG recordings annoted in artifacts (cardiac interference, slow ondulations, muscle artifacts, failing electrode, 50/60Hz main interference, saturations, abrupt transitions, EOG interferences and artifacts in EOG) by an expert;•    The DREAMS Sleep Spindles Database: 8 excerpts of 30 minutes of central EEG channel (extracted from whole-night PSG recordings), annotated independently by two experts in sleep spindles; PLEASE NOTICE THAT EXPERT 1's SCORED SPINDLE COUNTS WERE CUT OFF AFTER 1000 SECONDS. THIS MAKES IT DIFFICULT TO USE COUNTS FOR COMPARISON.•    The DREAMS K-complexes Database: 5 excerpts of 30 minutes of central EEG channel (extracted from whole-night PSG recordings), annotated independently by two experts in K-complexes;•    The DREAMS REMs Database: 9 excerpts of 30 minutes of PSG recordings in which rapid eye movements were annotated by an expert;•    The DREAMS PLMs Database: 10 whole-night PSG recordings coming from patients in which one of the two tibialis EMG was annoted in periodic limb movements by an expert;•    The DREAMS Apnea Database: 12 whole-night PSG recordings coming from patients annoted in respiratory events (central, obstructive and mixed apnea and hypopnea) by an expert.We also developped and tested several automatic procedures to detect micro-events such as sleep spindles, K-complexes, REMS, etc. and provide the source codes for them in the DREAMS Assessment Algorithm package.(MORE INFORMATION ON EACH DBA CAN BE FOUND in pdf file in this repository)All our publications on this subject can be found in : https://www.researchgate.net/scientific-contributions/35338616_S_Devuyst", + "description_zh": "The DREAMS Databases and Assessment algorithmDuring the DREAMS project funded by Région Wallonne (Be), we collected a large amount of polysomnographic recordings (PSG) to tune, train and test our automatic detection algorithms.These recordings were annotated in microevents or in sleep stages by several experts. They were acquired in a sleep laboratory of a belgium hospital using a digital 32-channel polygraph (BrainnetTM System of MEDATEC, Brussels, Belgium). The standard European Data Format (EDF) was used for storing.In order to facilitate future research and performance comparision, we decided to publish these data on Internet. Therefore, eight DREAMS databases are available according to the annotation carried out (click on the link to open):•    The DREAMS Subjects Database: 20 whole-night PSG recordings coming from healthy subjects, annoted in sleep stages according to both the Rechtschaffen and Kales criteria and the new standard of the American Academy of Sleep Medicine;•    The DREAMS Patients Database: 27 whole-night PSG recordings coming from patients with various pathologies, annoted in sleep stages according to both the Rechtschaffen and Kales criteria and the new standard of the American Academy of Sleep Medicine;•    The DREAMS Artifacts Database: 20 excerpts of 15 minutes of PSG recordings annoted in artifacts (cardiac interference, slow ondulations, muscle artifacts, failing electrode, 50/60Hz main interference, saturations, abrupt transitions, EOG interferences and artifacts in EOG) by an expert;•    The DREAMS Sleep Spindles Database: 8 excerpts of 30 minutes of central EEG channel (extracted from whole-night PSG recordings), annotated independently by two experts in sleep spindles; PLEASE NOTICE THAT EXPERT 1's SCORED SPINDLE COUNTS WERE CUT OFF AFTER 1000 SECONDS. THIS MAKES IT DIFFICULT TO USE COUNTS FOR COMPARISON.•    The DREAMS K-complexes Database: 5 excerpts of 30 minutes of central EEG channel (extracted from whole-night PSG recordings), annotated independently by two experts in K-complexes;•    The DREAMS REMs Database: 9 excerpts of 30 minutes of PSG recordings in which rapid eye movements were annotated by an expert;•    The DREAMS PLMs Database: 10 whole-night PSG recordings coming from patients in which one of the two tibialis EMG was annoted in periodic limb movements by an expert;•    The DREAMS Apnea Database: 12 whole-night PSG recordings coming from patients annoted in respiratory events (central, obstructive and mixed apnea and hypopnea) by an expert.We also developped and tested several automatic procedures to detect micro-events such as sleep spindles, K-complexes, REMS, etc. and provide the source codes for them in the DREAMS Assessment Algorithm package.(MORE INFORMATION ON EACH DBA CAN BE FOUND in pdf file in this repository)All our publications on this subject can be found in : https://www.researchgate.net/scientific-contributions/35338616_S_Devuyst", + "authors": [ + { + "name_en": "Stephanie Devuyst", + "name_zh": "Stephanie Devuyst" + } + ], + "keywords_en": [ + "Sleep stage analysis", + " polysomnography", + " sleep signal artifacts", + "spindles", + "K-complex", + "REM", + "PLM", + "Apnea" + ], + "keywords_zh": [ + "Sleep stage analysis", + " polysomnography", + " sleep signal artifacts", + "spindles", + "K-complex", + "REM", + "PLM", + "Apnea" + ], + "publication_date": "2004-12-31T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-ND-3.0", + "file_size_mb": 0.03, + "file_size_bytes": 32470, + "download_count": 7, + "visit_count": 45, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "64f04634cc4bc33e70a58efe", + "doi": "10.6084/m9.figshare.21080953.v1", + "cstr": "", + "pid": "", + "title": "Clinical features of the first critical case of acute encephalitis caused by avian influenza A (H5N6) virus", + "title_en": "Clinical features of the first critical case of acute encephalitis caused by avian influenza A (H5N6) virus", + "title_zh": "Clinical features of the first critical case of acute encephalitis caused by avian influenza A (H5N6) virus", + "description": "

Highly pathogenic avian influenza virus (HPAIV) such as H5N1, H5N6, and H7N9 have been reported to frequently infect human, but acute encephalitis caused by HPAIV in human have been rarely reported. We report the first critical case of acute encephalitis with mild pneumonia caused by H5N6 virus. On January 25 of 2022, a 6-year-old girl with severe neurological symptoms was admitted to our hospital and rapidly developed to seizures and coma. Brain imaging showed abnormalities. Electroencephalogram (EEG) presented abnormal slow waves. Cerebrospinal fluid (CSF) contained elevated protein (1.64 g/L) and white cells (546×106/L). Laboratory investigations revealed abnormally elevated transaminases, lactate dehydrogenase and cytokines in serum. A novel reassortant H5N6 virus was identified from the patient’s serum, CSF and tracheal aspirate specimens. Phylogenic analysis indicated that this virus was a novel reassortant avian-origin influenza A (H5N6) virus belonged into clade 2.3.4.4b. This patient was diagnosed with acute encephalitis and discharged from the hospital accompanied with language barrier. Epidemiological investigation confirmed that wild waterfowls were the direct source of infection of this case. Our study highlights the urgent need to pay attenuation to acute encephalitis caused by HPAIV.

", + "description_en": "

Highly pathogenic avian influenza virus (HPAIV) such as H5N1, H5N6, and H7N9 have been reported to frequently infect human, but acute encephalitis caused by HPAIV in human have been rarely reported. We report the first critical case of acute encephalitis with mild pneumonia caused by H5N6 virus. On January 25 of 2022, a 6-year-old girl with severe neurological symptoms was admitted to our hospital and rapidly developed to seizures and coma. Brain imaging showed abnormalities. Electroencephalogram (EEG) presented abnormal slow waves. Cerebrospinal fluid (CSF) contained elevated protein (1.64 g/L) and white cells (546×106/L). Laboratory investigations revealed abnormally elevated transaminases, lactate dehydrogenase and cytokines in serum. A novel reassortant H5N6 virus was identified from the patient’s serum, CSF and tracheal aspirate specimens. Phylogenic analysis indicated that this virus was a novel reassortant avian-origin influenza A (H5N6) virus belonged into clade 2.3.4.4b. This patient was diagnosed with acute encephalitis and discharged from the hospital accompanied with language barrier. Epidemiological investigation confirmed that wild waterfowls were the direct source of infection of this case. Our study highlights the urgent need to pay attenuation to acute encephalitis caused by HPAIV.

", + "description_zh": "

Highly pathogenic avian influenza virus (HPAIV) such as H5N1, H5N6, and H7N9 have been reported to frequently infect human, but acute encephalitis caused by HPAIV in human have been rarely reported. We report the first critical case of acute encephalitis with mild pneumonia caused by H5N6 virus. On January 25 of 2022, a 6-year-old girl with severe neurological symptoms was admitted to our hospital and rapidly developed to seizures and coma. Brain imaging showed abnormalities. Electroencephalogram (EEG) presented abnormal slow waves. Cerebrospinal fluid (CSF) contained elevated protein (1.64 g/L) and white cells (546×106/L). Laboratory investigations revealed abnormally elevated transaminases, lactate dehydrogenase and cytokines in serum. A novel reassortant H5N6 virus was identified from the patient’s serum, CSF and tracheal aspirate specimens. Phylogenic analysis indicated that this virus was a novel reassortant avian-origin influenza A (H5N6) virus belonged into clade 2.3.4.4b. This patient was diagnosed with acute encephalitis and discharged from the hospital accompanied with language barrier. Epidemiological investigation confirmed that wild waterfowls were the direct source of infection of this case. Our study highlights the urgent need to pay attenuation to acute encephalitis caused by HPAIV.

", + "authors": [ + { + "name_en": "Zhang Libing", + "name_zh": "Zhang Libing", + "email": "zhangpinghu@yzu.edu.cn", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + }, + { + "name_en": "Liu Kaituo", + "name_zh": "Liu Kaituo", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + }, + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + }, + { + "name_en": "Su Qin", + "name_zh": "Su Qin", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + }, + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + }, + { + "name_en": "Chen Xiao", + "name_zh": "Chen Xiao", + "email": "chenxiao@psych.ac.cn", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + }, + { + "name_en": "Institute of Psychology", + "name_zh": "中国科学院心理研究所", + "ror_id": "https://ror.org/03j7v5j15" + } + ] + }, + { + "name_en": "Wang Xiaoquan", + "name_zh": "Wang Xiaoquan", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + }, + { + "name_en": "Li Qingfeng", + "name_zh": "Li Qingfeng", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + }, + { + "name_en": "Wang Wenlei", + "name_zh": "Wang Wenlei", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + }, + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + }, + { + "name_en": "Mao Xuhua", + "name_zh": "Mao Xuhua", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + }, + { + "name_en": "Xu Jinmei", + "name_zh": "Xu Jinmei", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + }, + { + "name_en": "Zhou Xin", + "name_zh": "Zhou Xin", + "email": "xzhou@ucas.ac.cn", + "affiliations": [ + { + "name_en": "Yangzhou Center for Disease Control and Prevention", + "name_zh": "Yangzhou Center for Disease Control and Prevention" + }, + { + "name_en": "cnic", + "name_zh": "中国科学院", + "ror_id": "https://ror.org/034t30j35" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + }, + { + "name_en": "Xu Qin", + "name_zh": "Xu Qin", + "affiliations": [ + { + "name_en": "Yangzhou Center for Disease Control and Prevention", + "name_zh": "Yangzhou Center for Disease Control and Prevention" + } + ] + }, + { + "name_en": "Zhou Le", + "name_zh": "Zhou Le", + "affiliations": [ + { + "name_en": "Yangzhou Center for Disease Control and Prevention", + "name_zh": "Yangzhou Center for Disease Control and Prevention" + } + ] + }, + { + "name_en": "Liu Xiufan", + "name_zh": "Liu Xiufan", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + }, + { + "name_en": "Zhang Pinghu", + "name_zh": "Zhang Pinghu", + "email": "zhangpinghu@yzu.edu.cn", + "affiliations": [ + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + }, + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + }, + { + "name_en": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University", + "name_zh": "Department of Pediatrics of the Affiliated Hospital of Yangzhou University, Yangzhou University" + } + ] + } + ], + "keywords_en": [ + "Acute encephalitis", + "H5N6", + "influenza A virus", + "wild waterfowls", + "phylogenetic analysis" + ], + "keywords_zh": [ + "Acute encephalitis", + "H5N6", + "influenza A virus", + "wild waterfowls", + "phylogenetic analysis" + ], + "publication_date": "2022-10-25T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1.83, + "file_size_bytes": 1916074, + "download_count": 0, + "visit_count": 0, + "url": "https://www.scidb.cn/en/detail?id=64f04634cc4bc33e70a58efe", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4587325", + "cstr": "", + "pid": "", + "title": "_Attention what is it like [Dataset]", + "title_en": "_Attention what is it like [Dataset]", + "title_zh": "_Attention what is it like [Dataset]", + "description": "R Core Team. (2016). R: A language and environment for statistical computing. R Foundation for Statistical Computing.Supplement to Occipital and left temporal instantaneous amplitude and frequency oscillations correlated with access and phenomenal consciousness (https://philpapers.org/rec/PEROAL-2).Occipital and left temporal instantaneous amplitude and frequency oscillations correlated with access and phenomenal consciousness move from the features of the ERP characterized in Occipital and Left Temporal EEG Correlates of Phenomenal Consciousness (Pereira, 2015, https://doi.org/10.1016/b978-0-12-802508-6.00018-1, https://philpapers.org/rec/PEROAL) towards the instantaneous amplitude and frequency of event-related changes correlated with a contrast in access and in phenomenology.Occipital and left temporal instantaneous amplitude and frequency oscillations correlated with access and phenomenal consciousness proceed as following.In the first section, empirical mode decomposition (EMD) with post processing (Xie, G., Guo, Y., Tong, S., and Ma, L., 2014. Calculate excess mortality during heatwaves using Hilbert-Huang transform algorithm. BMC medical research methodology, 14, 35) Ensemble Empirical Mode Decomposition (postEEMD) and Hilbert-Huang Transform (HHT).In the second section, calculated the variance inflation factor (VIF).In the third section, partial least squares regression (PLSR): the minimal root mean squared error of prediction (RMSEP).In the last section, partial least squares regression (PLSR): significance multivariate correlation (sMC) statistic.", + "description_en": "R Core Team. (2016). R: A language and environment for statistical computing. R Foundation for Statistical Computing.Supplement to Occipital and left temporal instantaneous amplitude and frequency oscillations correlated with access and phenomenal consciousness (https://philpapers.org/rec/PEROAL-2).Occipital and left temporal instantaneous amplitude and frequency oscillations correlated with access and phenomenal consciousness move from the features of the ERP characterized in Occipital and Left Temporal EEG Correlates of Phenomenal Consciousness (Pereira, 2015, https://doi.org/10.1016/b978-0-12-802508-6.00018-1, https://philpapers.org/rec/PEROAL) towards the instantaneous amplitude and frequency of event-related changes correlated with a contrast in access and in phenomenology.Occipital and left temporal instantaneous amplitude and frequency oscillations correlated with access and phenomenal consciousness proceed as following.In the first section, empirical mode decomposition (EMD) with post processing (Xie, G., Guo, Y., Tong, S., and Ma, L., 2014. Calculate excess mortality during heatwaves using Hilbert-Huang transform algorithm. BMC medical research methodology, 14, 35) Ensemble Empirical Mode Decomposition (postEEMD) and Hilbert-Huang Transform (HHT).In the second section, calculated the variance inflation factor (VIF).In the third section, partial least squares regression (PLSR): the minimal root mean squared error of prediction (RMSEP).In the last section, partial least squares regression (PLSR): significance multivariate correlation (sMC) statistic.", + "description_zh": "R Core Team. (2016). R: A language and environment for statistical computing. R Foundation for Statistical Computing.Supplement to Occipital and left temporal instantaneous amplitude and frequency oscillations correlated with access and phenomenal consciousness (https://philpapers.org/rec/PEROAL-2).Occipital and left temporal instantaneous amplitude and frequency oscillations correlated with access and phenomenal consciousness move from the features of the ERP characterized in Occipital and Left Temporal EEG Correlates of Phenomenal Consciousness (Pereira, 2015, https://doi.org/10.1016/b978-0-12-802508-6.00018-1, https://philpapers.org/rec/PEROAL) towards the instantaneous amplitude and frequency of event-related changes correlated with a contrast in access and in phenomenology.Occipital and left temporal instantaneous amplitude and frequency oscillations correlated with access and phenomenal consciousness proceed as following.In the first section, empirical mode decomposition (EMD) with post processing (Xie, G., Guo, Y., Tong, S., and Ma, L., 2014. Calculate excess mortality during heatwaves using Hilbert-Huang transform algorithm. BMC medical research methodology, 14, 35) Ensemble Empirical Mode Decomposition (postEEMD) and Hilbert-Huang Transform (HHT).In the second section, calculated the variance inflation factor (VIF).In the third section, partial least squares regression (PLSR): the minimal root mean squared error of prediction (RMSEP).In the last section, partial least squares regression (PLSR): significance multivariate correlation (sMC) statistic.", + "authors": [ + { + "name_en": "Dinis Pereira Vitor Manuel", + "name_zh": "Dinis Pereira Vitor Manuel" + } + ], + "keywords_en": [ + "Event-related changes", + "Oscillations correlated with access and phenomenal consciousness", + "Empirical mode decomposition", + "Variance inflation factor", + "Partial least squares regression", + "The minimal root mean squared error of prediction", + "Significance multivariate correlation statistic" + ], + "keywords_zh": [ + "Event-related changes", + "Oscillations correlated with access and phenomenal consciousness", + "Empirical mode decomposition", + "Variance inflation factor", + "Partial least squares regression", + "The minimal root mean squared error of prediction", + "Significance multivariate correlation statistic" + ], + "publication_date": "2017-03-01T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 310, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "62bd117170c5b75f4c7afaff", + "doi": "10.5061/dryad.3j9kd51cn", + "cstr": "", + "pid": "", + "title": "Data from: Contingent negative variation during a modified cueing task in simulated driving", + "title_en": "Data from: Contingent negative variation during a modified cueing task in simulated driving", + "title_zh": "Data from: Contingent negative variation during a modified cueing task in simulated driving", + "description": "

The obscured pedestrian-motor vehicle crash has become a serious danger to driving safety. The present study aims to investigate the contingent negative variation (CNV) during the anticipation of an obscured pedestrian-motor vehicle crash in simulated driving. We adopted two cueing tasks: (i) a traditional cognitive paradigm of cueing task that has been widely used to study anticipatory process, and (ii) a modified cueing task in simulated driving scenes, in which Electroencephalogram (EEG) signals of 32 participants were recorded to detect the CNV. Simulated car following and pedestrian crossing tasks were designed to measure anticipation-related driving behaviors. The results showed that both early and late CNVs were observed in two cueing tasks. The mean amplitude of the late CNV during a modified cueing task in simulated driving was significantly larger than that in a traditional cueing task, which was not the case for the early CNV potentials. In addition, both early and late CNVs elicited in simulated driving were significantly correlated with anticipatory driving behaviors (e.g., the minimum time to collision). These findings show that CNV potentials during the anticipation of an obscured pedestrian-motor vehicle crash might predict anticipation-related risky driving behaviors.,All anonymized data necessary to replicate our study findings have been uploaded to Dryad Digital Repository. There are four data sheets: demographic variables, the amplitude of early CNV, the amplitude of late CNV, and simulated driving behaviors.,

", + "description_en": "

The obscured pedestrian-motor vehicle crash has become a serious danger to driving safety. The present study aims to investigate the contingent negative variation (CNV) during the anticipation of an obscured pedestrian-motor vehicle crash in simulated driving. We adopted two cueing tasks: (i) a traditional cognitive paradigm of cueing task that has been widely used to study anticipatory process, and (ii) a modified cueing task in simulated driving scenes, in which Electroencephalogram (EEG) signals of 32 participants were recorded to detect the CNV. Simulated car following and pedestrian crossing tasks were designed to measure anticipation-related driving behaviors. The results showed that both early and late CNVs were observed in two cueing tasks. The mean amplitude of the late CNV during a modified cueing task in simulated driving was significantly larger than that in a traditional cueing task, which was not the case for the early CNV potentials. In addition, both early and late CNVs elicited in simulated driving were significantly correlated with anticipatory driving behaviors (e.g., the minimum time to collision). These findings show that CNV potentials during the anticipation of an obscured pedestrian-motor vehicle crash might predict anticipation-related risky driving behaviors.,All anonymized data necessary to replicate our study findings have been uploaded to Dryad Digital Repository. There are four data sheets: demographic variables, the amplitude of early CNV, the amplitude of late CNV, and simulated driving behaviors.,

", + "description_zh": "

The obscured pedestrian-motor vehicle crash has become a serious danger to driving safety. The present study aims to investigate the contingent negative variation (CNV) during the anticipation of an obscured pedestrian-motor vehicle crash in simulated driving. We adopted two cueing tasks: (i) a traditional cognitive paradigm of cueing task that has been widely used to study anticipatory process, and (ii) a modified cueing task in simulated driving scenes, in which Electroencephalogram (EEG) signals of 32 participants were recorded to detect the CNV. Simulated car following and pedestrian crossing tasks were designed to measure anticipation-related driving behaviors. The results showed that both early and late CNVs were observed in two cueing tasks. The mean amplitude of the late CNV during a modified cueing task in simulated driving was significantly larger than that in a traditional cueing task, which was not the case for the early CNV potentials. In addition, both early and late CNVs elicited in simulated driving were significantly correlated with anticipatory driving behaviors (e.g., the minimum time to collision). These findings show that CNV potentials during the anticipation of an obscured pedestrian-motor vehicle crash might predict anticipation-related risky driving behaviors.,All anonymized data necessary to replicate our study findings have been uploaded to Dryad Digital Repository. There are four data sheets: demographic variables, the amplitude of early CNV, the amplitude of late CNV, and simulated driving behaviors.,

", + "authors": [ + { + "name_en": "Guo Zizheng", + "name_zh": "Guo Zizheng", + "affiliations": [ + { + "name_en": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "name_zh": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "ror_id": "https://ror.org/03j7v5j15" + }, + { + "name_en": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission", + "name_zh": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission" + }, + { + "name_en": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University", + "name_zh": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University" + }, + { + "name_en": "School of Transportation and Logistics, Southwest Jiaotong University", + "name_zh": "School of Transportation and Logistics, Southwest Jiaotong University" + } + ] + }, + { + "name_en": "Tan Xi", + "name_zh": "Tan Xi", + "affiliations": [ + { + "name_en": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University", + "name_zh": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University" + }, + { + "name_en": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission", + "name_zh": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission" + }, + { + "name_en": "School of Transportation and Logistics, Southwest Jiaotong University", + "name_zh": "School of Transportation and Logistics, Southwest Jiaotong University" + } + ] + }, + { + "name_en": "Pan Yufan", + "name_zh": "Pan Yufan", + "affiliations": [ + { + "name_en": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University", + "name_zh": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University" + }, + { + "name_en": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission", + "name_zh": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission" + }, + { + "name_en": "School of Transportation and Logistics, Southwest Jiaotong University", + "name_zh": "School of Transportation and Logistics, Southwest Jiaotong University" + } + ] + }, + { + "name_en": "Liu Xian", + "name_zh": "Liu Xian", + "affiliations": [ + { + "name_en": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University", + "name_zh": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University" + }, + { + "name_en": "School of Transportation and Logistics, Southwest Jiaotong University", + "name_zh": "School of Transportation and Logistics, Southwest Jiaotong University" + }, + { + "name_en": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission", + "name_zh": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission" + } + ] + }, + { + "name_en": "Zhao Guozhen", + "name_zh": "Zhao Guozhen", + "email": "zhaogz@psych.ac.cn", + "affiliations": [ + { + "name_en": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "name_zh": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "ror_id": "https://ror.org/03j7v5j15" + } + ] + }, + { + "name_en": "Wang Lin", + "name_zh": "Wang Lin", + "affiliations": [ + { + "name_en": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission", + "name_zh": "National Engineering Laboratory for Comprehensive Transportation Big Date Application Technology, National Development and Reform Commission" + }, + { + "name_en": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University", + "name_zh": "National United Engineering Laboratory of Integrated and Intelligent Transportation, Southwest Jiaotong University" + }, + { + "name_en": "School of Transportation and Logistics, Southwest Jiaotong University", + "name_zh": "School of Transportation and Logistics, Southwest Jiaotong University" + } + ] + }, + { + "name_en": "Peng Zhen", + "name_zh": "Peng Zhen", + "affiliations": [ + { + "name_en": "School of Arts and Sciences, Arizona State University", + "name_zh": "School of Arts and Sciences, Arizona State University" + } + ] + } + ], + "keywords_en": [ + "Visual Intervention Influence", + "Rutting Mitigation", + "Will Reduce", + "Motor", + "CNV", + "Information", + "Reliability", + "Components", + "Stability", + "Modality" + ], + "keywords_zh": [ + "Visual Intervention Influence", + "Rutting Mitigation", + "Will Reduce", + "Motor", + "CNV", + "Information", + "Reliability", + "Components", + "Stability", + "Modality" + ], + "publication_date": "2019-11-14T00:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.02, + "file_size_bytes": 21619, + "download_count": 0, + "visit_count": 1, + "url": "https://www.scidb.cn/en/detail?id=62bd117170c5b75f4c7afaff", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.2652864", + "cstr": "", + "pid": "", + "title": "Raw Data from - Speech Auditory Brainstem Responses in Adult Hearing Aid Users: Effects of Aiding and Background Noise, and Prediction of Behavioral Measures", + "title_en": "Raw Data from - Speech Auditory Brainstem Responses in Adult Hearing Aid Users: Effects of Aiding and Background Noise, and Prediction of Behavioral Measures", + "title_zh": "Raw Data from - Speech Auditory Brainstem Responses in Adult Hearing Aid Users: Effects of Aiding and Background Noise, and Prediction of Behavioral Measures", + "description": "Folder and Data Description for dataset of:Speech Auditory Brainstem Responses in Adult Hearing Aid Users: Effects of Aiding and Background Noise, and Prediction of Behavioral MeasuresGhada BinKhamis, Antonio Elia Forte, Tobias Reichenbach, Martin O’Driscoll, and Karolina KlukPlease site the paper when using this dataset (DOI: 10.1177/2331216519848297) Shared dataset is as follows:\tBehavioral data is in the excel spread sheet entitled: “BinKhamis_et_al_behavioral_data .xlsx”\t \tSpeech-ABRs (raw EEG (speech-ABR) data) are contained within the five 'zip' folders.Description of the “Speech-ABRs” folders, subfolders, and raw EEG files:“Speech-ABRs” Folder Information:\tEach Speech_ABR folder contains subfolders from a subset of participants (e.g. Speech_ABR_1_20.zip contains data from participant number 1 to participant number 20)\tSubfolders:\t\t\tEach subfolder starts with the participant code: e.g. HA1, HA2, HA3, HA4, HA5, …, HA98\t\tNext is the background condition: noise or quiet\t\tNext is whether recordings were: aided or unaided\t\t\tExample subfolder names:\t\t\tHA1 noise aided: participant number 1, aided speech-ABRs in background noise\t\tHA4 noise unaided: participant number 4, unaided speech-ABRs in background noise\t\tHA55 quiet aided: participant number 55, aided speech-ABRs in quiet\t\tHA97 quiet unaided: participant number 97, unaided speech-ABRs in quiet\t\t\tEach participant has 4 subfolders for the four recording conditions (aided quiet, aided noise, unaided quiet, unaided noise)\t\t\tEach subfolder contains four ‘.mat’ files, ‘.mat’ file names:\t\t\t\t\tEach ‘.mat’ file starts with the participant code: e.g. HA1, HA2, HA3, HA4, HA5, …, HA98\t\t\tNext is the stimulus: 40 da\t\t\tNext is ‘unaided’ only if recordings were without HA\t\t\tNext is ‘noise’ only if the background condition was noise\t\t\tNext is the stimulus polarity:\t\t\t\t\t\t\t‘Pos’ for positive/standard\t\t\t\t‘Neg’ for negative (reversed polarity stimulus)\t\t\t\t\t\t\t\t\tAnd finally the test ear and recording number for that polarity\t\t\t\t\t\t\tR1 is the first recording from the right ear, R2 is the second recording from the right ear\t\t\t\tL1 is the first recording from the left ear, L2 is the second recording from the left ear\t\t\t\t\t\t\t\t\tExample ‘.mat’ file name:\t\t\t\t\t\t\tHA1 40 da Neg Noise R1.mat: participant number 1, aided speech-ABR in response to the 40 ms [da], reversed stimulus polarity, in background noise, right ear recording number 1.\t\t\t\tHA4 40 da unaided Pos Noise L2.mat: participant number 1, unaided speech-ABR in response to the 40 ms [da], standard stimulus polarity, left ear recording number 2.\t\t\t\tHA7 40 da Neg R2.mat: participant number 7, aided speech-ABR in response to the 40 ms [da], reversed stimulus polarity, right ear recording number 2.\t\t\t\tHA10 40 da unaided Pos Noise L1.mat: participant number 10, unaided speech-ABR in response to the 40 ms [da], standard stimulus polarity, in background noise, left ear recording number 1.\t\t\t\t\t\t\t\t\t\t\t\tFile Information:Description of ‘.mat’ files that can be accessed and processed using MATLAB (MathWorks):Each ‘.mat’ file is a structure that contains the following fields:\tThe first nine fields are informational, for example:\txunits: ‘s’ indicates that the recording time window is in seconds, conversion to milliseconds would be required to plot the data in milliseconds\tstart: ‘0’ indicates that both stimulus and recording start at 0 seconds\tpoints: 2200 is the number of sample points\tchans: 2 is the number of channels\t\t\tRight ear: channel 2, Left ear: channel 1\t\t\tframes: 2500 is the number of epochs\tThe last filed ‘values’ is what contains the raw EEG data (2200x2x2500)\t\t\t2200 is the number of samples\t\t2 is the number of channels (channel one is recorded from the left ear lobe (A1) and channel two is from the right ear lobe (A2))\t\t2500 is the number of epochs\t\t\t\t\tStimulus starts at 0 seconds per epoch, pre-stimulus baseline may be extracted from the end of each epoch (i.e. before the next stimulus).\t\t\tData are in Volts; conversion to μVolts (multiply by 1000) is required.\t\t\t\t\t\tDate of data collection: October 2017 to July 2018", + "description_en": "Folder and Data Description for dataset of:Speech Auditory Brainstem Responses in Adult Hearing Aid Users: Effects of Aiding and Background Noise, and Prediction of Behavioral MeasuresGhada BinKhamis, Antonio Elia Forte, Tobias Reichenbach, Martin O’Driscoll, and Karolina KlukPlease site the paper when using this dataset (DOI: 10.1177/2331216519848297) Shared dataset is as follows:\tBehavioral data is in the excel spread sheet entitled: “BinKhamis_et_al_behavioral_data .xlsx”\t \tSpeech-ABRs (raw EEG (speech-ABR) data) are contained within the five 'zip' folders.Description of the “Speech-ABRs” folders, subfolders, and raw EEG files:“Speech-ABRs” Folder Information:\tEach Speech_ABR folder contains subfolders from a subset of participants (e.g. Speech_ABR_1_20.zip contains data from participant number 1 to participant number 20)\tSubfolders:\t\t\tEach subfolder starts with the participant code: e.g. HA1, HA2, HA3, HA4, HA5, …, HA98\t\tNext is the background condition: noise or quiet\t\tNext is whether recordings were: aided or unaided\t\t\tExample subfolder names:\t\t\tHA1 noise aided: participant number 1, aided speech-ABRs in background noise\t\tHA4 noise unaided: participant number 4, unaided speech-ABRs in background noise\t\tHA55 quiet aided: participant number 55, aided speech-ABRs in quiet\t\tHA97 quiet unaided: participant number 97, unaided speech-ABRs in quiet\t\t\tEach participant has 4 subfolders for the four recording conditions (aided quiet, aided noise, unaided quiet, unaided noise)\t\t\tEach subfolder contains four ‘.mat’ files, ‘.mat’ file names:\t\t\t\t\tEach ‘.mat’ file starts with the participant code: e.g. HA1, HA2, HA3, HA4, HA5, …, HA98\t\t\tNext is the stimulus: 40 da\t\t\tNext is ‘unaided’ only if recordings were without HA\t\t\tNext is ‘noise’ only if the background condition was noise\t\t\tNext is the stimulus polarity:\t\t\t\t\t\t\t‘Pos’ for positive/standard\t\t\t\t‘Neg’ for negative (reversed polarity stimulus)\t\t\t\t\t\t\t\t\tAnd finally the test ear and recording number for that polarity\t\t\t\t\t\t\tR1 is the first recording from the right ear, R2 is the second recording from the right ear\t\t\t\tL1 is the first recording from the left ear, L2 is the second recording from the left ear\t\t\t\t\t\t\t\t\tExample ‘.mat’ file name:\t\t\t\t\t\t\tHA1 40 da Neg Noise R1.mat: participant number 1, aided speech-ABR in response to the 40 ms [da], reversed stimulus polarity, in background noise, right ear recording number 1.\t\t\t\tHA4 40 da unaided Pos Noise L2.mat: participant number 1, unaided speech-ABR in response to the 40 ms [da], standard stimulus polarity, left ear recording number 2.\t\t\t\tHA7 40 da Neg R2.mat: participant number 7, aided speech-ABR in response to the 40 ms [da], reversed stimulus polarity, right ear recording number 2.\t\t\t\tHA10 40 da unaided Pos Noise L1.mat: participant number 10, unaided speech-ABR in response to the 40 ms [da], standard stimulus polarity, in background noise, left ear recording number 1.\t\t\t\t\t\t\t\t\t\t\t\tFile Information:Description of ‘.mat’ files that can be accessed and processed using MATLAB (MathWorks):Each ‘.mat’ file is a structure that contains the following fields:\tThe first nine fields are informational, for example:\txunits: ‘s’ indicates that the recording time window is in seconds, conversion to milliseconds would be required to plot the data in milliseconds\tstart: ‘0’ indicates that both stimulus and recording start at 0 seconds\tpoints: 2200 is the number of sample points\tchans: 2 is the number of channels\t\t\tRight ear: channel 2, Left ear: channel 1\t\t\tframes: 2500 is the number of epochs\tThe last filed ‘values’ is what contains the raw EEG data (2200x2x2500)\t\t\t2200 is the number of samples\t\t2 is the number of channels (channel one is recorded from the left ear lobe (A1) and channel two is from the right ear lobe (A2))\t\t2500 is the number of epochs\t\t\t\t\tStimulus starts at 0 seconds per epoch, pre-stimulus baseline may be extracted from the end of each epoch (i.e. before the next stimulus).\t\t\tData are in Volts; conversion to μVolts (multiply by 1000) is required.\t\t\t\t\t\tDate of data collection: October 2017 to July 2018", + "description_zh": "Folder and Data Description for dataset of:Speech Auditory Brainstem Responses in Adult Hearing Aid Users: Effects of Aiding and Background Noise, and Prediction of Behavioral MeasuresGhada BinKhamis, Antonio Elia Forte, Tobias Reichenbach, Martin O’Driscoll, and Karolina KlukPlease site the paper when using this dataset (DOI: 10.1177/2331216519848297) Shared dataset is as follows:\tBehavioral data is in the excel spread sheet entitled: “BinKhamis_et_al_behavioral_data .xlsx”\t \tSpeech-ABRs (raw EEG (speech-ABR) data) are contained within the five 'zip' folders.Description of the “Speech-ABRs” folders, subfolders, and raw EEG files:“Speech-ABRs” Folder Information:\tEach Speech_ABR folder contains subfolders from a subset of participants (e.g. Speech_ABR_1_20.zip contains data from participant number 1 to participant number 20)\tSubfolders:\t\t\tEach subfolder starts with the participant code: e.g. HA1, HA2, HA3, HA4, HA5, …, HA98\t\tNext is the background condition: noise or quiet\t\tNext is whether recordings were: aided or unaided\t\t\tExample subfolder names:\t\t\tHA1 noise aided: participant number 1, aided speech-ABRs in background noise\t\tHA4 noise unaided: participant number 4, unaided speech-ABRs in background noise\t\tHA55 quiet aided: participant number 55, aided speech-ABRs in quiet\t\tHA97 quiet unaided: participant number 97, unaided speech-ABRs in quiet\t\t\tEach participant has 4 subfolders for the four recording conditions (aided quiet, aided noise, unaided quiet, unaided noise)\t\t\tEach subfolder contains four ‘.mat’ files, ‘.mat’ file names:\t\t\t\t\tEach ‘.mat’ file starts with the participant code: e.g. HA1, HA2, HA3, HA4, HA5, …, HA98\t\t\tNext is the stimulus: 40 da\t\t\tNext is ‘unaided’ only if recordings were without HA\t\t\tNext is ‘noise’ only if the background condition was noise\t\t\tNext is the stimulus polarity:\t\t\t\t\t\t\t‘Pos’ for positive/standard\t\t\t\t‘Neg’ for negative (reversed polarity stimulus)\t\t\t\t\t\t\t\t\tAnd finally the test ear and recording number for that polarity\t\t\t\t\t\t\tR1 is the first recording from the right ear, R2 is the second recording from the right ear\t\t\t\tL1 is the first recording from the left ear, L2 is the second recording from the left ear\t\t\t\t\t\t\t\t\tExample ‘.mat’ file name:\t\t\t\t\t\t\tHA1 40 da Neg Noise R1.mat: participant number 1, aided speech-ABR in response to the 40 ms [da], reversed stimulus polarity, in background noise, right ear recording number 1.\t\t\t\tHA4 40 da unaided Pos Noise L2.mat: participant number 1, unaided speech-ABR in response to the 40 ms [da], standard stimulus polarity, left ear recording number 2.\t\t\t\tHA7 40 da Neg R2.mat: participant number 7, aided speech-ABR in response to the 40 ms [da], reversed stimulus polarity, right ear recording number 2.\t\t\t\tHA10 40 da unaided Pos Noise L1.mat: participant number 10, unaided speech-ABR in response to the 40 ms [da], standard stimulus polarity, in background noise, left ear recording number 1.\t\t\t\t\t\t\t\t\t\t\t\tFile Information:Description of ‘.mat’ files that can be accessed and processed using MATLAB (MathWorks):Each ‘.mat’ file is a structure that contains the following fields:\tThe first nine fields are informational, for example:\txunits: ‘s’ indicates that the recording time window is in seconds, conversion to milliseconds would be required to plot the data in milliseconds\tstart: ‘0’ indicates that both stimulus and recording start at 0 seconds\tpoints: 2200 is the number of sample points\tchans: 2 is the number of channels\t\t\tRight ear: channel 2, Left ear: channel 1\t\t\tframes: 2500 is the number of epochs\tThe last filed ‘values’ is what contains the raw EEG data (2200x2x2500)\t\t\t2200 is the number of samples\t\t2 is the number of channels (channel one is recorded from the left ear lobe (A1) and channel two is from the right ear lobe (A2))\t\t2500 is the number of epochs\t\t\t\t\tStimulus starts at 0 seconds per epoch, pre-stimulus baseline may be extracted from the end of each epoch (i.e. before the next stimulus).\t\t\tData are in Volts; conversion to μVolts (multiply by 1000) is required.\t\t\t\t\t\tDate of data collection: October 2017 to July 2018", + "authors": [ + { + "name_en": "BinKhamis Ghada", + "name_zh": "BinKhamis Ghada" + } + ], + "keywords_en": [ + "Speech-ABR", + "Aided speech-ABR", + "Unaided speech-ABR", + "40 ms [da]", + "Speech-ABR in background noise", + "Speech-ABR in SNHL" + ], + "keywords_zh": [ + "Speech-ABR", + "Aided speech-ABR", + "Unaided speech-ABR", + "40 ms [da]", + "Speech-ABR in background noise", + "Speech-ABR in SNHL" + ], + "publication_date": "2019-04-28T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.05, + "file_size_bytes": 53963, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3962798", + "cstr": "", + "pid": "", + "title": "Data supporting: Isotopic insights on continental water sources and transport in the mountains and plains of southern South America", + "title_en": "Data supporting: Isotopic insights on continental water sources and transport in the mountains and plains of southern South America", + "title_zh": "Data supporting: Isotopic insights on continental water sources and transport in the mountains and plains of southern South America", + "description": "The data presented here comprises the stable isotopic composition (δ2H and δ18O) of 1659 samples of precipitation, rivers, groundwater and lakes/ponds samples from a total of 511 sites. This is a composite dataset that includes data from the Global Network of Isotopes in Precipitation (GNIP) and Rivers (GNIR) databases (IAEA/WMO 2019), data extracted from different published articles (cited therein) and data obtained directly by the authors as part of different previous and ongoing projects of our own lab (GEA, IMASL). Excel sheet 1 shows a description/overview of the dataset as displayed in Table 1. Excel sheet 2 shows the dataset, which includes a unique identifying code, type of water sample (precipitation, rivers, groundwater, and lakes), name of location, sampling point date, latitude, longitude and elevation, and the dual isotopic composition (δ2H and δ18O).This dataset supports: Poca M, Nosetto MD, Ballesteros S, Castellanos G, Jobbágy EG. Isotopic insights on continental water sources and transport in the mountains and plains of southern South America. Isotopes in Environmental and Health Studies (IEHS). DOI:10.1080/10256016.2020.1819264We acknowledge all contributing researchers to GNIP and GNIR databases, as well as the effort of the IAEA for initiating and maintaining these open access global initiatives. We also acknowledge the authors of the papers cited in the dataset and all GEA lab staff that contributed to the sampling and/or to measuring the stable isotopic compositions of waters included in this database.This work was supported by Fondo para la Investigación Científica y Tecnológica under FONCyT-Grant BID PICT-2018-03143.For any query, please contact María Poca at: pocamaria@gmail.com", + "description_en": "The data presented here comprises the stable isotopic composition (δ2H and δ18O) of 1659 samples of precipitation, rivers, groundwater and lakes/ponds samples from a total of 511 sites. This is a composite dataset that includes data from the Global Network of Isotopes in Precipitation (GNIP) and Rivers (GNIR) databases (IAEA/WMO 2019), data extracted from different published articles (cited therein) and data obtained directly by the authors as part of different previous and ongoing projects of our own lab (GEA, IMASL). Excel sheet 1 shows a description/overview of the dataset as displayed in Table 1. Excel sheet 2 shows the dataset, which includes a unique identifying code, type of water sample (precipitation, rivers, groundwater, and lakes), name of location, sampling point date, latitude, longitude and elevation, and the dual isotopic composition (δ2H and δ18O).This dataset supports: Poca M, Nosetto MD, Ballesteros S, Castellanos G, Jobbágy EG. Isotopic insights on continental water sources and transport in the mountains and plains of southern South America. Isotopes in Environmental and Health Studies (IEHS). DOI:10.1080/10256016.2020.1819264We acknowledge all contributing researchers to GNIP and GNIR databases, as well as the effort of the IAEA for initiating and maintaining these open access global initiatives. We also acknowledge the authors of the papers cited in the dataset and all GEA lab staff that contributed to the sampling and/or to measuring the stable isotopic compositions of waters included in this database.This work was supported by Fondo para la Investigación Científica y Tecnológica under FONCyT-Grant BID PICT-2018-03143.For any query, please contact María Poca at: pocamaria@gmail.com", + "description_zh": "The data presented here comprises the stable isotopic composition (δ2H and δ18O) of 1659 samples of precipitation, rivers, groundwater and lakes/ponds samples from a total of 511 sites. This is a composite dataset that includes data from the Global Network of Isotopes in Precipitation (GNIP) and Rivers (GNIR) databases (IAEA/WMO 2019), data extracted from different published articles (cited therein) and data obtained directly by the authors as part of different previous and ongoing projects of our own lab (GEA, IMASL). Excel sheet 1 shows a description/overview of the dataset as displayed in Table 1. Excel sheet 2 shows the dataset, which includes a unique identifying code, type of water sample (precipitation, rivers, groundwater, and lakes), name of location, sampling point date, latitude, longitude and elevation, and the dual isotopic composition (δ2H and δ18O).This dataset supports: Poca M, Nosetto MD, Ballesteros S, Castellanos G, Jobbágy EG. Isotopic insights on continental water sources and transport in the mountains and plains of southern South America. Isotopes in Environmental and Health Studies (IEHS). DOI:10.1080/10256016.2020.1819264We acknowledge all contributing researchers to GNIP and GNIR databases, as well as the effort of the IAEA for initiating and maintaining these open access global initiatives. We also acknowledge the authors of the papers cited in the dataset and all GEA lab staff that contributed to the sampling and/or to measuring the stable isotopic compositions of waters included in this database.This work was supported by Fondo para la Investigación Científica y Tecnológica under FONCyT-Grant BID PICT-2018-03143.For any query, please contact María Poca at: pocamaria@gmail.com", + "authors": [ + { + "name_en": "Poca María", + "name_zh": "Poca María" + }, + { + "name_en": "Nosetto Marcelo D.", + "name_zh": "Nosetto Marcelo D." + }, + { + "name_en": "Ballesteros Silvina", + "name_zh": "Ballesteros Silvina" + }, + { + "name_en": "Castellanos George", + "name_zh": "Castellanos George" + }, + { + "name_en": "Jobbágy Esteban G.", + "name_zh": "Jobbágy Esteban G." + } + ], + "keywords_en": [ + "Argentina", + "d-excess", + "GNIP", + "GNIR", + "Groundwater evaporation", + "Isotope hydrology", + "Mountains", + "Paraguay", + "Precipitation recycling", + "Sedimentary plains", + "Stable isotopes", + "Uruguay" + ], + "keywords_zh": [ + "Argentina", + "d-excess", + "GNIP", + "GNIR", + "Groundwater evaporation", + "Isotope hydrology", + "Mountains", + "Paraguay", + "Precipitation recycling", + "Sedimentary plains", + "Stable isotopes", + "Uruguay" + ], + "publication_date": "2020-07-20T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.11, + "file_size_bytes": 114189, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "62bd109470c5b75f4c7a873d", + "doi": "10.6084/m9.figshare.6866264.v1", + "cstr": "", + "pid": "", + "title": "Molecular dynamics investigations of structural and functional changes in Bcl-2 induced by the novel antagonist BDA-366", + "title_en": "Molecular dynamics investigations of structural and functional changes in Bcl-2 induced by the novel antagonist BDA-366", + "title_zh": "Molecular dynamics investigations of structural and functional changes in Bcl-2 induced by the novel antagonist BDA-366", + "description": "

Apoptosis is a fundamental biological phenomenon, in which anti- or proapoptotic proteins of the Bcl-2 family regulate a committed step. Overexpression of Bcl-2, the prototypical antiapoptotic protein in this family, is associated with therapy resistance in various human cancers. Accordingly, Bcl-2 inhibitors intended for cancer therapy have been developed, typically against the BH3 domain. Recent experimental evidences have shown that the antiapoptotic function of Bcl-2 is not immutable, and that BDA-366, a novel antagonist of the BH4 domain, converts Bcl-2 from a survival molecule to an inducer of cell death. In this study, the underlying mechanisms of this functional conversion were investigated by accelerated molecular dynamics simulation. Results revealed that Pro127 and Trp30 in the BH4 domain rotate to stabilize BDA-366 via π-π interactions, and trigger a series of significant conformational changes of the α3 helix. This rearrangement blocks the hydrophobic binding site (HBS) in the BH3 domain and further prevents binding of BH3-only proteins, which consequently allows the BH3-only proteins to activate the proapoptotic proteins. Analysis of binding free energy confirmed that BDA-366 cross-inhibits BH3-only proteins, implying negative cooperative effects across separate binding sites. The newly identified blocked conformation of the HBS along with the open to closed transition pathway revealed by this study advances the understanding of the Bcl-2 transition from antiapoptotic to proapoptotic function, and yielded new structural insights for novel drug design against the BH4 domain. Communicated by Ramaswamy H. Sarma The ability of the small molecule BDA-366 to convert Bcl-2 from an antiapoptotic to a proapoptotic molecule was investigated by accelerated molecular dynamics simulation. Results show that BDA-366 blocks or reduces the affinity of Bcl-2 for BH3-only proteins like Bid via negative cooperative effects, thereby releasing such proteins and unleashing their proapoptotic effects.

", + "description_en": "

Apoptosis is a fundamental biological phenomenon, in which anti- or proapoptotic proteins of the Bcl-2 family regulate a committed step. Overexpression of Bcl-2, the prototypical antiapoptotic protein in this family, is associated with therapy resistance in various human cancers. Accordingly, Bcl-2 inhibitors intended for cancer therapy have been developed, typically against the BH3 domain. Recent experimental evidences have shown that the antiapoptotic function of Bcl-2 is not immutable, and that BDA-366, a novel antagonist of the BH4 domain, converts Bcl-2 from a survival molecule to an inducer of cell death. In this study, the underlying mechanisms of this functional conversion were investigated by accelerated molecular dynamics simulation. Results revealed that Pro127 and Trp30 in the BH4 domain rotate to stabilize BDA-366 via π-π interactions, and trigger a series of significant conformational changes of the α3 helix. This rearrangement blocks the hydrophobic binding site (HBS) in the BH3 domain and further prevents binding of BH3-only proteins, which consequently allows the BH3-only proteins to activate the proapoptotic proteins. Analysis of binding free energy confirmed that BDA-366 cross-inhibits BH3-only proteins, implying negative cooperative effects across separate binding sites. The newly identified blocked conformation of the HBS along with the open to closed transition pathway revealed by this study advances the understanding of the Bcl-2 transition from antiapoptotic to proapoptotic function, and yielded new structural insights for novel drug design against the BH4 domain. Communicated by Ramaswamy H. Sarma The ability of the small molecule BDA-366 to convert Bcl-2 from an antiapoptotic to a proapoptotic molecule was investigated by accelerated molecular dynamics simulation. Results show that BDA-366 blocks or reduces the affinity of Bcl-2 for BH3-only proteins like Bid via negative cooperative effects, thereby releasing such proteins and unleashing their proapoptotic effects.

", + "description_zh": "

Apoptosis is a fundamental biological phenomenon, in which anti- or proapoptotic proteins of the Bcl-2 family regulate a committed step. Overexpression of Bcl-2, the prototypical antiapoptotic protein in this family, is associated with therapy resistance in various human cancers. Accordingly, Bcl-2 inhibitors intended for cancer therapy have been developed, typically against the BH3 domain. Recent experimental evidences have shown that the antiapoptotic function of Bcl-2 is not immutable, and that BDA-366, a novel antagonist of the BH4 domain, converts Bcl-2 from a survival molecule to an inducer of cell death. In this study, the underlying mechanisms of this functional conversion were investigated by accelerated molecular dynamics simulation. Results revealed that Pro127 and Trp30 in the BH4 domain rotate to stabilize BDA-366 via π-π interactions, and trigger a series of significant conformational changes of the α3 helix. This rearrangement blocks the hydrophobic binding site (HBS) in the BH3 domain and further prevents binding of BH3-only proteins, which consequently allows the BH3-only proteins to activate the proapoptotic proteins. Analysis of binding free energy confirmed that BDA-366 cross-inhibits BH3-only proteins, implying negative cooperative effects across separate binding sites. The newly identified blocked conformation of the HBS along with the open to closed transition pathway revealed by this study advances the understanding of the Bcl-2 transition from antiapoptotic to proapoptotic function, and yielded new structural insights for novel drug design against the BH4 domain. Communicated by Ramaswamy H. Sarma The ability of the small molecule BDA-366 to convert Bcl-2 from an antiapoptotic to a proapoptotic molecule was investigated by accelerated molecular dynamics simulation. Results show that BDA-366 blocks or reduces the affinity of Bcl-2 for BH3-only proteins like Bid via negative cooperative effects, thereby releasing such proteins and unleashing their proapoptotic effects.

", + "authors": [ + { + "name_en": "Li Tao", + "name_zh": "Li Tao", + "affiliations": [ + { + "name_en": "State Key Laboratory of Transducer Technology, Chinese Academy of Sciences", + "name_zh": "State Key Laboratory of Transducer Technology, Chinese Academy of Sciences" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "University of Chinese Academy of Sciences", + "ror_id": "https://ror.org/05qbk4x57" + }, + { + "name_en": "CAS Key Laboratory of Microbial Physiological and Metabolic Engineering, State Key Laboratory of Microbial Resources, Institute of Microbiology, Chinese Academy of Sciences", + "name_zh": "CAS Key Laboratory of Microbial Physiological and Metabolic Engineering, State Key Laboratory of Microbial Resources, Institute of Microbiology, Chinese Academy of Sciences", + "ror_id": "https://ror.org/047yhep71" + } + ] + }, + { + "name_en": "Cui Yinglu", + "name_zh": "Cui Yinglu", + "affiliations": [ + { + "name_en": "CAS Key Laboratory of Microbial Physiological and Metabolic Engineering, State Key Laboratory of Microbial Resources, Institute of Microbiology, Chinese Academy of Sciences", + "name_zh": "CAS Key Laboratory of Microbial Physiological and Metabolic Engineering, State Key Laboratory of Microbial Resources, Institute of Microbiology, Chinese Academy of Sciences", + "ror_id": "https://ror.org/047yhep71" + } + ] + }, + { + "name_en": "Wu Bian", + "name_zh": "Wu Bian", + "email": "wub@im.ac.cn", + "affiliations": [ + { + "name_en": "CAS Key Laboratory of Microbial Physiological and Metabolic Engineering, State Key Laboratory of Microbial Resources, Institute of Microbiology, Chinese Academy of Sciences", + "name_zh": "CAS Key Laboratory of Microbial Physiological and Metabolic Engineering, State Key Laboratory of Microbial Resources, Institute of Microbiology, Chinese Academy of Sciences", + "ror_id": "https://ror.org/047yhep71" + } + ] + } + ], + "keywords_en": [ + "molecular dynamics", + "MM-GBSA", + "Bcl-2", + "conformational changes", + "accelerated molecular dynamics" + ], + "keywords_zh": [ + "molecular dynamics", + "MM-GBSA", + "Bcl-2", + "conformational changes", + "accelerated molecular dynamics" + ], + "publication_date": "2018-07-26T00:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 16.0, + "file_size_bytes": 16781403, + "download_count": 0, + "visit_count": 0, + "url": "https://www.scidb.cn/en/detail?id=62bd109470c5b75f4c7a873d", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1290800", + "cstr": "", + "pid": "", + "title": "Dakar very-high resolution land cover map", + "title_en": "Dakar very-high resolution land cover map", + "title_zh": "Dakar very-high resolution land cover map", + "description": "This land cover map of Dakar (Senegal) was created from a Pléiades very-high resolution imagery with a spatial resolution of 0.5 meter. The methodology followed a open-source semi-automated framework [1] that rely on GRASS GIS using a local unsupervised optimization approach for the segmentation part [2-3].Description of the files:\t"Landcover.zip" : The direct output from the supervised classification using the Random Forest classifier.\t"Landcover_Postclassif_Level8_Splitbuildings.zip" : Post-processed version of the previous map ("Landcover"), with reduced misclassifications from the original classification (rule-based used to reclassify the errors, with a focus on built-up classes).\t"Landcover_Postclassif_Level8_modalfilter3.zip" : Smoothed version of the previous product (modal filter with window 3x3 applied on the "Landcover_Postclassif_Level8_Splitbuildings"). \t"Landcover_Postclassif_Level9_Shadowsback.zip" : Corresponds to the "level8_Splitbuildings" with shadows coming from the original classification.\t"Dakar_legend_colors.txt" : Text file providing the correspondance between the value of the pixels and the legend labels and a proposition of color to be used. References:[1] Grippa, Taïs, Moritz Lennert, Benjamin Beaumont, Sabine Vanhuysse, Nathalie Stephenne, and Eléonore Wolff. 2017. “An Open-Source Semi-Automated Processing Chain for Urban Object-Based Classification.” Remote Sensing 9 (4): 358. https://doi.org/10.3390/rs9040358.[2] Grippa, Tais, Stefanos Georganos, Sabine G. Vanhuysse, Moritz Lennert, and Eléonore Wolff. 2017. “A Local Segmentation Parameter Optimization Approach for Mapping Heterogeneous Urban Environments Using VHR Imagery.” In Proceedings Volume 10431, Remote Sensing Technologies and Applications in Urban Environments II., edited by Wieke Heldens, Nektarios Chrysoulakis, Thilo Erbertseder, and Ying Zhang, 20. SPIE. https://doi.org/10.1117/12.2278422.[3] Georganos, Stefanos, Taïs Grippa, Moritz Lennert, Sabine Vanhuysse, and Eleonore Wolff. 2017. “SPUSPO: Spatially Partitioned Unsupervised Segmentation Parameter Optimization for Efficiently Segmenting Large Heterogeneous Areas.” In Proceedings of the 2017 Conference on Big Data from Space (BiDS’17). Founding: This dataset was produced in the frame of two research project : MAUPP (http://maupp.ulb.ac.be) and REACT (http://react.ulb.be), funded by the Belgian Federal Science Policy Office (BELSPO).", + "description_en": "This land cover map of Dakar (Senegal) was created from a Pléiades very-high resolution imagery with a spatial resolution of 0.5 meter. The methodology followed a open-source semi-automated framework [1] that rely on GRASS GIS using a local unsupervised optimization approach for the segmentation part [2-3].Description of the files:\t"Landcover.zip" : The direct output from the supervised classification using the Random Forest classifier.\t"Landcover_Postclassif_Level8_Splitbuildings.zip" : Post-processed version of the previous map ("Landcover"), with reduced misclassifications from the original classification (rule-based used to reclassify the errors, with a focus on built-up classes).\t"Landcover_Postclassif_Level8_modalfilter3.zip" : Smoothed version of the previous product (modal filter with window 3x3 applied on the "Landcover_Postclassif_Level8_Splitbuildings"). \t"Landcover_Postclassif_Level9_Shadowsback.zip" : Corresponds to the "level8_Splitbuildings" with shadows coming from the original classification.\t"Dakar_legend_colors.txt" : Text file providing the correspondance between the value of the pixels and the legend labels and a proposition of color to be used. References:[1] Grippa, Taïs, Moritz Lennert, Benjamin Beaumont, Sabine Vanhuysse, Nathalie Stephenne, and Eléonore Wolff. 2017. “An Open-Source Semi-Automated Processing Chain for Urban Object-Based Classification.” Remote Sensing 9 (4): 358. https://doi.org/10.3390/rs9040358.[2] Grippa, Tais, Stefanos Georganos, Sabine G. Vanhuysse, Moritz Lennert, and Eléonore Wolff. 2017. “A Local Segmentation Parameter Optimization Approach for Mapping Heterogeneous Urban Environments Using VHR Imagery.” In Proceedings Volume 10431, Remote Sensing Technologies and Applications in Urban Environments II., edited by Wieke Heldens, Nektarios Chrysoulakis, Thilo Erbertseder, and Ying Zhang, 20. SPIE. https://doi.org/10.1117/12.2278422.[3] Georganos, Stefanos, Taïs Grippa, Moritz Lennert, Sabine Vanhuysse, and Eleonore Wolff. 2017. “SPUSPO: Spatially Partitioned Unsupervised Segmentation Parameter Optimization for Efficiently Segmenting Large Heterogeneous Areas.” In Proceedings of the 2017 Conference on Big Data from Space (BiDS’17). Founding: This dataset was produced in the frame of two research project : MAUPP (http://maupp.ulb.ac.be) and REACT (http://react.ulb.be), funded by the Belgian Federal Science Policy Office (BELSPO).", + "description_zh": "This land cover map of Dakar (Senegal) was created from a Pléiades very-high resolution imagery with a spatial resolution of 0.5 meter. The methodology followed a open-source semi-automated framework [1] that rely on GRASS GIS using a local unsupervised optimization approach for the segmentation part [2-3].Description of the files:\t"Landcover.zip" : The direct output from the supervised classification using the Random Forest classifier.\t"Landcover_Postclassif_Level8_Splitbuildings.zip" : Post-processed version of the previous map ("Landcover"), with reduced misclassifications from the original classification (rule-based used to reclassify the errors, with a focus on built-up classes).\t"Landcover_Postclassif_Level8_modalfilter3.zip" : Smoothed version of the previous product (modal filter with window 3x3 applied on the "Landcover_Postclassif_Level8_Splitbuildings"). \t"Landcover_Postclassif_Level9_Shadowsback.zip" : Corresponds to the "level8_Splitbuildings" with shadows coming from the original classification.\t"Dakar_legend_colors.txt" : Text file providing the correspondance between the value of the pixels and the legend labels and a proposition of color to be used. References:[1] Grippa, Taïs, Moritz Lennert, Benjamin Beaumont, Sabine Vanhuysse, Nathalie Stephenne, and Eléonore Wolff. 2017. “An Open-Source Semi-Automated Processing Chain for Urban Object-Based Classification.” Remote Sensing 9 (4): 358. https://doi.org/10.3390/rs9040358.[2] Grippa, Tais, Stefanos Georganos, Sabine G. Vanhuysse, Moritz Lennert, and Eléonore Wolff. 2017. “A Local Segmentation Parameter Optimization Approach for Mapping Heterogeneous Urban Environments Using VHR Imagery.” In Proceedings Volume 10431, Remote Sensing Technologies and Applications in Urban Environments II., edited by Wieke Heldens, Nektarios Chrysoulakis, Thilo Erbertseder, and Ying Zhang, 20. SPIE. https://doi.org/10.1117/12.2278422.[3] Georganos, Stefanos, Taïs Grippa, Moritz Lennert, Sabine Vanhuysse, and Eleonore Wolff. 2017. “SPUSPO: Spatially Partitioned Unsupervised Segmentation Parameter Optimization for Efficiently Segmenting Large Heterogeneous Areas.” In Proceedings of the 2017 Conference on Big Data from Space (BiDS’17). Founding: This dataset was produced in the frame of two research project : MAUPP (http://maupp.ulb.ac.be) and REACT (http://react.ulb.be), funded by the Belgian Federal Science Policy Office (BELSPO).", + "authors": [ + { + "name_en": "Tais Grippa", + "name_zh": "Tais Grippa" + }, + { + "name_en": "Stefanos Georganos", + "name_zh": "Stefanos Georganos" + } + ], + "keywords_en": [ + "Dakar", + "Land cover", + "Map", + "Very-high resolution" + ], + "keywords_zh": [ + "Dakar", + "Land cover", + "Map", + "Very-high resolution" + ], + "publication_date": "2018-06-14T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "MIT", + "file_size_mb": 103.45, + "file_size_bytes": 108480421, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1290654", + "cstr": "31253.11.10.5281/zenodo.1290654", + "pid": "", + "title": "Ouagadougou very-high resolution land cover map", + "title_en": "Ouagadougou very-high resolution land cover map", + "title_zh": "Ouagadougou very-high resolution land cover map", + "description": "This land cover map of Ouagadougou (Burkina Faso) was created from a WorldView3 very-high resolution imagery with a spatial resolution of 0.5 meter. The methodology followed a open-source semi-automated framework [1] that rely on GRASS GIS using a local unsupervised optimization approach for the segmentation part [2-3].Description of the files:\t"Landcover.zip" : The direct output from the supervised classification using the Random Forest classifier.\t"Landcover_Postclassif_Level5_Splitbuildings.zip" : Post-processed version of the previous map ("Landcover"), with reduced misclassifications from the original classification (rule-based used to reclassify the errors, with a focus on built-up classes).\t"Landcover_Postclassif_Level5_modalfilter3.zip" : Smoothed version of the previous product (modal filter with window 3x3 applied on the "Landcover_Postclassif_Level5_Splitbuildings"). \t"Landcover_Postclassif_Level6_Shadowsback.zip" : Corresponds to the "level5_Splitbuildings" with shadows coming from the original classification.\t"Ouaga_legend_colors.txt" : Text file providing the correspondance between the value of the pixels and the legend labels and a proposition of color to be used. References:[1] Grippa, Taïs, Moritz Lennert, Benjamin Beaumont, Sabine Vanhuysse, Nathalie Stephenne, and Eléonore Wolff. 2017. “An Open-Source Semi-Automated Processing Chain for Urban Object-Based Classification.” Remote Sensing 9 (4): 358. https://doi.org/10.3390/rs9040358.[2] Grippa, Tais, Stefanos Georganos, Sabine G. Vanhuysse, Moritz Lennert, and Eléonore Wolff. 2017. “A Local Segmentation Parameter Optimization Approach for Mapping Heterogeneous Urban Environments Using VHR Imagery.” In Proceedings Volume 10431, Remote Sensing Technologies and Applications in Urban Environments II., edited by Wieke Heldens, Nektarios Chrysoulakis, Thilo Erbertseder, and Ying Zhang, 20. SPIE. https://doi.org/10.1117/12.2278422.[3] Georganos, Stefanos, Taïs Grippa, Moritz Lennert, Sabine Vanhuysse, and Eleonore Wolff. 2017. “SPUSPO: Spatially Partitioned Unsupervised Segmentation Parameter Optimization for Efficiently Segmenting Large Heterogeneous Areas.” In Proceedings of the 2017 Conference on Big Data from Space (BiDS’17). Founding: This dataset was produced in the frame of two research project : MAUPP (http://maupp.ulb.ac.be) and REACT (http://react.ulb.be), funded by the Belgian Federal Science Policy Office (BELSPO).", + "description_en": "This land cover map of Ouagadougou (Burkina Faso) was created from a WorldView3 very-high resolution imagery with a spatial resolution of 0.5 meter. The methodology followed a open-source semi-automated framework [1] that rely on GRASS GIS using a local unsupervised optimization approach for the segmentation part [2-3].Description of the files:\t"Landcover.zip" : The direct output from the supervised classification using the Random Forest classifier.\t"Landcover_Postclassif_Level5_Splitbuildings.zip" : Post-processed version of the previous map ("Landcover"), with reduced misclassifications from the original classification (rule-based used to reclassify the errors, with a focus on built-up classes).\t"Landcover_Postclassif_Level5_modalfilter3.zip" : Smoothed version of the previous product (modal filter with window 3x3 applied on the "Landcover_Postclassif_Level5_Splitbuildings"). \t"Landcover_Postclassif_Level6_Shadowsback.zip" : Corresponds to the "level5_Splitbuildings" with shadows coming from the original classification.\t"Ouaga_legend_colors.txt" : Text file providing the correspondance between the value of the pixels and the legend labels and a proposition of color to be used. References:[1] Grippa, Taïs, Moritz Lennert, Benjamin Beaumont, Sabine Vanhuysse, Nathalie Stephenne, and Eléonore Wolff. 2017. “An Open-Source Semi-Automated Processing Chain for Urban Object-Based Classification.” Remote Sensing 9 (4): 358. https://doi.org/10.3390/rs9040358.[2] Grippa, Tais, Stefanos Georganos, Sabine G. Vanhuysse, Moritz Lennert, and Eléonore Wolff. 2017. “A Local Segmentation Parameter Optimization Approach for Mapping Heterogeneous Urban Environments Using VHR Imagery.” In Proceedings Volume 10431, Remote Sensing Technologies and Applications in Urban Environments II., edited by Wieke Heldens, Nektarios Chrysoulakis, Thilo Erbertseder, and Ying Zhang, 20. SPIE. https://doi.org/10.1117/12.2278422.[3] Georganos, Stefanos, Taïs Grippa, Moritz Lennert, Sabine Vanhuysse, and Eleonore Wolff. 2017. “SPUSPO: Spatially Partitioned Unsupervised Segmentation Parameter Optimization for Efficiently Segmenting Large Heterogeneous Areas.” In Proceedings of the 2017 Conference on Big Data from Space (BiDS’17). Founding: This dataset was produced in the frame of two research project : MAUPP (http://maupp.ulb.ac.be) and REACT (http://react.ulb.be), funded by the Belgian Federal Science Policy Office (BELSPO).", + "description_zh": "This land cover map of Ouagadougou (Burkina Faso) was created from a WorldView3 very-high resolution imagery with a spatial resolution of 0.5 meter. The methodology followed a open-source semi-automated framework [1] that rely on GRASS GIS using a local unsupervised optimization approach for the segmentation part [2-3].Description of the files:\t"Landcover.zip" : The direct output from the supervised classification using the Random Forest classifier.\t"Landcover_Postclassif_Level5_Splitbuildings.zip" : Post-processed version of the previous map ("Landcover"), with reduced misclassifications from the original classification (rule-based used to reclassify the errors, with a focus on built-up classes).\t"Landcover_Postclassif_Level5_modalfilter3.zip" : Smoothed version of the previous product (modal filter with window 3x3 applied on the "Landcover_Postclassif_Level5_Splitbuildings"). \t"Landcover_Postclassif_Level6_Shadowsback.zip" : Corresponds to the "level5_Splitbuildings" with shadows coming from the original classification.\t"Ouaga_legend_colors.txt" : Text file providing the correspondance between the value of the pixels and the legend labels and a proposition of color to be used. References:[1] Grippa, Taïs, Moritz Lennert, Benjamin Beaumont, Sabine Vanhuysse, Nathalie Stephenne, and Eléonore Wolff. 2017. “An Open-Source Semi-Automated Processing Chain for Urban Object-Based Classification.” Remote Sensing 9 (4): 358. https://doi.org/10.3390/rs9040358.[2] Grippa, Tais, Stefanos Georganos, Sabine G. Vanhuysse, Moritz Lennert, and Eléonore Wolff. 2017. “A Local Segmentation Parameter Optimization Approach for Mapping Heterogeneous Urban Environments Using VHR Imagery.” In Proceedings Volume 10431, Remote Sensing Technologies and Applications in Urban Environments II., edited by Wieke Heldens, Nektarios Chrysoulakis, Thilo Erbertseder, and Ying Zhang, 20. SPIE. https://doi.org/10.1117/12.2278422.[3] Georganos, Stefanos, Taïs Grippa, Moritz Lennert, Sabine Vanhuysse, and Eleonore Wolff. 2017. “SPUSPO: Spatially Partitioned Unsupervised Segmentation Parameter Optimization for Efficiently Segmenting Large Heterogeneous Areas.” In Proceedings of the 2017 Conference on Big Data from Space (BiDS’17). Founding: This dataset was produced in the frame of two research project : MAUPP (http://maupp.ulb.ac.be) and REACT (http://react.ulb.be), funded by the Belgian Federal Science Policy Office (BELSPO).", + "authors": [ + { + "name_en": "Tais Grippa", + "name_zh": "Tais Grippa" + }, + { + "name_en": "Stefanos Georganos", + "name_zh": "Stefanos Georganos" + } + ], + "keywords_en": [ + "Ouagadougou", + "Land cover", + "Map", + "Very-high resolution" + ], + "keywords_zh": [ + "Ouagadougou", + "Land cover", + "Map", + "Very-high resolution" + ], + "publication_date": "2018-06-14T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "MIT", + "file_size_mb": 156.04, + "file_size_bytes": 163614864, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "64f046b8cc4bc33e70a59008", + "doi": "10.6084/m9.figshare.c.6072594.v1", + "cstr": "", + "pid": "", + "title": "Genetic prion diseases presenting as frontotemporal dementia: clinical features and diagnostic challenge", + "title_en": "Genetic prion diseases presenting as frontotemporal dementia: clinical features and diagnostic challenge", + "title_zh": "Genetic prion diseases presenting as frontotemporal dementia: clinical features and diagnostic challenge", + "description": "

Abstract Background To elucidate the clinical and ancillary features of genetic prion diseases (gPrDs) presenting with frontotemporal dementia (FTD) to aid early identification. Methods Global data of gPrDs presenting with FTD caused by prion protein gene mutations were collected from literature review and our records. Fifty-one cases of typical FTD and 136 cases of prion diseases admitted to our institution were included as controls. Clinical and ancillary data of the different groups were compared. Results Forty-nine cases of gPrDs presenting with FTD were identified. Compared to FTD or prion diseases, gPrDs presenting with FTD were characterized by earlier onset age (median 45 vs. 61/60 years, P < 0.001, P < 0.001) and higher incidence of positive family history (81.6% vs. 27.5/13.2%, P < 0.001, P < 0.001). Furthermore, GPrDs presenting with FTD exhibited shorter duration (median 5 vs. 8 years) and a higher rate of parkinsonism (63.7% vs. 9.8%, P < 0.001), pyramidal signs (39.1% vs. 7.8%, P = 0.001), mutism (35.9% vs. 0%, P < 0.001), seizures (25.8% vs. 0%, P < 0.001), myoclonus (22.5% vs. 0%, P < 0.001), and hyperintensity on MRI (25.0% vs. 0, P < 0.001) compared to FTD. Compared to prion diseases, gPrDs presenting with FTD had a longer duration of symptoms (median 5 vs. 1.1 years, P < 0.001), higher rates of frontotemporal atrophy (89.7% vs. 3.3%, P < 0.001), lower rates of periodic short-wave complexes on EEG (0% vs. 30.3%, P = 0.001), and hyperintensity on MRI (25.0% vs. 83.0%, P < 0.001). The frequency of codon 129 Val allele in gPrDs presenting with FTD was significantly higher than that reported in the literature for gPrDs in the Caucasian and East Asian populations (33.3% vs. 19.2%/8.0%, P = 0.005, P < 0.001). Conclusions GPrDs presenting with FTD are characterized by early-onset, high incidence of positive family history, high frequency of the Val allele at codon 129, overlapping symptoms with prion disease and FTD, and ancillary features closer to FTD. PRNP mutations may be a rare cause in the FTD spectrum, and PRNP genotyping should be considered in patients with these features.

", + "description_en": "

Abstract Background To elucidate the clinical and ancillary features of genetic prion diseases (gPrDs) presenting with frontotemporal dementia (FTD) to aid early identification. Methods Global data of gPrDs presenting with FTD caused by prion protein gene mutations were collected from literature review and our records. Fifty-one cases of typical FTD and 136 cases of prion diseases admitted to our institution were included as controls. Clinical and ancillary data of the different groups were compared. Results Forty-nine cases of gPrDs presenting with FTD were identified. Compared to FTD or prion diseases, gPrDs presenting with FTD were characterized by earlier onset age (median 45 vs. 61/60 years, P < 0.001, P < 0.001) and higher incidence of positive family history (81.6% vs. 27.5/13.2%, P < 0.001, P < 0.001). Furthermore, GPrDs presenting with FTD exhibited shorter duration (median 5 vs. 8 years) and a higher rate of parkinsonism (63.7% vs. 9.8%, P < 0.001), pyramidal signs (39.1% vs. 7.8%, P = 0.001), mutism (35.9% vs. 0%, P < 0.001), seizures (25.8% vs. 0%, P < 0.001), myoclonus (22.5% vs. 0%, P < 0.001), and hyperintensity on MRI (25.0% vs. 0, P < 0.001) compared to FTD. Compared to prion diseases, gPrDs presenting with FTD had a longer duration of symptoms (median 5 vs. 1.1 years, P < 0.001), higher rates of frontotemporal atrophy (89.7% vs. 3.3%, P < 0.001), lower rates of periodic short-wave complexes on EEG (0% vs. 30.3%, P = 0.001), and hyperintensity on MRI (25.0% vs. 83.0%, P < 0.001). The frequency of codon 129 Val allele in gPrDs presenting with FTD was significantly higher than that reported in the literature for gPrDs in the Caucasian and East Asian populations (33.3% vs. 19.2%/8.0%, P = 0.005, P < 0.001). Conclusions GPrDs presenting with FTD are characterized by early-onset, high incidence of positive family history, high frequency of the Val allele at codon 129, overlapping symptoms with prion disease and FTD, and ancillary features closer to FTD. PRNP mutations may be a rare cause in the FTD spectrum, and PRNP genotyping should be considered in patients with these features.

", + "description_zh": "

Abstract Background To elucidate the clinical and ancillary features of genetic prion diseases (gPrDs) presenting with frontotemporal dementia (FTD) to aid early identification. Methods Global data of gPrDs presenting with FTD caused by prion protein gene mutations were collected from literature review and our records. Fifty-one cases of typical FTD and 136 cases of prion diseases admitted to our institution were included as controls. Clinical and ancillary data of the different groups were compared. Results Forty-nine cases of gPrDs presenting with FTD were identified. Compared to FTD or prion diseases, gPrDs presenting with FTD were characterized by earlier onset age (median 45 vs. 61/60 years, P < 0.001, P < 0.001) and higher incidence of positive family history (81.6% vs. 27.5/13.2%, P < 0.001, P < 0.001). Furthermore, GPrDs presenting with FTD exhibited shorter duration (median 5 vs. 8 years) and a higher rate of parkinsonism (63.7% vs. 9.8%, P < 0.001), pyramidal signs (39.1% vs. 7.8%, P = 0.001), mutism (35.9% vs. 0%, P < 0.001), seizures (25.8% vs. 0%, P < 0.001), myoclonus (22.5% vs. 0%, P < 0.001), and hyperintensity on MRI (25.0% vs. 0, P < 0.001) compared to FTD. Compared to prion diseases, gPrDs presenting with FTD had a longer duration of symptoms (median 5 vs. 1.1 years, P < 0.001), higher rates of frontotemporal atrophy (89.7% vs. 3.3%, P < 0.001), lower rates of periodic short-wave complexes on EEG (0% vs. 30.3%, P = 0.001), and hyperintensity on MRI (25.0% vs. 83.0%, P < 0.001). The frequency of codon 129 Val allele in gPrDs presenting with FTD was significantly higher than that reported in the literature for gPrDs in the Caucasian and East Asian populations (33.3% vs. 19.2%/8.0%, P = 0.005, P < 0.001). Conclusions GPrDs presenting with FTD are characterized by early-onset, high incidence of positive family history, high frequency of the Val allele at codon 129, overlapping symptoms with prion disease and FTD, and ancillary features closer to FTD. PRNP mutations may be a rare cause in the FTD spectrum, and PRNP genotyping should be considered in patients with these features.

", + "authors": [ + { + "name_en": "Chen Zhongyun", + "name_zh": "Chen Zhongyun", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + } + ] + }, + { + "name_en": "Chu Min", + "name_zh": "Chu Min", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + } + ] + }, + { + "name_en": "Liu Li", + "name_zh": "Liu Li", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + } + ] + }, + { + "name_en": "Zhang Jing", + "name_zh": "Zhang Jing", + "email": "zhangj271@ucas.ac.cn", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Shanghai Institute of Organic Chemistry", + "name_zh": "中国科学院上海有机化学研究所", + "ror_id": "https://ror.org/01y3hvq34" + }, + { + "name_en": "University of Chinese Academy of Sciences", + "name_zh": "中国科学院大学", + "ror_id": "https://ror.org/05qbk4x57" + }, + { + "name_en": "cnic", + "name_zh": "中国科学院", + "ror_id": "https://ror.org/034t30j35" + } + ] + }, + { + "name_en": "Kong Yu", + "name_zh": "Kong Yu", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "cnic", + "name_zh": "中国科学院", + "ror_id": "https://ror.org/034t30j35" + } + ] + }, + { + "name_en": "Xie Kexin", + "name_zh": "Xie Kexin", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + } + ] + }, + { + "name_en": "Cui Yue", + "name_zh": "Cui Yue", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + } + ] + }, + { + "name_en": "Ye Hong", + "name_zh": "Ye Hong", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + } + ] + }, + { + "name_en": "Li Junjie", + "name_zh": "Li Junjie", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + } + ] + }, + { + "name_en": "Wang Lin", + "name_zh": "Wang Lin", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + } + ] + }, + { + "name_en": "Wu Liyong", + "name_zh": "Wu Liyong", + "email": "wmywly@hotmail.com", + "affiliations": [ + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + }, + { + "name_en": "Capital Medical University", + "name_zh": "Capital Medical University" + } + ] + } + ], + "keywords_en": [ + "化学", + "有机", + "金属" + ], + "keywords_zh": [ + "化学", + "有机", + "金属" + ], + "publication_date": "2022-06-29T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.03, + "file_size_bytes": 26761, + "download_count": 0, + "visit_count": 0, + "url": "https://www.scidb.cn/en/detail?id=64f046b8cc4bc33e70a59008", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3903262", + "cstr": "", + "pid": "", + "title": "segmented Sanskrit corpus (proof of concept)", + "title_en": "segmented Sanskrit corpus (proof of concept)", + "title_zh": "segmented Sanskrit corpus (proof of concept)", + "description": "This is a proof-of-concept Sanskrit corpus developed for the study of Buddhist Sanskrit lexicology.It comprises:\t 172 metadata-enriched Buddhist Sanskrit texts for a total of ~ 5 million words. The corpus contains all Mahāyāna and 'mainstream' Buddhist based on Sanskrit editions texts available on GRETIL (reconstructed editions based on Tibetan translations have been filtered out).The corpus is in romanised Sanskrit (UTF-8 encoding) and is available in three configurations:\t segmented (with dash-separated words)\t segmented and stemmed (with capitalised word stem and compounds separated by an @ sign).\tsegmented, stemmed and normalised (normalisation treats some spelling variation and solves sandhi of stems' initials in most cases), recommended for Word Sketches.The latter version can be used to generate word sketches in Sketch Engine if used in conjunction with the included sketch grammar, which infers likely syntactic dependencies from morphological cues.**avagraha has been replaced with a** in the stemmed versionsLimitationsAs a proof of concept, this corpus suffers from several limitations. It is very small by contemporary standards, it has not been proof-read and it is currently only segmented and stemmed (not lemmatised or PoS tagged). A funding bid has been submitted to expand and lemmatise the corpus.Data QualityThe corpus has been segmented with Lugli's Sanskrit segmenter (10.5281/zenodo.3459215). The accuracy of this segmenter has been evaluated at 97% on a sample of Buddhist Sanskrit literature.Please refer to the segmenter documentation stored at 10.5281/zenodo.3459215 for details on evaluation and stemming conventions.AcknowledgmentsThe corpus has been realised as part of the project 'Lexis and Tradition: variation in the vocabulary of Sanskrit Mahāyāna literature'. This project was funded by the British Academy through a Newton International Fellowship (NF161436) and hosted at the Department of Theology and Religious Studies at King's College London under the supervision of Prof. Henrietta Kate Crosby. Dr. Bruno Galasek-Hul has contributed to versions 1.4 & 1.5 thanks to funding from the Mangalam Research Center for Buddhist Languages.Thanks to GRETIL, Dr. Vinita Tseng and Prof. Steinkellner for kindly giving their permission to include automatically processed versions of some of their editions in this corpus. Changelogversion 1.5 adds more Buddhist texts, removes the reference corpus and improves segmentationversion 1.4 adds 59 Buddhist texts and fixes some recurrent segmentation errorsversion 1.4.1 corrects some spacing and sentence parsing errors", + "description_en": "This is a proof-of-concept Sanskrit corpus developed for the study of Buddhist Sanskrit lexicology.It comprises:\t 172 metadata-enriched Buddhist Sanskrit texts for a total of ~ 5 million words. The corpus contains all Mahāyāna and 'mainstream' Buddhist based on Sanskrit editions texts available on GRETIL (reconstructed editions based on Tibetan translations have been filtered out).The corpus is in romanised Sanskrit (UTF-8 encoding) and is available in three configurations:\t segmented (with dash-separated words)\t segmented and stemmed (with capitalised word stem and compounds separated by an @ sign).\tsegmented, stemmed and normalised (normalisation treats some spelling variation and solves sandhi of stems' initials in most cases), recommended for Word Sketches.The latter version can be used to generate word sketches in Sketch Engine if used in conjunction with the included sketch grammar, which infers likely syntactic dependencies from morphological cues.**avagraha has been replaced with a** in the stemmed versionsLimitationsAs a proof of concept, this corpus suffers from several limitations. It is very small by contemporary standards, it has not been proof-read and it is currently only segmented and stemmed (not lemmatised or PoS tagged). A funding bid has been submitted to expand and lemmatise the corpus.Data QualityThe corpus has been segmented with Lugli's Sanskrit segmenter (10.5281/zenodo.3459215). The accuracy of this segmenter has been evaluated at 97% on a sample of Buddhist Sanskrit literature.Please refer to the segmenter documentation stored at 10.5281/zenodo.3459215 for details on evaluation and stemming conventions.AcknowledgmentsThe corpus has been realised as part of the project 'Lexis and Tradition: variation in the vocabulary of Sanskrit Mahāyāna literature'. This project was funded by the British Academy through a Newton International Fellowship (NF161436) and hosted at the Department of Theology and Religious Studies at King's College London under the supervision of Prof. Henrietta Kate Crosby. Dr. Bruno Galasek-Hul has contributed to versions 1.4 & 1.5 thanks to funding from the Mangalam Research Center for Buddhist Languages.Thanks to GRETIL, Dr. Vinita Tseng and Prof. Steinkellner for kindly giving their permission to include automatically processed versions of some of their editions in this corpus. Changelogversion 1.5 adds more Buddhist texts, removes the reference corpus and improves segmentationversion 1.4 adds 59 Buddhist texts and fixes some recurrent segmentation errorsversion 1.4.1 corrects some spacing and sentence parsing errors", + "description_zh": "This is a proof-of-concept Sanskrit corpus developed for the study of Buddhist Sanskrit lexicology.It comprises:\t 172 metadata-enriched Buddhist Sanskrit texts for a total of ~ 5 million words. The corpus contains all Mahāyāna and 'mainstream' Buddhist based on Sanskrit editions texts available on GRETIL (reconstructed editions based on Tibetan translations have been filtered out).The corpus is in romanised Sanskrit (UTF-8 encoding) and is available in three configurations:\t segmented (with dash-separated words)\t segmented and stemmed (with capitalised word stem and compounds separated by an @ sign).\tsegmented, stemmed and normalised (normalisation treats some spelling variation and solves sandhi of stems' initials in most cases), recommended for Word Sketches.The latter version can be used to generate word sketches in Sketch Engine if used in conjunction with the included sketch grammar, which infers likely syntactic dependencies from morphological cues.**avagraha has been replaced with a** in the stemmed versionsLimitationsAs a proof of concept, this corpus suffers from several limitations. It is very small by contemporary standards, it has not been proof-read and it is currently only segmented and stemmed (not lemmatised or PoS tagged). A funding bid has been submitted to expand and lemmatise the corpus.Data QualityThe corpus has been segmented with Lugli's Sanskrit segmenter (10.5281/zenodo.3459215). The accuracy of this segmenter has been evaluated at 97% on a sample of Buddhist Sanskrit literature.Please refer to the segmenter documentation stored at 10.5281/zenodo.3459215 for details on evaluation and stemming conventions.AcknowledgmentsThe corpus has been realised as part of the project 'Lexis and Tradition: variation in the vocabulary of Sanskrit Mahāyāna literature'. This project was funded by the British Academy through a Newton International Fellowship (NF161436) and hosted at the Department of Theology and Religious Studies at King's College London under the supervision of Prof. Henrietta Kate Crosby. Dr. Bruno Galasek-Hul has contributed to versions 1.4 & 1.5 thanks to funding from the Mangalam Research Center for Buddhist Languages.Thanks to GRETIL, Dr. Vinita Tseng and Prof. Steinkellner for kindly giving their permission to include automatically processed versions of some of their editions in this corpus. Changelogversion 1.5 adds more Buddhist texts, removes the reference corpus and improves segmentationversion 1.4 adds 59 Buddhist texts and fixes some recurrent segmentation errorsversion 1.4.1 corrects some spacing and sentence parsing errors", + "authors": [ + { + "name_en": "Ligeia Lugli", + "name_zh": "Ligeia Lugli" + } + ], + "keywords_en": [ + "corpus", + "Sanskrit", + "Buddhist Sanskrit" + ], + "keywords_zh": [ + "corpus", + "Sanskrit", + "Buddhist Sanskrit" + ], + "publication_date": 1569168000000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 15085, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.574607", + "cstr": "", + "pid": "", + "title": "BioExcel Deliverable 3.2 – Consultancy Proposals", + "title_en": "BioExcel Deliverable 3.2 – Consultancy Proposals", + "title_zh": "BioExcel Deliverable 3.2 – Consultancy Proposals", + "description": "The partners in BioExcel are engaged in numerous projects, many of which have strong connections to the centre’s activities. The three core codes have been in development for many years and have been supported by many different projects over this time. It is the case however, that many of these funding streams are focused on specific scientific applications as opposed to other equally important aspects of research software development. Funding from proposals is necessary to support activities related to BioExcel, but individual projects alone cannot fully address the remit of the CoE, namely preparation for Exascale, improvements to software development processes, extensive support to the community and engaging with industry. BioExcel will support world leading European software whose development is funded through multiple sources. A CoE is needed to integrate these efforts into a coherent approach to maintain European leadership. If there was no CoE, the community would fragment and there would be a real risk that individual efforts would benefit only a subset of the user community.BioExcel is in a good position to support work related to the codes that otherfunding sources do not support directly, such as helping to prepare for Exascale, community building, and to help to provide continuity for code developers as they move between different funding streams.This document offers examples of project proposals that BioExcel has beeninvolved in, and projects or initiatives that are already underway. These are classified as either focused on the project’s core codes or related to BioExcel’s activities on workflows and data integration. Examples include proposals for specific code enhancements, such as the GROMEX bid, and involvement in larger proposals such as the EGI/EUDAT/INDIGO: European Open Science Cloud proposal, in which the HADDOCK web portal has been included as a thematic service. In terms of workflows, there are several large projects that involve multiple BioExcel partners including the ELIXIR Interoperability Platform, Multiscale Complex Genomics VRE and WestLife VRE. BioExcel partners are also involved in key development work with Open PHACTS and KNIME.Industry-related activities to date have focused around the establishment of the Interest Group, “Practical Applications for Industry”, which now has 30 signed up members from 23 companies.Work to explore future business models and sustainability plans is wellunderway in WP5. Whilst it is not yet known exactly what the balance of future funding for the centre will look like, it is clear that whatever the future funding model for the CoE, it is unlikely that any single line of public funding would fully sustain the work of the centre. It is therefore expected that BioExcel will continue to explore options to apply for funding from multiple sources, and this work has begun under the auspices of Task 3.6. Core BioExcel funding will provide continuity and stability, and serve to multiply the impact of the individual projects which could be, at least partially, coordinated by the CoE.", + "description_en": "The partners in BioExcel are engaged in numerous projects, many of which have strong connections to the centre’s activities. The three core codes have been in development for many years and have been supported by many different projects over this time. It is the case however, that many of these funding streams are focused on specific scientific applications as opposed to other equally important aspects of research software development. Funding from proposals is necessary to support activities related to BioExcel, but individual projects alone cannot fully address the remit of the CoE, namely preparation for Exascale, improvements to software development processes, extensive support to the community and engaging with industry. BioExcel will support world leading European software whose development is funded through multiple sources. A CoE is needed to integrate these efforts into a coherent approach to maintain European leadership. If there was no CoE, the community would fragment and there would be a real risk that individual efforts would benefit only a subset of the user community.BioExcel is in a good position to support work related to the codes that otherfunding sources do not support directly, such as helping to prepare for Exascale, community building, and to help to provide continuity for code developers as they move between different funding streams.This document offers examples of project proposals that BioExcel has beeninvolved in, and projects or initiatives that are already underway. These are classified as either focused on the project’s core codes or related to BioExcel’s activities on workflows and data integration. Examples include proposals for specific code enhancements, such as the GROMEX bid, and involvement in larger proposals such as the EGI/EUDAT/INDIGO: European Open Science Cloud proposal, in which the HADDOCK web portal has been included as a thematic service. In terms of workflows, there are several large projects that involve multiple BioExcel partners including the ELIXIR Interoperability Platform, Multiscale Complex Genomics VRE and WestLife VRE. BioExcel partners are also involved in key development work with Open PHACTS and KNIME.Industry-related activities to date have focused around the establishment of the Interest Group, “Practical Applications for Industry”, which now has 30 signed up members from 23 companies.Work to explore future business models and sustainability plans is wellunderway in WP5. Whilst it is not yet known exactly what the balance of future funding for the centre will look like, it is clear that whatever the future funding model for the CoE, it is unlikely that any single line of public funding would fully sustain the work of the centre. It is therefore expected that BioExcel will continue to explore options to apply for funding from multiple sources, and this work has begun under the auspices of Task 3.6. Core BioExcel funding will provide continuity and stability, and serve to multiply the impact of the individual projects which could be, at least partially, coordinated by the CoE.", + "description_zh": "The partners in BioExcel are engaged in numerous projects, many of which have strong connections to the centre’s activities. The three core codes have been in development for many years and have been supported by many different projects over this time. It is the case however, that many of these funding streams are focused on specific scientific applications as opposed to other equally important aspects of research software development. Funding from proposals is necessary to support activities related to BioExcel, but individual projects alone cannot fully address the remit of the CoE, namely preparation for Exascale, improvements to software development processes, extensive support to the community and engaging with industry. BioExcel will support world leading European software whose development is funded through multiple sources. A CoE is needed to integrate these efforts into a coherent approach to maintain European leadership. If there was no CoE, the community would fragment and there would be a real risk that individual efforts would benefit only a subset of the user community.BioExcel is in a good position to support work related to the codes that otherfunding sources do not support directly, such as helping to prepare for Exascale, community building, and to help to provide continuity for code developers as they move between different funding streams.This document offers examples of project proposals that BioExcel has beeninvolved in, and projects or initiatives that are already underway. These are classified as either focused on the project’s core codes or related to BioExcel’s activities on workflows and data integration. Examples include proposals for specific code enhancements, such as the GROMEX bid, and involvement in larger proposals such as the EGI/EUDAT/INDIGO: European Open Science Cloud proposal, in which the HADDOCK web portal has been included as a thematic service. In terms of workflows, there are several large projects that involve multiple BioExcel partners including the ELIXIR Interoperability Platform, Multiscale Complex Genomics VRE and WestLife VRE. BioExcel partners are also involved in key development work with Open PHACTS and KNIME.Industry-related activities to date have focused around the establishment of the Interest Group, “Practical Applications for Industry”, which now has 30 signed up members from 23 companies.Work to explore future business models and sustainability plans is wellunderway in WP5. Whilst it is not yet known exactly what the balance of future funding for the centre will look like, it is clear that whatever the future funding model for the CoE, it is unlikely that any single line of public funding would fully sustain the work of the centre. It is therefore expected that BioExcel will continue to explore options to apply for funding from multiple sources, and this work has begun under the auspices of Task 3.6. Core BioExcel funding will provide continuity and stability, and serve to multiply the impact of the individual projects which could be, at least partially, coordinated by the CoE.", + "authors": [ + { + "name_en": "Carter, Adam", + "name_zh": "Carter, Adam" + } + ], + "keywords_en": [ + "Consultancy", + "Industry", + "User Groups" + ], + "keywords_zh": [ + "Consultancy", + "Industry", + "User Groups" + ], + "publication_date": 1493481600000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.22, + "file_size_bytes": 231381, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.33432", + "cstr": "", + "pid": "", + "title": "The effects of dexamphetamine on the resting state electroencephalogram and functional connectivity", + "title_en": "The effects of dexamphetamine on the resting state electroencephalogram and functional connectivity", + "title_zh": "The effects of dexamphetamine on the resting state electroencephalogram and functional connectivity", + "description": "This upload comprises supplementary material and data for the paper "The effects of dexamphetamine on the resting state electroencephalogram and functional connectivity" Albrecht et al. (2015), Human Brain Mapping DOI: 10.1002/hbm.230521) The cleaned and group ICA resting state data in EEGLAB format.2) Basic demographics for the participants. Drug order 1 = placebo first, then dexamphetamine second. Drug order 2 = dexamphetamine first, then placebo second. Gender 1 = Female, Gender 2 = Male.3) Bayesian hierarchical modelling functions for R and Stan (through rstan). See paper for more details.", + "description_en": "This upload comprises supplementary material and data for the paper "The effects of dexamphetamine on the resting state electroencephalogram and functional connectivity" Albrecht et al. (2015), Human Brain Mapping DOI: 10.1002/hbm.230521) The cleaned and group ICA resting state data in EEGLAB format.2) Basic demographics for the participants. Drug order 1 = placebo first, then dexamphetamine second. Drug order 2 = dexamphetamine first, then placebo second. Gender 1 = Female, Gender 2 = Male.3) Bayesian hierarchical modelling functions for R and Stan (through rstan). See paper for more details.", + "description_zh": "This upload comprises supplementary material and data for the paper "The effects of dexamphetamine on the resting state electroencephalogram and functional connectivity" Albrecht et al. (2015), Human Brain Mapping DOI: 10.1002/hbm.230521) The cleaned and group ICA resting state data in EEGLAB format.2) Basic demographics for the participants. Drug order 1 = placebo first, then dexamphetamine second. Drug order 2 = dexamphetamine first, then placebo second. Gender 1 = Female, Gender 2 = Male.3) Bayesian hierarchical modelling functions for R and Stan (through rstan). See paper for more details.", + "authors": [ + { + "name_en": "Albrecht Matthew", + "name_zh": "Albrecht Matthew" + }, + { + "name_en": "Roberts Gareth", + "name_zh": "Roberts Gareth" + }, + { + "name_en": "Price Greg", + "name_zh": "Price Greg" + }, + { + "name_en": "Lee Joseph", + "name_zh": "Lee Joseph" + }, + { + "name_en": "Iyyalol Rajan", + "name_zh": "Iyyalol Rajan" + }, + { + "name_en": "Martin-Iverson Mathew", + "name_zh": "Martin-Iverson Mathew" + } + ], + "keywords_en": [ + "EEG", + "amphetamine", + "resting state", + "dopamine", + "noradrenaline", + "independent components analysis", + "connectivity", + "anhedonia", + "Bayesian", + "Hierarchical Modelling", + "Stan", + "orthoganlized connectivity" + ], + "keywords_zh": [ + "EEG", + "amphetamine", + "resting state", + "dopamine", + "noradrenaline", + "independent components analysis", + "connectivity", + "anhedonia", + "Bayesian", + "Hierarchical Modelling", + "Stan", + "orthoganlized connectivity" + ], + "publication_date": "2015-11-05T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-SA-4.0", + "file_size_mb": 5.61, + "file_size_bytes": 5878464, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3581862", + "cstr": "31253.11.10.5281/zenodo.3581862", + "pid": "", + "title": "The Effects of Tramadol and Paracetamol on Physical Performance, Brain Dynamics and Sustained Attention During Cycling Exercise: A Double Blind Randomized", + "title_en": "The Effects of Tramadol and Paracetamol on Physical Performance, Brain Dynamics and Sustained Attention During Cycling Exercise: A Double Blind Randomized", + "title_zh": "The Effects of Tramadol and Paracetamol on Physical Performance, Brain Dynamics and Sustained Attention During Cycling Exercise: A Double Blind Randomized", + "description": "The purposes of the current project are: 1) to investigate further the effect of Tramadol on cycling (at the physical, cognitive and brain levels) on the basis of the preliminary results of the TRAWADA2015 study (https://zenodo.org/deposit/1308615); 2) to study the effect of paracetamol at the physical, cognitive and brain levels during an aerobic and anaerobic exercise on cycle-ergometer, and compare it to that of tramadol", + "description_en": "The purposes of the current project are: 1) to investigate further the effect of Tramadol on cycling (at the physical, cognitive and brain levels) on the basis of the preliminary results of the TRAWADA2015 study (https://zenodo.org/deposit/1308615); 2) to study the effect of paracetamol at the physical, cognitive and brain levels during an aerobic and anaerobic exercise on cycle-ergometer, and compare it to that of tramadol", + "description_zh": "The purposes of the current project are: 1) to investigate further the effect of Tramadol on cycling (at the physical, cognitive and brain levels) on the basis of the preliminary results of the TRAWADA2015 study (https://zenodo.org/deposit/1308615); 2) to study the effect of paracetamol at the physical, cognitive and brain levels during an aerobic and anaerobic exercise on cycle-ergometer, and compare it to that of tramadol", + "authors": [ + { + "name_en": "Holgado Darías", + "name_zh": "Holgado Darías" + }, + { + "name_en": "Zandonai Thomas", + "name_zh": "Zandonai Thomas" + }, + { + "name_en": "Ciria Luis", + "name_zh": "Ciria Luis" + }, + { + "name_en": "Sanabria Daniel", + "name_zh": "Sanabria Daniel" + } + ], + "keywords_en": [ + "EEG", + "Tramadol", + "Paracetamol", + "Analgesic", + "Cycling performance", + "WADA", + "Brain activity" + ], + "keywords_zh": [ + "EEG", + "Tramadol", + "Paracetamol", + "Analgesic", + "Cycling performance", + "WADA", + "Brain activity" + ], + "publication_date": "2019-12-17T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 14.86, + "file_size_bytes": 15583424, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.581188", + "cstr": "31253.11.10.5281/zenodo.581188", + "pid": "", + "title": "Data for manuscript \"Automatic detection of orientation entropy within scenes\"", + "title_en": "Data for manuscript \"Automatic detection of orientation entropy within scenes\"", + "title_zh": "Data for manuscript \"Automatic detection of orientation entropy within scenes\"", + "description": "Raw Neuropscan .cnt data for 15 participants with conditions and stimulus order described in the logbook for each participant.", + "description_en": "Raw Neuropscan .cnt data for 15 participants with conditions and stimulus order described in the logbook for each participant.", + "description_zh": "Raw Neuropscan .cnt data for 15 participants with conditions and stimulus order described in the logbook for each participant.", + "authors": [ + { + "name_en": "Szonya Durant", + "name_zh": "Szonya Durant" + }, + { + "name_en": "Istvan Sulykos", + "name_zh": "Istvan Sulykos" + }, + { + "name_en": "Istvan Czigler", + "name_zh": "Istvan Czigler" + } + ], + "keywords_en": [ + "EEG entropy vMMN orientation" + ], + "keywords_zh": [ + "EEG entropy vMMN orientation" + ], + "publication_date": "2017-05-17T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 38.39, + "file_size_bytes": 40254860, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3402113", + "cstr": "", + "pid": "", + "title": "Macaca mulatta and Macaca fascicularis anatomical and functional MRI data", + "title_en": "Macaca mulatta and Macaca fascicularis anatomical and functional MRI data", + "title_zh": "Macaca mulatta and Macaca fascicularis anatomical and functional MRI data", + "description": " The ION dataset includes anatomical, field map, and fMRI data from 8 monkeys: 4 Macaca mulatta and 4 Macaca fascicularis.The data is provided both as a directory structure compressed as all_the_data.zip, and as individual files. The correspondence between the directory structure and the individual files is contained in the file tree.json. The bash command source unflatten.sh can be used to convert the individual files into the original directory structure.Scanner Specifications\tSiemens Tim Trio 3T whole-body scanner with or without head-only gradient insert (Siemens AC88)\t8-channel phased-array transceiver coils\tOptimization of the magnetic field prior to data acquisition: Manual shimmingSample Description\tSample size: 8\tAge distribution: 3.80-5.99 years\tWeight distribution: 5.0-10.2 kg\tSex distribution: 7 male, 1 femaleClick here for the full sample description (.csv download)Scan Procedures and ParametersEthics approval: All experimental procedures for nonhuman primate research were approved by the Institutional Animal Care and Use Committee in the Institute of Neuroscience and by the Biomedical Research Ethics Committee, Shanghai Institutes for Biological Sciences, Chinese Academy of Sciences, and conformed to National Institutes of Health guidelines for the humane care and use of laboratory animals.Animal care and housing: Animals were housed in single cageAny applicable training: noneScanning preparationsAnesthesia procedures: Anesthesia of the animals was inducted with an intramuscular injection of a cocktail of dexmedetomidine (18 - 30 µg/kg) and midazolam (0.2 - 0.3 mg/kg), supplemented with atropine sulfate (0.05 mg/kg). After intubation, anesthesia was maintained using the lowest possible concentration of isoflurane gas via a MRI-compatible ventilator.Time between anesthesia and scanning: Scanning lasted about 1.5 hours after induction.Head fixation: Custom-built MRI-compatible stereotaxic framePosition in scanner and procedure used: Sphinx positionContrast agent: noneDuring scanningPhysiological monitoring: Physiological parameters including blood oxygenation, ECG, rectal temperature, respiration rate and end-tidal CO2 were monitored. Oxygen saturation was kept over 95%.Additional procedures: Animals were ventilated by a MRI-compatible ventilator. Body temperature was kept constant using hot water blanket.Scan sequences\tResting-state:\t\t\tGradient-echo EPI\t\tTR: 2000ms\t\tTE: 29ms\t\tFlip angle: 77°\t\tField of view: 96 x 96 mm\t\tIn plane resolution: 1.5 x 1.5 mm\t\tSlices number: 32\t\tSlice thickness: 2.5mm\t\tGRAPPA factor: 2\t\tMeasurements: 200\t\tSlice direction: Coronal slice\t\t\tStructural:\t\t\tT1 MPRAGE Sequence\t\tVoxel resolution: 0.5 x 0.5 x 0.5 mm\t\tTE: 3.12ms\t\tTR: 2500ms\t\tTI: 1100ms\t\tFlip angle: 9°\t\tSlice direction: 44 sagittal slices\t\tNumber of averages: 2\t\t\tAdditional:\t\t\tField map: a pair of gradient echo images\t\tTE1: 4.22ms\t\tTE2: 6.68ms\t\tOrientation and resolution: same as resting-state images\t\tIntended for EPI distortion correction\t\tPublications\tLv, Q., Yang, L., Li, G., Wang, Z., Shen, Z., Yu, W., Jiang, Q., Hou, B., Pu, J., Hu, H., & Wang, Z. (2016). Large-Scale Persistent Network Reconfiguration Induced by Ketamine in Anesthetized Monkeys: Relevance to Mood Disorders. Biological Psychiatry, 79(9), 765–775. https://doi.org/10.1016/j.biopsych.2015.02.028PersonnelZheng Wang11Institute of Neuroscience, Key Laboratory of Primate Neurobiology, Shanghai Institutes for Biological Sciences, Chinese Academy of Sciences, Shanghai, ChinaAcknowledgementsThe authors thank Drs. Lawrence Wald, Ravi Menon, John Gore, Franz Schmitt, Renate Jerecic, Thomas Benner, Kecheng Liu, Ignacio Vallines, and Hui Liu for their generous help and contribution to the construction of our custom-tuned gradient-insert (AC88) 3T MRI facility for nonhuman primate subjects.Funding\tHundred Talent Program of Chinese Academy of Sciences (Technology) (Zheng Wang)\tChinese 973 Program (2011CBA00400)\tThe “Strategic Priority Research Program (B) of the Chinese Academy of Sciences (XDB02030004)\tThe Outstanding Youth Grant (Hailan Hu)Detailed information can be found at http://fcon_1000.projects.nitrc.org/indi/PRIME/ion.html.Citation \tWang, Z. (2019). Macaca mulatta and Macaca fascicularis anatomical and functional MRI data [Data set]. Zenodo. https://doi.org/10.5281/ZENODO.3402112.\tMilham, M. P., Ai, L., Koo, B., Xu, T., Amiez, C., Balezeau, F., … Schroeder, C. E. (2018). An Open Resource for Non-human Primate Imaging. Neuron, 100(1), 61–74.e2. https://doi.org/10.1016/j.neuron.2018.08.039.", + "description_en": " The ION dataset includes anatomical, field map, and fMRI data from 8 monkeys: 4 Macaca mulatta and 4 Macaca fascicularis.The data is provided both as a directory structure compressed as all_the_data.zip, and as individual files. The correspondence between the directory structure and the individual files is contained in the file tree.json. The bash command source unflatten.sh can be used to convert the individual files into the original directory structure.Scanner Specifications\tSiemens Tim Trio 3T whole-body scanner with or without head-only gradient insert (Siemens AC88)\t8-channel phased-array transceiver coils\tOptimization of the magnetic field prior to data acquisition: Manual shimmingSample Description\tSample size: 8\tAge distribution: 3.80-5.99 years\tWeight distribution: 5.0-10.2 kg\tSex distribution: 7 male, 1 femaleClick here for the full sample description (.csv download)Scan Procedures and ParametersEthics approval: All experimental procedures for nonhuman primate research were approved by the Institutional Animal Care and Use Committee in the Institute of Neuroscience and by the Biomedical Research Ethics Committee, Shanghai Institutes for Biological Sciences, Chinese Academy of Sciences, and conformed to National Institutes of Health guidelines for the humane care and use of laboratory animals.Animal care and housing: Animals were housed in single cageAny applicable training: noneScanning preparationsAnesthesia procedures: Anesthesia of the animals was inducted with an intramuscular injection of a cocktail of dexmedetomidine (18 - 30 µg/kg) and midazolam (0.2 - 0.3 mg/kg), supplemented with atropine sulfate (0.05 mg/kg). After intubation, anesthesia was maintained using the lowest possible concentration of isoflurane gas via a MRI-compatible ventilator.Time between anesthesia and scanning: Scanning lasted about 1.5 hours after induction.Head fixation: Custom-built MRI-compatible stereotaxic framePosition in scanner and procedure used: Sphinx positionContrast agent: noneDuring scanningPhysiological monitoring: Physiological parameters including blood oxygenation, ECG, rectal temperature, respiration rate and end-tidal CO2 were monitored. Oxygen saturation was kept over 95%.Additional procedures: Animals were ventilated by a MRI-compatible ventilator. Body temperature was kept constant using hot water blanket.Scan sequences\tResting-state:\t\t\tGradient-echo EPI\t\tTR: 2000ms\t\tTE: 29ms\t\tFlip angle: 77°\t\tField of view: 96 x 96 mm\t\tIn plane resolution: 1.5 x 1.5 mm\t\tSlices number: 32\t\tSlice thickness: 2.5mm\t\tGRAPPA factor: 2\t\tMeasurements: 200\t\tSlice direction: Coronal slice\t\t\tStructural:\t\t\tT1 MPRAGE Sequence\t\tVoxel resolution: 0.5 x 0.5 x 0.5 mm\t\tTE: 3.12ms\t\tTR: 2500ms\t\tTI: 1100ms\t\tFlip angle: 9°\t\tSlice direction: 44 sagittal slices\t\tNumber of averages: 2\t\t\tAdditional:\t\t\tField map: a pair of gradient echo images\t\tTE1: 4.22ms\t\tTE2: 6.68ms\t\tOrientation and resolution: same as resting-state images\t\tIntended for EPI distortion correction\t\tPublications\tLv, Q., Yang, L., Li, G., Wang, Z., Shen, Z., Yu, W., Jiang, Q., Hou, B., Pu, J., Hu, H., & Wang, Z. (2016). Large-Scale Persistent Network Reconfiguration Induced by Ketamine in Anesthetized Monkeys: Relevance to Mood Disorders. Biological Psychiatry, 79(9), 765–775. https://doi.org/10.1016/j.biopsych.2015.02.028PersonnelZheng Wang11Institute of Neuroscience, Key Laboratory of Primate Neurobiology, Shanghai Institutes for Biological Sciences, Chinese Academy of Sciences, Shanghai, ChinaAcknowledgementsThe authors thank Drs. Lawrence Wald, Ravi Menon, John Gore, Franz Schmitt, Renate Jerecic, Thomas Benner, Kecheng Liu, Ignacio Vallines, and Hui Liu for their generous help and contribution to the construction of our custom-tuned gradient-insert (AC88) 3T MRI facility for nonhuman primate subjects.Funding\tHundred Talent Program of Chinese Academy of Sciences (Technology) (Zheng Wang)\tChinese 973 Program (2011CBA00400)\tThe “Strategic Priority Research Program (B) of the Chinese Academy of Sciences (XDB02030004)\tThe Outstanding Youth Grant (Hailan Hu)Detailed information can be found at http://fcon_1000.projects.nitrc.org/indi/PRIME/ion.html.Citation \tWang, Z. (2019). Macaca mulatta and Macaca fascicularis anatomical and functional MRI data [Data set]. Zenodo. https://doi.org/10.5281/ZENODO.3402112.\tMilham, M. P., Ai, L., Koo, B., Xu, T., Amiez, C., Balezeau, F., … Schroeder, C. E. (2018). An Open Resource for Non-human Primate Imaging. Neuron, 100(1), 61–74.e2. https://doi.org/10.1016/j.neuron.2018.08.039.", + "description_zh": " The ION dataset includes anatomical, field map, and fMRI data from 8 monkeys: 4 Macaca mulatta and 4 Macaca fascicularis.The data is provided both as a directory structure compressed as all_the_data.zip, and as individual files. The correspondence between the directory structure and the individual files is contained in the file tree.json. The bash command source unflatten.sh can be used to convert the individual files into the original directory structure.Scanner Specifications\tSiemens Tim Trio 3T whole-body scanner with or without head-only gradient insert (Siemens AC88)\t8-channel phased-array transceiver coils\tOptimization of the magnetic field prior to data acquisition: Manual shimmingSample Description\tSample size: 8\tAge distribution: 3.80-5.99 years\tWeight distribution: 5.0-10.2 kg\tSex distribution: 7 male, 1 femaleClick here for the full sample description (.csv download)Scan Procedures and ParametersEthics approval: All experimental procedures for nonhuman primate research were approved by the Institutional Animal Care and Use Committee in the Institute of Neuroscience and by the Biomedical Research Ethics Committee, Shanghai Institutes for Biological Sciences, Chinese Academy of Sciences, and conformed to National Institutes of Health guidelines for the humane care and use of laboratory animals.Animal care and housing: Animals were housed in single cageAny applicable training: noneScanning preparationsAnesthesia procedures: Anesthesia of the animals was inducted with an intramuscular injection of a cocktail of dexmedetomidine (18 - 30 µg/kg) and midazolam (0.2 - 0.3 mg/kg), supplemented with atropine sulfate (0.05 mg/kg). After intubation, anesthesia was maintained using the lowest possible concentration of isoflurane gas via a MRI-compatible ventilator.Time between anesthesia and scanning: Scanning lasted about 1.5 hours after induction.Head fixation: Custom-built MRI-compatible stereotaxic framePosition in scanner and procedure used: Sphinx positionContrast agent: noneDuring scanningPhysiological monitoring: Physiological parameters including blood oxygenation, ECG, rectal temperature, respiration rate and end-tidal CO2 were monitored. Oxygen saturation was kept over 95%.Additional procedures: Animals were ventilated by a MRI-compatible ventilator. Body temperature was kept constant using hot water blanket.Scan sequences\tResting-state:\t\t\tGradient-echo EPI\t\tTR: 2000ms\t\tTE: 29ms\t\tFlip angle: 77°\t\tField of view: 96 x 96 mm\t\tIn plane resolution: 1.5 x 1.5 mm\t\tSlices number: 32\t\tSlice thickness: 2.5mm\t\tGRAPPA factor: 2\t\tMeasurements: 200\t\tSlice direction: Coronal slice\t\t\tStructural:\t\t\tT1 MPRAGE Sequence\t\tVoxel resolution: 0.5 x 0.5 x 0.5 mm\t\tTE: 3.12ms\t\tTR: 2500ms\t\tTI: 1100ms\t\tFlip angle: 9°\t\tSlice direction: 44 sagittal slices\t\tNumber of averages: 2\t\t\tAdditional:\t\t\tField map: a pair of gradient echo images\t\tTE1: 4.22ms\t\tTE2: 6.68ms\t\tOrientation and resolution: same as resting-state images\t\tIntended for EPI distortion correction\t\tPublications\tLv, Q., Yang, L., Li, G., Wang, Z., Shen, Z., Yu, W., Jiang, Q., Hou, B., Pu, J., Hu, H., & Wang, Z. (2016). Large-Scale Persistent Network Reconfiguration Induced by Ketamine in Anesthetized Monkeys: Relevance to Mood Disorders. Biological Psychiatry, 79(9), 765–775. https://doi.org/10.1016/j.biopsych.2015.02.028PersonnelZheng Wang11Institute of Neuroscience, Key Laboratory of Primate Neurobiology, Shanghai Institutes for Biological Sciences, Chinese Academy of Sciences, Shanghai, ChinaAcknowledgementsThe authors thank Drs. Lawrence Wald, Ravi Menon, John Gore, Franz Schmitt, Renate Jerecic, Thomas Benner, Kecheng Liu, Ignacio Vallines, and Hui Liu for their generous help and contribution to the construction of our custom-tuned gradient-insert (AC88) 3T MRI facility for nonhuman primate subjects.Funding\tHundred Talent Program of Chinese Academy of Sciences (Technology) (Zheng Wang)\tChinese 973 Program (2011CBA00400)\tThe “Strategic Priority Research Program (B) of the Chinese Academy of Sciences (XDB02030004)\tThe Outstanding Youth Grant (Hailan Hu)Detailed information can be found at http://fcon_1000.projects.nitrc.org/indi/PRIME/ion.html.Citation \tWang, Z. (2019). Macaca mulatta and Macaca fascicularis anatomical and functional MRI data [Data set]. Zenodo. https://doi.org/10.5281/ZENODO.3402112.\tMilham, M. P., Ai, L., Koo, B., Xu, T., Amiez, C., Balezeau, F., … Schroeder, C. E. (2018). An Open Resource for Non-human Primate Imaging. Neuron, 100(1), 61–74.e2. https://doi.org/10.1016/j.neuron.2018.08.039.", + "authors": [ + { + "name_en": "Wang Zheng", + "name_zh": "Wang Zheng" + } + ], + "keywords_en": [ + "neuroimaging", + "neuroanatomy", + "functional MRI", + "non-human primate brain", + "NHP", + "BIDS", + "PRIME-DE" + ], + "keywords_zh": [ + "neuroimaging", + "neuroanatomy", + "functional MRI", + "non-human primate brain", + "NHP", + "BIDS", + "PRIME-DE" + ], + "publication_date": "2019-09-06T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-SA-4.0", + "file_size_mb": 0.0, + "file_size_bytes": 768, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4449634", + "cstr": "31253.11.10.5281/zenodo.4449634", + "pid": "", + "title": "Benchmark data for source localization validation", + "title_en": "Benchmark data for source localization validation", + "title_zh": "Benchmark data for source localization validation", + "description": "Template data related to the publication :La Fisca et al., A Versatile Validation Framework for ERP and Oscillatory Source Reconstruction Using FieldTrip, 2021Funded by: F.N.R.S - F.R.I.A, Belgium", + "description_en": "Template data related to the publication :La Fisca et al., A Versatile Validation Framework for ERP and Oscillatory Source Reconstruction Using FieldTrip, 2021Funded by: F.N.R.S - F.R.I.A, Belgium", + "description_zh": "Template data related to the publication :La Fisca et al., A Versatile Validation Framework for ERP and Oscillatory Source Reconstruction Using FieldTrip, 2021Funded by: F.N.R.S - F.R.I.A, Belgium", + "authors": [ + { + "name_en": "LA FISCA Luca", + "name_zh": "LA FISCA Luca" + }, + { + "name_en": "GOSSELIN Bernard", + "name_zh": "GOSSELIN Bernard" + } + ], + "keywords_en": [ + "Validation", + "EEG", + "Source reconstruction/localization", + "Benchmark", + "Simulation", + "ERP", + "FieldTrip" + ], + "keywords_zh": [ + "Validation", + "EEG", + "Source reconstruction/localization", + "Benchmark", + "Simulation", + "ERP", + "FieldTrip" + ], + "publication_date": "2021-01-18T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 10.32, + "file_size_bytes": 10822634, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4436212", + "cstr": "31253.11.10.5281/zenodo.4436212", + "pid": "", + "title": "USB-to-TTL", + "title_en": "USB-to-TTL", + "title_zh": "USB-to-TTL", + "description": "This repository contains the source code for the `usb-to-ttl` documentation page, hostet at https://sappelhoff.github.io/usb-to-ttl. Alternatively, see the README file for instructions to build the documentation locally.", + "description_en": "This repository contains the source code for the `usb-to-ttl` documentation page, hostet at https://sappelhoff.github.io/usb-to-ttl. Alternatively, see the README file for instructions to build the documentation locally.", + "description_zh": "This repository contains the source code for the `usb-to-ttl` documentation page, hostet at https://sappelhoff.github.io/usb-to-ttl. Alternatively, see the README file for instructions to build the documentation locally.", + "authors": [ + { + "name_en": "Appelhoff, Stefan", + "name_zh": "Appelhoff, Stefan" + }, + { + "name_en": " Stenner, Tristan", + "name_zh": " Stenner, Tristan" + } + ], + "keywords_en": [ + "parallel port", + "arduino", + "teensy", + "trigger", + "event", + "marker", + "magnetoencephalography", + "meg", + "electroencephalography", + "eeg" + ], + "keywords_zh": [ + "parallel port", + "arduino", + "teensy", + "trigger", + "event", + "marker", + "magnetoencephalography", + "meg", + "electroencephalography", + "eeg" + ], + "publication_date": 1610467200000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 1.95, + "file_size_bytes": 2044544, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.155475", + "cstr": "31253.11.10.5281/zenodo.155475", + "pid": "", + "title": "Evidence of Emotion-Antecedent Appraisal Checks in Electroencephalography and Facial Electromyography", + "title_en": "Evidence of Emotion-Antecedent Appraisal Checks in Electroencephalography and Facial Electromyography", + "title_zh": "Evidence of Emotion-Antecedent Appraisal Checks in Electroencephalography and Facial Electromyography", + "description": "Data from study published in Plos One", + "description_en": "Data from study published in Plos One", + "description_zh": "Data from study published in Plos One", + "authors": [ + { + "name_en": "Coutinho Eduardo", + "name_zh": "Coutinho Eduardo" + }, + { + "name_en": "Gentsch Kornelia", + "name_zh": "Gentsch Kornelia" + }, + { + "name_en": "van Peer Jacobeen", + "name_zh": "van Peer Jacobeen" + }, + { + "name_en": "Scherer Klaus R.", + "name_zh": "Scherer Klaus R." + }, + { + "name_en": "Schuller Björn W.", + "name_zh": "Schuller Björn W." + } + ], + "keywords_en": [ + "Appraisal", + "EEG", + "EMG", + "Machine Learning", + "Classification" + ], + "keywords_zh": [ + "Appraisal", + "EEG", + "EMG", + "Machine Learning", + "Classification" + ], + "publication_date": "2017-03-30T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.01, + "file_size_bytes": 8960, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.1245217", + "cstr": "", + "pid": "", + "title": "Spontaneous Low-Voltage Fast Onset Seizures in Human Mesial Temporal Lobe Epilepsy Are Caused by Specific Inhibitory/Excitatory Imbalance", + "title_en": "Spontaneous Low-Voltage Fast Onset Seizures in Human Mesial Temporal Lobe Epilepsy Are Caused by Specific Inhibitory/Excitatory Imbalance", + "title_zh": "Spontaneous Low-Voltage Fast Onset Seizures in Human Mesial Temporal Lobe Epilepsy Are Caused by Specific Inhibitory/Excitatory Imbalance", + "description": "Local field potential recordings during low voltage fast seizures recorded from microelectrodes in patients with medically refractory temporal lobe epilepsy", + "description_en": "Local field potential recordings during low voltage fast seizures recorded from microelectrodes in patients with medically refractory temporal lobe epilepsy", + "description_zh": "Local field potential recordings during low voltage fast seizures recorded from microelectrodes in patients with medically refractory temporal lobe epilepsy", + "authors": [ + { + "name_en": "Elahian Bahareh", + "name_zh": "Elahian Bahareh" + }, + { + "name_en": "Lado Nathan", + "name_zh": "Lado Nathan" + }, + { + "name_en": "Misra Amrit", + "name_zh": "Misra Amrit" + }, + { + "name_en": "Moxon Karen", + "name_zh": "Moxon Karen" + }, + { + "name_en": "Fried Itzhak", + "name_zh": "Fried Itzhak" + }, + { + "name_en": "Sharan Ashwini", + "name_zh": "Sharan Ashwini" + }, + { + "name_en": "Yeasin Mohammed", + "name_zh": "Yeasin Mohammed" + }, + { + "name_en": "Staba Richard", + "name_zh": "Staba Richard" + }, + { + "name_en": "Bragin Anatol", + "name_zh": "Bragin Anatol" + }, + { + "name_en": "Avoli Massimo", + "name_zh": "Avoli Massimo" + }, + { + "name_en": "Sperling Michael", + "name_zh": "Sperling Michael" + }, + { + "name_en": "Weiss Shennan", + "name_zh": "Weiss Shennan" + } + ], + "keywords_en": [ + "eeg", + "lfp", + "microelectrode", + "seizure" + ], + "keywords_zh": [ + "eeg", + "lfp", + "microelectrode", + "seizure" + ], + "publication_date": "2017-07-28T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 0.0, + "file_size_bytes": 1740, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "60a670fab7734d4445783374", + "doi": "10.7272/q6c53j39", + "cstr": "", + "pid": "", + "title": "Cortical astrocytes independently regulate sleep depth and duration via separate GPCR pathways", + "title_en": "Cortical astrocytes independently regulate sleep depth and duration via separate GPCR pathways", + "title_zh": "Cortical astrocytes independently regulate sleep depth and duration via separate GPCR pathways", + "description": "

Non-rapid eye movement (NREM) sleep, characterized by slow-wave electrophysiological activity, underlies several critical functions, including learning and memory. However, NREM sleep is heterogeneous, varying in duration, depth, and spatially across the cortex. While these NREM sleep features are thought to be largely independently regulated, there is also evidence that they are mechanistically coupled. To investigate how cortical NREM sleep features are controlled, we examined the astrocytic network, comprising a cortex-wide syncytium that influences population-level neuronal activity. We quantified endogenous astrocyte activity in mice over natural sleep and wake, then manipulated specific astrocytic G-protein-coupled receptor (GPCR) signaling pathways in vivo. We find that astrocytic Gi- and Gq-coupled GPCR signaling separately control NREM sleep depth and duration, respectively, and that astrocytic signaling causes differential changes in local and remote cortex. These data support a model in which the cortical astrocyte network serves as a hub for regulating distinct NREM sleep features.

", + "description_en": "

Non-rapid eye movement (NREM) sleep, characterized by slow-wave electrophysiological activity, underlies several critical functions, including learning and memory. However, NREM sleep is heterogeneous, varying in duration, depth, and spatially across the cortex. While these NREM sleep features are thought to be largely independently regulated, there is also evidence that they are mechanistically coupled. To investigate how cortical NREM sleep features are controlled, we examined the astrocytic network, comprising a cortex-wide syncytium that influences population-level neuronal activity. We quantified endogenous astrocyte activity in mice over natural sleep and wake, then manipulated specific astrocytic G-protein-coupled receptor (GPCR) signaling pathways in vivo. We find that astrocytic Gi- and Gq-coupled GPCR signaling separately control NREM sleep depth and duration, respectively, and that astrocytic signaling causes differential changes in local and remote cortex. These data support a model in which the cortical astrocyte network serves as a hub for regulating distinct NREM sleep features.

", + "description_zh": "

Non-rapid eye movement (NREM) sleep, characterized by slow-wave electrophysiological activity, underlies several critical functions, including learning and memory. However, NREM sleep is heterogeneous, varying in duration, depth, and spatially across the cortex. While these NREM sleep features are thought to be largely independently regulated, there is also evidence that they are mechanistically coupled. To investigate how cortical NREM sleep features are controlled, we examined the astrocytic network, comprising a cortex-wide syncytium that influences population-level neuronal activity. We quantified endogenous astrocyte activity in mice over natural sleep and wake, then manipulated specific astrocytic G-protein-coupled receptor (GPCR) signaling pathways in vivo. We find that astrocytic Gi- and Gq-coupled GPCR signaling separately control NREM sleep depth and duration, respectively, and that astrocytic signaling causes differential changes in local and remote cortex. These data support a model in which the cortical astrocyte network serves as a hub for regulating distinct NREM sleep features.

", + "authors": [ + { + "name_en": "Poskanzer Kira", + "name_zh": "Poskanzer Kira" + }, + { + "name_en": "Vaidyanathan Trisha", + "name_zh": "Vaidyanathan Trisha" + } + ], + "keywords_en": [ + "astrocyte", + "calcium", + "Sleep duration", + "slow-wave sleep (SWS)", + "non-REM sleep", + "two-photon imaging", + "LFP", + "Electroencephalogram (EEG)", + "chemogenetics", + "automated image analysis", + "electrophysiology", + "delta band", + "slow oscillations", + "Cerebral Cortex" + ], + "keywords_zh": [ + "astrocyte", + "calcium", + "Sleep duration", + "slow-wave sleep (SWS)", + "non-REM sleep", + "two-photon imaging", + "LFP", + "Electroencephalogram (EEG)", + "chemogenetics", + "automated image analysis", + "electrophysiology", + "delta band", + "slow oscillations", + "Cerebral Cortex" + ], + "publication_date": "2020-12-29T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 15344.29, + "file_size_bytes": 16089652387, + "download_count": 0, + "visit_count": 0, + "url": "https://www.scidb.cn/en/detail?id=60a670fab7734d4445783374", + "source": "scidb" + }, + { + "dataset_id": "62bd107a70c5b75f4c7a7a89", + "doi": "10.6084/m9.figshare.8261948.v1", + "cstr": "", + "pid": "", + "title": "The influence of emotional words on predictive processing during sentence comprehension", + "title_en": "The influence of emotional words on predictive processing during sentence comprehension", + "title_zh": "The influence of emotional words on predictive processing during sentence comprehension", + "description": "

The current study examined the influence of contexts’ emotional arousal on prediction and integration of words during sentence comprehension. In sentence context, we manipulated the emotional arousal of verbs and the predictability of their following neutral nouns. At the anticipatory stage of the upcoming nouns, a larger sustained negativity was elicited in the highly constraining than the weakly constraining sentences for the neutral verbs but not for the emotional verbs. The results reflect reduced processing loads in response to the pre-activation of the highly predictable nouns when the emotional verbs automatically captured sufficient attentional resources. At the integration stage of the nouns, we found reduced N400 and LPC amplitudes for the highly versus weakly predictable nouns in both the emotionally arousing and non-arousing conditions. The findings suggest that the emotional arousal of context interacts with the prediction of upcoming words, but not the integration of the bottom-up inputs.

There are 16 markers in the raw data. \"11\" represents positive verbs in highly constraining sentences. \"12\" represents positive verbs in weakly constraining sentences. “21” represents neutral verbs in highly constraining sentences. \"22\" represents neutral verbs in weakly constraining sentences. \"31\" represents negative verbs in highly constraining sentences. \"32\" represents negative verbs in weakly constraining sentences. “41” represents neutral verbs in highly constraining sentences. \"42\" represents neutral verbs in weakly constraining sentences. “13” represents highly predictable nouns following positive verbs. “14” represents weakly predictable nouns following positive verbs. “23” represents highly predictable nouns following neutral verbs. “24” represents weakly predictable nouns following neutral verbs. “33” represents highly predictable nouns following negative verbs. “34” represents weakly predictable nouns following negative verbs. “43” represents highly predictable nouns following neutral verbs. “44” represents weakly predictable nouns.

", + "description_en": "

The current study examined the influence of contexts’ emotional arousal on prediction and integration of words during sentence comprehension. In sentence context, we manipulated the emotional arousal of verbs and the predictability of their following neutral nouns. At the anticipatory stage of the upcoming nouns, a larger sustained negativity was elicited in the highly constraining than the weakly constraining sentences for the neutral verbs but not for the emotional verbs. The results reflect reduced processing loads in response to the pre-activation of the highly predictable nouns when the emotional verbs automatically captured sufficient attentional resources. At the integration stage of the nouns, we found reduced N400 and LPC amplitudes for the highly versus weakly predictable nouns in both the emotionally arousing and non-arousing conditions. The findings suggest that the emotional arousal of context interacts with the prediction of upcoming words, but not the integration of the bottom-up inputs.

There are 16 markers in the raw data. \"11\" represents positive verbs in highly constraining sentences. \"12\" represents positive verbs in weakly constraining sentences. “21” represents neutral verbs in highly constraining sentences. \"22\" represents neutral verbs in weakly constraining sentences. \"31\" represents negative verbs in highly constraining sentences. \"32\" represents negative verbs in weakly constraining sentences. “41” represents neutral verbs in highly constraining sentences. \"42\" represents neutral verbs in weakly constraining sentences. “13” represents highly predictable nouns following positive verbs. “14” represents weakly predictable nouns following positive verbs. “23” represents highly predictable nouns following neutral verbs. “24” represents weakly predictable nouns following neutral verbs. “33” represents highly predictable nouns following negative verbs. “34” represents weakly predictable nouns following negative verbs. “43” represents highly predictable nouns following neutral verbs. “44” represents weakly predictable nouns.

", + "description_zh": "

The current study examined the influence of contexts’ emotional arousal on prediction and integration of words during sentence comprehension. In sentence context, we manipulated the emotional arousal of verbs and the predictability of their following neutral nouns. At the anticipatory stage of the upcoming nouns, a larger sustained negativity was elicited in the highly constraining than the weakly constraining sentences for the neutral verbs but not for the emotional verbs. The results reflect reduced processing loads in response to the pre-activation of the highly predictable nouns when the emotional verbs automatically captured sufficient attentional resources. At the integration stage of the nouns, we found reduced N400 and LPC amplitudes for the highly versus weakly predictable nouns in both the emotionally arousing and non-arousing conditions. The findings suggest that the emotional arousal of context interacts with the prediction of upcoming words, but not the integration of the bottom-up inputs.

There are 16 markers in the raw data. \"11\" represents positive verbs in highly constraining sentences. \"12\" represents positive verbs in weakly constraining sentences. “21” represents neutral verbs in highly constraining sentences. \"22\" represents neutral verbs in weakly constraining sentences. \"31\" represents negative verbs in highly constraining sentences. \"32\" represents negative verbs in weakly constraining sentences. “41” represents neutral verbs in highly constraining sentences. \"42\" represents neutral verbs in weakly constraining sentences. “13” represents highly predictable nouns following positive verbs. “14” represents weakly predictable nouns following positive verbs. “23” represents highly predictable nouns following neutral verbs. “24” represents weakly predictable nouns following neutral verbs. “33” represents highly predictable nouns following negative verbs. “34” represents weakly predictable nouns following negative verbs. “43” represents highly predictable nouns following neutral verbs. “44” represents weakly predictable nouns.

", + "authors": [ + { + "name_en": "Ding Jinfeng", + "name_zh": "Ding Jinfeng", + "email": "dingjf@psych.ac.cn", + "affiliations": [ + { + "name_en": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "name_zh": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "ror_id": "https://ror.org/03j7v5j15" + }, + { + "name_en": "Department of psychology, University of Chinese Academy of Sciences", + "name_zh": "Department of psychology, University of Chinese Academy of Sciences", + "ror_id": "https://ror.org/05qbk4x57" + } + ] + }, + { + "name_en": "Wang Lin", + "name_zh": "Wang Lin", + "email": "wanglinsisi@gmail.com", + "affiliations": [ + { + "name_en": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "name_zh": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "ror_id": "https://ror.org/03j7v5j15" + }, + { + "name_en": "Department of Psychiatry and the Athinoula A. Martinos Center for Biomedical Imaging, Massachusetts General Hospital, Harvard Medical School", + "name_zh": "Department of Psychiatry and the Athinoula A. Martinos Center for Biomedical Imaging, Massachusetts General Hospital, Harvard Medical School" + } + ] + }, + { + "name_en": "Yang Yufang", + "name_zh": "Yang Yufang", + "email": "yangyf@psych.ac.cn", + "affiliations": [ + { + "name_en": "Department of psychology, University of Chinese Academy of Sciences", + "name_zh": "Department of psychology, University of Chinese Academy of Sciences", + "ror_id": "https://ror.org/05qbk4x57" + }, + { + "name_en": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "name_zh": "CAS Key Laboratory of Behavioral Science, Institute of Psychology", + "ror_id": "https://ror.org/03j7v5j15" + }, + { + "name_en": "Jiangsu Collaborative Innovation Center for Language Ability, Jiangsu Normal University", + "name_zh": "Jiangsu Collaborative Innovation Center for Language Ability, Jiangsu Normal University" + } + ] + } + ], + "keywords_en": [ + "Emotional words", + "prediction", + "sentence comprehension", + "EEG" + ], + "keywords_zh": [ + "Emotional words", + "prediction", + "sentence comprehension", + "EEG" + ], + "publication_date": "2019-06-12T00:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 3240.39, + "file_size_bytes": 3397796901, + "download_count": 4, + "visit_count": 21, + "url": "https://www.scidb.cn/en/detail?id=62bd107a70c5b75f4c7a7a89", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3402457", + "cstr": "", + "pid": "", + "title": "Macaca mulatta structural and diffusion weighted MRI data", + "title_en": "Macaca mulatta structural and diffusion weighted MRI data", + "title_zh": "Macaca mulatta structural and diffusion weighted MRI data", + "description": " The AMU dataset includes structural and diffusion weighted MRI data from 4 Macaca mulatta monkeys.The data is provided both as a directory structure compressed as all_the_data.zip, and as individual files. The correspondence between the directory structure and the individual files is contained in the file tree.json. The bash command source unflatten.sh can be used to convert the individual files into the original directory structure.Sample Description\tSample size: 4\tAge distribution: 7-8 years\tWeight distribution: 7.5-12.5 kgs\tSex distribution: 3 male, 1 femaleClick here for the full sample description (.csv download)Scan Procedures and ParametersEthics approval: obtained at local Ethics CommitteeAnimal care and housing: At Institut de Neurosciences de La TimoneAny applicable training: N/AScanning preparationsAnesthesia procedures: IsofluraneTime between anesthesia and scanning: None- anesthesia was performed and monitored during scanning.Head fixation: Kopf frame and ear barsPosition in scanner and procedure used: Sphinx position. Fiducial marker placed on right side.Contrast agent: NoneDuring scanningPhysiological monitoring: Heart rate, respirationAdditional procedures: VentilationScan sequences\tScanner type: Siemens Prisma 3T\tHead coil: Body transmit array, 11cm loop receiving coil\tOptimization of the magnetic field prior to data acquisition: Automatic B0 shimming procedures from Siemens\t \tDiffusion-weighted:\t\t\tDiffusion SE-EPI sequence\t\tVoxel resolution: 1 x 1 x 1 mm\t\tTE: 87.6ms\t\tTR: 7520ms\t\t64b1000\t\t6b300\t\t5b0\t\tTwo repetitions with reversed phase encoding direction\t\t\tStructural:\t\t\tT1\t\t\t\t\tMPRAGE sequence\t\t\tVoxel resolution: 0.8 x 0.8 x 0.8 mm\t\t\tTE: 2.04ms\t\t\tTR: 2900ms\t\t\tTI: 1000ms\t\t\t\t\t\tT2\t\t\t\t\t3D SPACE sequence\t\t\tVoxel resolution: 0.8 x 0.8 x 0.8mm\t\t\tTE: 561ms\t\t\tTR: 3200ms\t\t\t\t\t\tQSM\t\t\t\t\t3D GRE sequence\t\t\tVoxel resolution: 0.93 x 0.93 x 1mm\t\t\tTE: 2.7-42ms\t\t\tTR: 45ms\t\t\t\t\t\tPersonnel\tThomas Brochier1\tPascal Belin1\tFrédéric Chavanne1\tLionel Velly1\tClémentine Bodin1\tLuc Renaud1,2\tMarc Martin1,2\tLaurence Boes1,2\tJulien Sein1\tBruno Nazarian1\tJean-Luc Anton11Institut de Neurosciences de la Timone (INT), UMR7289 CNRS & Aix-Marseille Université, Marseille, France2Centre d’Exploration Fonctionnelle et de Formation en Primatologie (CE2F-PRIM), UMS5737 CNRS & Aix-Marseille Université, Marseille, FranceAcknowledgementsWe gratefully acknowledge the support of French France-Life Imaging (FLI) and Infrastructures en Biologie Santé et Agronomie (IBISA)FundingProject PRIMAVOICE, PI Belin, French Agence Nationale de la RechercheDetailed information can be found at http://fcon_1000.projects.nitrc.org/indi/PRIME/amu.html.Citation\tBrochier, T., Belin, P., Chavanne, F., Velly, L., Bodin, C., Renaud, L., Martin, M., Boes, L., Sein, J., Nazarian, B., & Anton, J.-L. (2019). Macaca mulatta structural and diffusion weighted MRI data [Data set]. Zenodo. https://doi.org/10.5281/ZENODO.3402456.\tMilham, M. P., Ai, L., Koo, B., Xu, T., Amiez, C., Balezeau, F., … Schroeder, C. E. (2018). An Open Resource for Non-human Primate Imaging. Neuron, 100(1), 61–74.e2. https://doi.org/10.1016/j.neuron.2018.08.039.", + "description_en": " The AMU dataset includes structural and diffusion weighted MRI data from 4 Macaca mulatta monkeys.The data is provided both as a directory structure compressed as all_the_data.zip, and as individual files. The correspondence between the directory structure and the individual files is contained in the file tree.json. The bash command source unflatten.sh can be used to convert the individual files into the original directory structure.Sample Description\tSample size: 4\tAge distribution: 7-8 years\tWeight distribution: 7.5-12.5 kgs\tSex distribution: 3 male, 1 femaleClick here for the full sample description (.csv download)Scan Procedures and ParametersEthics approval: obtained at local Ethics CommitteeAnimal care and housing: At Institut de Neurosciences de La TimoneAny applicable training: N/AScanning preparationsAnesthesia procedures: IsofluraneTime between anesthesia and scanning: None- anesthesia was performed and monitored during scanning.Head fixation: Kopf frame and ear barsPosition in scanner and procedure used: Sphinx position. Fiducial marker placed on right side.Contrast agent: NoneDuring scanningPhysiological monitoring: Heart rate, respirationAdditional procedures: VentilationScan sequences\tScanner type: Siemens Prisma 3T\tHead coil: Body transmit array, 11cm loop receiving coil\tOptimization of the magnetic field prior to data acquisition: Automatic B0 shimming procedures from Siemens\t \tDiffusion-weighted:\t\t\tDiffusion SE-EPI sequence\t\tVoxel resolution: 1 x 1 x 1 mm\t\tTE: 87.6ms\t\tTR: 7520ms\t\t64b1000\t\t6b300\t\t5b0\t\tTwo repetitions with reversed phase encoding direction\t\t\tStructural:\t\t\tT1\t\t\t\t\tMPRAGE sequence\t\t\tVoxel resolution: 0.8 x 0.8 x 0.8 mm\t\t\tTE: 2.04ms\t\t\tTR: 2900ms\t\t\tTI: 1000ms\t\t\t\t\t\tT2\t\t\t\t\t3D SPACE sequence\t\t\tVoxel resolution: 0.8 x 0.8 x 0.8mm\t\t\tTE: 561ms\t\t\tTR: 3200ms\t\t\t\t\t\tQSM\t\t\t\t\t3D GRE sequence\t\t\tVoxel resolution: 0.93 x 0.93 x 1mm\t\t\tTE: 2.7-42ms\t\t\tTR: 45ms\t\t\t\t\t\tPersonnel\tThomas Brochier1\tPascal Belin1\tFrédéric Chavanne1\tLionel Velly1\tClémentine Bodin1\tLuc Renaud1,2\tMarc Martin1,2\tLaurence Boes1,2\tJulien Sein1\tBruno Nazarian1\tJean-Luc Anton11Institut de Neurosciences de la Timone (INT), UMR7289 CNRS & Aix-Marseille Université, Marseille, France2Centre d’Exploration Fonctionnelle et de Formation en Primatologie (CE2F-PRIM), UMS5737 CNRS & Aix-Marseille Université, Marseille, FranceAcknowledgementsWe gratefully acknowledge the support of French France-Life Imaging (FLI) and Infrastructures en Biologie Santé et Agronomie (IBISA)FundingProject PRIMAVOICE, PI Belin, French Agence Nationale de la RechercheDetailed information can be found at http://fcon_1000.projects.nitrc.org/indi/PRIME/amu.html.Citation\tBrochier, T., Belin, P., Chavanne, F., Velly, L., Bodin, C., Renaud, L., Martin, M., Boes, L., Sein, J., Nazarian, B., & Anton, J.-L. (2019). Macaca mulatta structural and diffusion weighted MRI data [Data set]. Zenodo. https://doi.org/10.5281/ZENODO.3402456.\tMilham, M. P., Ai, L., Koo, B., Xu, T., Amiez, C., Balezeau, F., … Schroeder, C. E. (2018). An Open Resource for Non-human Primate Imaging. Neuron, 100(1), 61–74.e2. https://doi.org/10.1016/j.neuron.2018.08.039.", + "description_zh": " The AMU dataset includes structural and diffusion weighted MRI data from 4 Macaca mulatta monkeys.The data is provided both as a directory structure compressed as all_the_data.zip, and as individual files. The correspondence between the directory structure and the individual files is contained in the file tree.json. The bash command source unflatten.sh can be used to convert the individual files into the original directory structure.Sample Description\tSample size: 4\tAge distribution: 7-8 years\tWeight distribution: 7.5-12.5 kgs\tSex distribution: 3 male, 1 femaleClick here for the full sample description (.csv download)Scan Procedures and ParametersEthics approval: obtained at local Ethics CommitteeAnimal care and housing: At Institut de Neurosciences de La TimoneAny applicable training: N/AScanning preparationsAnesthesia procedures: IsofluraneTime between anesthesia and scanning: None- anesthesia was performed and monitored during scanning.Head fixation: Kopf frame and ear barsPosition in scanner and procedure used: Sphinx position. Fiducial marker placed on right side.Contrast agent: NoneDuring scanningPhysiological monitoring: Heart rate, respirationAdditional procedures: VentilationScan sequences\tScanner type: Siemens Prisma 3T\tHead coil: Body transmit array, 11cm loop receiving coil\tOptimization of the magnetic field prior to data acquisition: Automatic B0 shimming procedures from Siemens\t \tDiffusion-weighted:\t\t\tDiffusion SE-EPI sequence\t\tVoxel resolution: 1 x 1 x 1 mm\t\tTE: 87.6ms\t\tTR: 7520ms\t\t64b1000\t\t6b300\t\t5b0\t\tTwo repetitions with reversed phase encoding direction\t\t\tStructural:\t\t\tT1\t\t\t\t\tMPRAGE sequence\t\t\tVoxel resolution: 0.8 x 0.8 x 0.8 mm\t\t\tTE: 2.04ms\t\t\tTR: 2900ms\t\t\tTI: 1000ms\t\t\t\t\t\tT2\t\t\t\t\t3D SPACE sequence\t\t\tVoxel resolution: 0.8 x 0.8 x 0.8mm\t\t\tTE: 561ms\t\t\tTR: 3200ms\t\t\t\t\t\tQSM\t\t\t\t\t3D GRE sequence\t\t\tVoxel resolution: 0.93 x 0.93 x 1mm\t\t\tTE: 2.7-42ms\t\t\tTR: 45ms\t\t\t\t\t\tPersonnel\tThomas Brochier1\tPascal Belin1\tFrédéric Chavanne1\tLionel Velly1\tClémentine Bodin1\tLuc Renaud1,2\tMarc Martin1,2\tLaurence Boes1,2\tJulien Sein1\tBruno Nazarian1\tJean-Luc Anton11Institut de Neurosciences de la Timone (INT), UMR7289 CNRS & Aix-Marseille Université, Marseille, France2Centre d’Exploration Fonctionnelle et de Formation en Primatologie (CE2F-PRIM), UMS5737 CNRS & Aix-Marseille Université, Marseille, FranceAcknowledgementsWe gratefully acknowledge the support of French France-Life Imaging (FLI) and Infrastructures en Biologie Santé et Agronomie (IBISA)FundingProject PRIMAVOICE, PI Belin, French Agence Nationale de la RechercheDetailed information can be found at http://fcon_1000.projects.nitrc.org/indi/PRIME/amu.html.Citation\tBrochier, T., Belin, P., Chavanne, F., Velly, L., Bodin, C., Renaud, L., Martin, M., Boes, L., Sein, J., Nazarian, B., & Anton, J.-L. (2019). Macaca mulatta structural and diffusion weighted MRI data [Data set]. Zenodo. https://doi.org/10.5281/ZENODO.3402456.\tMilham, M. P., Ai, L., Koo, B., Xu, T., Amiez, C., Balezeau, F., … Schroeder, C. E. (2018). An Open Resource for Non-human Primate Imaging. Neuron, 100(1), 61–74.e2. https://doi.org/10.1016/j.neuron.2018.08.039.", + "authors": [ + { + "name_en": "Brochier Thomas", + "name_zh": "Brochier Thomas" + }, + { + "name_en": "Belin Pascal", + "name_zh": "Belin Pascal" + }, + { + "name_en": "Chavanne Frédéric", + "name_zh": "Chavanne Frédéric" + }, + { + "name_en": "Velly Lionel", + "name_zh": "Velly Lionel" + }, + { + "name_en": "Bodin Clémentine", + "name_zh": "Bodin Clémentine" + }, + { + "name_en": "Renaud Luc", + "name_zh": "Renaud Luc" + }, + { + "name_en": "Martin Marc", + "name_zh": "Martin Marc" + }, + { + "name_en": "Boes Laurence", + "name_zh": "Boes Laurence" + }, + { + "name_en": "Sein Julien", + "name_zh": "Sein Julien" + }, + { + "name_en": "Nazarian Bruno", + "name_zh": "Nazarian Bruno" + }, + { + "name_en": "Anton Jean-Luc", + "name_zh": "Anton Jean-Luc" + } + ], + "keywords_en": [ + "neuroimaging", + "neuroanatomy", + "diffusion weighted MRI", + "non-human primate brain", + "NHP", + "BIDS", + "PRIME-DE" + ], + "keywords_zh": [ + "neuroimaging", + "neuroanatomy", + "diffusion weighted MRI", + "non-human primate brain", + "NHP", + "BIDS", + "PRIME-DE" + ], + "publication_date": "2019-09-07T16:00:00.000Z", + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-SA-4.0", + "file_size_mb": 0.02, + "file_size_bytes": 20849, + "download_count": 0, + "visit_count": 2, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3800156", + "cstr": "", + "pid": "", + "title": "Vedalia Beetles and Cyanide", + "title_en": "Vedalia Beetles and Cyanide", + "title_zh": "Vedalia Beetles and Cyanide", + "description": "Vedalia Beetles and Cyanide Back in Washington, Coquillett's supervisor C.V. Riley was constantly \"putting out fires\" of complaints of farmers, vintners, dairymen, etc. nationwide with regard to injurious insects causing damage to crops, trees, vines, and domestic animals. One particular set of complaints was coming from [no surprise] California (and had been for a few years). Riley was obviously impressed (or at least satisfied) enough with Coquillett's locust report to send him on a new mission. Orange groves were being subjected to damage by the introduced cottony-cushion scale. Coquillett was to join forces with exploratory entomologist Albert Koebele and find a solution to the problem. Riley had theorized that going to the home of the scale (Australia, where it was not causing the unchecked damage that it was in California) might prove successful in finding what insect or other organism was keeping populations of the scale in check or possibly could help eradicate it. In late 1885, the two began work. But, due to the diametrically opposed personalities of the two men, trouble soon ensued. Koebele discredited Coquillett's work and the two feuded over who was in charge. Coincidentally or not, funds for Coquillett's position ran out in the summer of 1886 and his employment with the U.S. Department of Agriculture was terminated. He was reemployed the next year, but the short time in between federal paychecks proved a useful period for Coquillett. Loss of employment with the federal government seemed not to deter the fervor Coquillett had for his work and, after meeting with two California agriculturalists who had begun the process, he began experiments with hydrocyanic-acid gas treatments for trees to rid them of scale insects. The gas was released under a tent covering a tree by mixing potassium cyanide with sulfuric acid 3. The previous methodology using this gas took many hours 3. This of course is the same concoction of chemicals prisons use for executing prisoners by lethal gas. for each tree and the method of mixing the two chemicals caused the gas to kill parts of the trees. By conducting trials with different dosages and tent designs, Coquillett was able to reduce the treatment to 15 minutes per tree. However, one day while experimenting with this gas treatment, Coquillett almost met an unfortunate fate. California State Quarantine Officer Alexander Craw (1899) related the story of he and Mr. J.R. Wolfskill (the latter the owner of the groves in Los Angeles where Coquillett was working; Fig. 7) going out into the groves to see how Coquillett was doing and saw evidence that he had left in a hurry. They finally tracked him down in his apartment (only a block away from the orchard—see below) and found out he had come into contact with the gas and feared for his life. He vowed never to work with the gas again. They finally convinced him to wear a suit for safety while using the gas and he reluctantly went back to work. Coquillett's work on the gas treatment was a tremendous success and was publicized throughout the world as the method for getting rid of pestiferous insects, especially scales, in orchards. Riley was disappointed that the U.S. D.A. would not get credit for this but that did not stop him from publicizing it in many reports and newspaper articles, which made it seem as though the gas treatment discovery was the result of the U.S. D.A. Back in the employ of Riley a few months later, Coquillett returned to work with Koebele to solve the scale problem. Koebele went to Australia to find insects that might control the scale, and Coquillett would be the experimenter who received the shipments, maintained the colonies, and reared them in cages to see which worked best. Various parasites and predators were shipped and tested in cages and in the field, but one in particular became world famous: the Vedalia ladybird beetle, Rodolia cardinalis, a ladybird beetle as conspicuous as the cottonycushion scale on which it readily fed. The beetles multiplied rapidly, were easily transferred from grove to grove, and were voracious feeders. Within a year, the scale was virtually eliminated from the region and California's citrus industry was saved. And, thus, more trouble ensued for Coquillett. Friction between state and federal officials over credit for the success resulted in a number of attacks on Coquillett and the federal government that were printed in the local papers. Coquillett remained quiet and did not respond to most of the disparaging remarks and personal attacks. In 1893, Riley had endured enough of the bad press the U.S. D.A. was getting in California and, after communicating the situation to the Secretary of Agriculture, the latter recalled both Koebele and Coquillett to Washington to separate them from California officials. Coquillett wrote to the Pacific Rural Press and they posted the letter from the Secretary of Agriculture. In that newspaper piece, Coquillett much lamented his having to go: \"I regret very much the necessity that bids me leave this interesting field of labor where the principal work of my life thus far has been wrought, and where many pleasant friendships have been formed. My relations with the honest soiltillers have been of the most agreeable kind, and I need hardly assure them that in whatever field I may be called upon to labor in the future, I carry with me the most pleasant remembrances of them and the good people of this peerless State—California.\" (Anonymous 1893a: 264). The reaction to the recall by growers in California was disappointment verging on outrage at State officials. The Pomological Society and Farmers' Institute of Southern California at their joint 1893 convention in Ontario, California went so far as to sign the following resolution: \"Whereas, the action of the National Department of Agriculture in withdrawing the two entomologists stationed in California, namely Professor D.W. Coquillett at Los Angeles and Professor Albert Koebele at Alameda, is due solely to the hostile attitude of the State Board of Horticulture, and particularly its secretary and president, to the authorities at Washington by persistently libeling Professors C.V. Riley and D.W. Coquillett and by further seeking to secure the discharge of the former entomologist of the department; Therefore, be it resolved by the Pomological Society and Farmers' Institute of Southern California, in joint convention assembled, November 2 and 3, 1893, in the city of Ontario, that the said State Board of Horticulture in no way represents the fruit-growers in their attacks upon Professors Riley and Coquillett. To the contrary, this convention deeply regrets the course pursued by the said State Board of Horticulture and strongly condemns it for robbing the great industry of horticulture of valuable aid at Washington.\" Anonymous (1893b: 2). Despite the apologies from their grower friends, the recall was a done deal, but the reactions to the recall by the two field agents were quite different from one another. Koebele had had enough of Riley and Washington and took a job in Hawaii working as exploratory entomologist for the new provisional government there; and eventually for R.C.L. Perkins and the Hawaii Sugar Planters' Association; and Coquillett, unsure of his future, moved to Washington to continue his employment with the U.S. D.A. Only after he was \"safely\" back in D.C. did Coquillett respond to the newspaper attacks on him (Coquillett 1893i). Coquillett never returned to California, but during his stay there he had purchased land, which he apparently kept until his death. While working for the U.S. D.A., he resided at 236 Winston Street (a building of small apartments), a few blocks away from the main rail station near downtown Los Angeles. That location no doubt allowed him a convenient hub of operations when he needed to travel to the various places that Riley would send him, but it was also only a block away from the Wolfskill orange groves where he developed the procedure for hydrocyanic gas to fumigate orange trees and where he would test the Vedalia beetle.", + "description_en": "Vedalia Beetles and Cyanide Back in Washington, Coquillett's supervisor C.V. Riley was constantly \"putting out fires\" of complaints of farmers, vintners, dairymen, etc. nationwide with regard to injurious insects causing damage to crops, trees, vines, and domestic animals. One particular set of complaints was coming from [no surprise] California (and had been for a few years). Riley was obviously impressed (or at least satisfied) enough with Coquillett's locust report to send him on a new mission. Orange groves were being subjected to damage by the introduced cottony-cushion scale. Coquillett was to join forces with exploratory entomologist Albert Koebele and find a solution to the problem. Riley had theorized that going to the home of the scale (Australia, where it was not causing the unchecked damage that it was in California) might prove successful in finding what insect or other organism was keeping populations of the scale in check or possibly could help eradicate it. In late 1885, the two began work. But, due to the diametrically opposed personalities of the two men, trouble soon ensued. Koebele discredited Coquillett's work and the two feuded over who was in charge. Coincidentally or not, funds for Coquillett's position ran out in the summer of 1886 and his employment with the U.S. Department of Agriculture was terminated. He was reemployed the next year, but the short time in between federal paychecks proved a useful period for Coquillett. Loss of employment with the federal government seemed not to deter the fervor Coquillett had for his work and, after meeting with two California agriculturalists who had begun the process, he began experiments with hydrocyanic-acid gas treatments for trees to rid them of scale insects. The gas was released under a tent covering a tree by mixing potassium cyanide with sulfuric acid 3. The previous methodology using this gas took many hours 3. This of course is the same concoction of chemicals prisons use for executing prisoners by lethal gas. for each tree and the method of mixing the two chemicals caused the gas to kill parts of the trees. By conducting trials with different dosages and tent designs, Coquillett was able to reduce the treatment to 15 minutes per tree. However, one day while experimenting with this gas treatment, Coquillett almost met an unfortunate fate. California State Quarantine Officer Alexander Craw (1899) related the story of he and Mr. J.R. Wolfskill (the latter the owner of the groves in Los Angeles where Coquillett was working; Fig. 7) going out into the groves to see how Coquillett was doing and saw evidence that he had left in a hurry. They finally tracked him down in his apartment (only a block away from the orchard—see below) and found out he had come into contact with the gas and feared for his life. He vowed never to work with the gas again. They finally convinced him to wear a suit for safety while using the gas and he reluctantly went back to work. Coquillett's work on the gas treatment was a tremendous success and was publicized throughout the world as the method for getting rid of pestiferous insects, especially scales, in orchards. Riley was disappointed that the U.S. D.A. would not get credit for this but that did not stop him from publicizing it in many reports and newspaper articles, which made it seem as though the gas treatment discovery was the result of the U.S. D.A. Back in the employ of Riley a few months later, Coquillett returned to work with Koebele to solve the scale problem. Koebele went to Australia to find insects that might control the scale, and Coquillett would be the experimenter who received the shipments, maintained the colonies, and reared them in cages to see which worked best. Various parasites and predators were shipped and tested in cages and in the field, but one in particular became world famous: the Vedalia ladybird beetle, Rodolia cardinalis, a ladybird beetle as conspicuous as the cottonycushion scale on which it readily fed. The beetles multiplied rapidly, were easily transferred from grove to grove, and were voracious feeders. Within a year, the scale was virtually eliminated from the region and California's citrus industry was saved. And, thus, more trouble ensued for Coquillett. Friction between state and federal officials over credit for the success resulted in a number of attacks on Coquillett and the federal government that were printed in the local papers. Coquillett remained quiet and did not respond to most of the disparaging remarks and personal attacks. In 1893, Riley had endured enough of the bad press the U.S. D.A. was getting in California and, after communicating the situation to the Secretary of Agriculture, the latter recalled both Koebele and Coquillett to Washington to separate them from California officials. Coquillett wrote to the Pacific Rural Press and they posted the letter from the Secretary of Agriculture. In that newspaper piece, Coquillett much lamented his having to go: \"I regret very much the necessity that bids me leave this interesting field of labor where the principal work of my life thus far has been wrought, and where many pleasant friendships have been formed. My relations with the honest soiltillers have been of the most agreeable kind, and I need hardly assure them that in whatever field I may be called upon to labor in the future, I carry with me the most pleasant remembrances of them and the good people of this peerless State—California.\" (Anonymous 1893a: 264). The reaction to the recall by growers in California was disappointment verging on outrage at State officials. The Pomological Society and Farmers' Institute of Southern California at their joint 1893 convention in Ontario, California went so far as to sign the following resolution: \"Whereas, the action of the National Department of Agriculture in withdrawing the two entomologists stationed in California, namely Professor D.W. Coquillett at Los Angeles and Professor Albert Koebele at Alameda, is due solely to the hostile attitude of the State Board of Horticulture, and particularly its secretary and president, to the authorities at Washington by persistently libeling Professors C.V. Riley and D.W. Coquillett and by further seeking to secure the discharge of the former entomologist of the department; Therefore, be it resolved by the Pomological Society and Farmers' Institute of Southern California, in joint convention assembled, November 2 and 3, 1893, in the city of Ontario, that the said State Board of Horticulture in no way represents the fruit-growers in their attacks upon Professors Riley and Coquillett. To the contrary, this convention deeply regrets the course pursued by the said State Board of Horticulture and strongly condemns it for robbing the great industry of horticulture of valuable aid at Washington.\" Anonymous (1893b: 2). Despite the apologies from their grower friends, the recall was a done deal, but the reactions to the recall by the two field agents were quite different from one another. Koebele had had enough of Riley and Washington and took a job in Hawaii working as exploratory entomologist for the new provisional government there; and eventually for R.C.L. Perkins and the Hawaii Sugar Planters' Association; and Coquillett, unsure of his future, moved to Washington to continue his employment with the U.S. D.A. Only after he was \"safely\" back in D.C. did Coquillett respond to the newspaper attacks on him (Coquillett 1893i). Coquillett never returned to California, but during his stay there he had purchased land, which he apparently kept until his death. While working for the U.S. D.A., he resided at 236 Winston Street (a building of small apartments), a few blocks away from the main rail station near downtown Los Angeles. That location no doubt allowed him a convenient hub of operations when he needed to travel to the various places that Riley would send him, but it was also only a block away from the Wolfskill orange groves where he developed the procedure for hydrocyanic gas to fumigate orange trees and where he would test the Vedalia beetle.", + "description_zh": "Vedalia Beetles and Cyanide Back in Washington, Coquillett's supervisor C.V. Riley was constantly \"putting out fires\" of complaints of farmers, vintners, dairymen, etc. nationwide with regard to injurious insects causing damage to crops, trees, vines, and domestic animals. One particular set of complaints was coming from [no surprise] California (and had been for a few years). Riley was obviously impressed (or at least satisfied) enough with Coquillett's locust report to send him on a new mission. Orange groves were being subjected to damage by the introduced cottony-cushion scale. Coquillett was to join forces with exploratory entomologist Albert Koebele and find a solution to the problem. Riley had theorized that going to the home of the scale (Australia, where it was not causing the unchecked damage that it was in California) might prove successful in finding what insect or other organism was keeping populations of the scale in check or possibly could help eradicate it. In late 1885, the two began work. But, due to the diametrically opposed personalities of the two men, trouble soon ensued. Koebele discredited Coquillett's work and the two feuded over who was in charge. Coincidentally or not, funds for Coquillett's position ran out in the summer of 1886 and his employment with the U.S. Department of Agriculture was terminated. He was reemployed the next year, but the short time in between federal paychecks proved a useful period for Coquillett. Loss of employment with the federal government seemed not to deter the fervor Coquillett had for his work and, after meeting with two California agriculturalists who had begun the process, he began experiments with hydrocyanic-acid gas treatments for trees to rid them of scale insects. The gas was released under a tent covering a tree by mixing potassium cyanide with sulfuric acid 3. The previous methodology using this gas took many hours 3. This of course is the same concoction of chemicals prisons use for executing prisoners by lethal gas. for each tree and the method of mixing the two chemicals caused the gas to kill parts of the trees. By conducting trials with different dosages and tent designs, Coquillett was able to reduce the treatment to 15 minutes per tree. However, one day while experimenting with this gas treatment, Coquillett almost met an unfortunate fate. California State Quarantine Officer Alexander Craw (1899) related the story of he and Mr. J.R. Wolfskill (the latter the owner of the groves in Los Angeles where Coquillett was working; Fig. 7) going out into the groves to see how Coquillett was doing and saw evidence that he had left in a hurry. They finally tracked him down in his apartment (only a block away from the orchard—see below) and found out he had come into contact with the gas and feared for his life. He vowed never to work with the gas again. They finally convinced him to wear a suit for safety while using the gas and he reluctantly went back to work. Coquillett's work on the gas treatment was a tremendous success and was publicized throughout the world as the method for getting rid of pestiferous insects, especially scales, in orchards. Riley was disappointed that the U.S. D.A. would not get credit for this but that did not stop him from publicizing it in many reports and newspaper articles, which made it seem as though the gas treatment discovery was the result of the U.S. D.A. Back in the employ of Riley a few months later, Coquillett returned to work with Koebele to solve the scale problem. Koebele went to Australia to find insects that might control the scale, and Coquillett would be the experimenter who received the shipments, maintained the colonies, and reared them in cages to see which worked best. Various parasites and predators were shipped and tested in cages and in the field, but one in particular became world famous: the Vedalia ladybird beetle, Rodolia cardinalis, a ladybird beetle as conspicuous as the cottonycushion scale on which it readily fed. The beetles multiplied rapidly, were easily transferred from grove to grove, and were voracious feeders. Within a year, the scale was virtually eliminated from the region and California's citrus industry was saved. And, thus, more trouble ensued for Coquillett. Friction between state and federal officials over credit for the success resulted in a number of attacks on Coquillett and the federal government that were printed in the local papers. Coquillett remained quiet and did not respond to most of the disparaging remarks and personal attacks. In 1893, Riley had endured enough of the bad press the U.S. D.A. was getting in California and, after communicating the situation to the Secretary of Agriculture, the latter recalled both Koebele and Coquillett to Washington to separate them from California officials. Coquillett wrote to the Pacific Rural Press and they posted the letter from the Secretary of Agriculture. In that newspaper piece, Coquillett much lamented his having to go: \"I regret very much the necessity that bids me leave this interesting field of labor where the principal work of my life thus far has been wrought, and where many pleasant friendships have been formed. My relations with the honest soiltillers have been of the most agreeable kind, and I need hardly assure them that in whatever field I may be called upon to labor in the future, I carry with me the most pleasant remembrances of them and the good people of this peerless State—California.\" (Anonymous 1893a: 264). The reaction to the recall by growers in California was disappointment verging on outrage at State officials. The Pomological Society and Farmers' Institute of Southern California at their joint 1893 convention in Ontario, California went so far as to sign the following resolution: \"Whereas, the action of the National Department of Agriculture in withdrawing the two entomologists stationed in California, namely Professor D.W. Coquillett at Los Angeles and Professor Albert Koebele at Alameda, is due solely to the hostile attitude of the State Board of Horticulture, and particularly its secretary and president, to the authorities at Washington by persistently libeling Professors C.V. Riley and D.W. Coquillett and by further seeking to secure the discharge of the former entomologist of the department; Therefore, be it resolved by the Pomological Society and Farmers' Institute of Southern California, in joint convention assembled, November 2 and 3, 1893, in the city of Ontario, that the said State Board of Horticulture in no way represents the fruit-growers in their attacks upon Professors Riley and Coquillett. To the contrary, this convention deeply regrets the course pursued by the said State Board of Horticulture and strongly condemns it for robbing the great industry of horticulture of valuable aid at Washington.\" Anonymous (1893b: 2). Despite the apologies from their grower friends, the recall was a done deal, but the reactions to the recall by the two field agents were quite different from one another. Koebele had had enough of Riley and Washington and took a job in Hawaii working as exploratory entomologist for the new provisional government there; and eventually for R.C.L. Perkins and the Hawaii Sugar Planters' Association; and Coquillett, unsure of his future, moved to Washington to continue his employment with the U.S. D.A. Only after he was \"safely\" back in D.C. did Coquillett respond to the newspaper attacks on him (Coquillett 1893i). Coquillett never returned to California, but during his stay there he had purchased land, which he apparently kept until his death. While working for the U.S. D.A., he resided at 236 Winston Street (a building of small apartments), a few blocks away from the main rail station near downtown Los Angeles. That location no doubt allowed him a convenient hub of operations when he needed to travel to the various places that Riley would send him, but it was also only a block away from the Wolfskill orange groves where he developed the procedure for hydrocyanic gas to fumigate orange trees and where he would test the Vedalia beetle.", + "authors": [ + { + "name_en": "Evenhuis, Neal L.", + "name_zh": "Evenhuis, Neal L." + } + ], + "keywords_en": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Arthropoda", + "Insecta", + "Coleoptera", + "Coccinellidae", + "Vedalia" + ], + "keywords_zh": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Arthropoda", + "Insecta", + "Coleoptera", + "Coccinellidae", + "Vedalia" + ], + "publication_date": 1518969600000, + "created": "", + "modified": "", + "status": "", + "license": "notspecified", + "file_size_mb": 0.01, + "file_size_bytes": 8617, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3792094", + "cstr": "31253.11.10.5281/zenodo.3792094", + "pid": "", + "title": "Alburnoides L.H.Jeitteles 1861", + "title_en": "Alburnoides L.H.Jeitteles 1861", + "title_zh": "Alburnoides L.H.Jeitteles 1861", + "description": "Key to Alburnoides species that are known to occur or may occur in Iran 1a 15-20 total gill rakers in outer row on first gill arch........................................................................ A. taeniatus [not recorded in Iran but may eventually reach the Caspian Sea basin and the Tedzhen (= Hari) River drainage of Iran from the Tedzhen River and Karakum Canal in Turkmenistan, see Coad (2009)] 1b 5-10 total gill rakers in outer row on first gill arch...................................... 2 2a Snout pointed or slightly rounded; mouth terminal or upturned, tip of mouth cleft on level from slightly above middle of eye to upper margin of pupil; lower jaw slightly to moderately projecting relative to upper jaw; junction of lower jaw and quadrate on about vertical through anterior eye margin...................................................................................................... A. qanati sp. n. 2b Snout slightly to markedly rounded; mouth terminal to subterminal, tip of mouth cleft on level from middle of eye to below lower margin of eye; upper jaw slightly to moderately projecting relative to lower jaw; junction of lower jaw and quadrate on about vertical through about middle of eye................ 3 3a 8-11½, commonly 9-10½, branched anal fin rays; 7½, rarely 8½, branched dorsal fin rays.............................................................................................. 4 3b 10-15½, commonly 11-13½, branched anal fin rays; 8½, rarely 7½, branched dorsal fin rays.............................................................................................. 5 4a Ventral keel completely scaled; 40-41 total vertebrae; 20-22, commonly 21, abdominal vertebrae................ Alburnoides sp. , Orumiyeh [Urmia] L. basin 4b Ventral keel scaleless along from 1/3 to whole keel length; 38-40, commonly 39, total vertebrae; 19-20 abdominal vertebrae............................................................................................ Alburnoides sp. 1, lower Tigris River system. 5a Ventral keel smoothed, scaled along 1/3 to whole length............................................................................. Alburnoides sp. 2, lower Tigris River system. 5b Ventral keel well pronounced, almost or completely scaleless...................... 6 6a Lateral line in live and preserved fish delineated by dark pigment dots above and below; 13-15 predorsal vertebrae; mouth terminal, tip of mouth cleft on or slightly below middle of eye................................................. A. eichwaldii 6b Lateral line in live and preserved fish somewhat darker than surrounding flank but no strong dark dots outline canal; 11-13 predorsal vertebrae; mouth almost subterminal, tip of mouth cleft on or below lower margin of eye....................................................................... Alburnoides sp. , Namak L. basin. Comparative Material. Alburnoides bipunctatus: SMF 20631 (5, Grenzfluss Luxemburg, Rhine drainage). Alburnoides eichwaldii (all from Eastern Transcaucasia: Kura-Aras river drainage down to Sefid Rud): CMNFI 1979 -0695 (30, Sefid Rud). – CMNFI 2007 -0090 (14, Zilber R.). – NMW 55516 (2 syntypes, Kura R.). – ZISP 2916 (7, Kura R.). – ZISP 3860 (5, Lenkoran' R.). – ZISP 5188 (10, Childyr [Cildir] L.). – ZISP 9104 (5, Lenkoran' R.). – ZISP 9131 (8, Lenkoran' R.). – ZISP 9136 (5, Geoktapinka R.). – ZISP 10249 (5, Kura R.). – ZISP 25704 (31, Gilyan-chay R.). – ZISP 25713 (26, Gilyanchay R.). – ZISP 37502 (10 syntypes of Alburnoides bipunctatus armeniensis, Marmarik R.). – ZISP 37503 (5, Dzoraget R.). – ZISP 37504 (5, Erer R.). – ZISP 41974 (9, Kura R.). – ZISP uncat. (30, Kura R.). – ZMH 3007 -9 (4, Kura R.). – ZMH 3586 (21, Childyr [Cildir] L.). – ZMH 3587 -88 (5, Kura R). Alburnoides fasciatus (Western Transcaucasia and rivers of the Black Sea coast in Turkey westward to Kizilirmak): NMW 10407 -19 (13 syntypes, rivers of eastern Black Sea coast). – ZISP 5296 (6, Rioni R.). – ZISP 11529 (3, Batum). – ZISP 14822 (6, Coruh R.). – ZISP 15157 (4, Kintrishi R.). – ZISP uncat. (35, Otap R.). – ZISP uncat. (25, Kyalasur R.). – ZMH 3585 (8, Kizilirmak R.). Alburnoides kubanicus (Kuban' R. drainage): ZISP 15306 (8, Laba R.). – ZISP 15307 (8, Kuban R.). – ZISP uncat. (25, Laba R.). Alburnoides oblongus: BMNH 1975.1.17:249-250 (2, Syr Darya). – ZISP 30696 (1, Badam R.). – ZISP 36725 (3, Angren R.). Alburnoides ohridanus: ZMH 801 (3, Ohrid L.). – ZMH 1464 (15, Ohrid L.). Alburnoides rossicus: ZISP 2684 (8, Dnieper R.). – ZISP 5172 (5 syntypes, Shishma R., Kama R. system). – ZISP 10759 (8, Dnieper R.). – ZISP 52813 (26, Vyatka R.). Alburnoides taeniatus: ZISP 25575 (53, Syr Darya R.). Alburnoides sp. (Danube River drainage): ZISP 23862 (3), 35710 (4), 35711 (5), 35819 (7), 36852 (10), 37242 (23, Timiş R.), 38329 (10, Argeş R.), ZISP uncat. (25, Sava R.). Alburnoides sp. (Eastern Ciscaucasia): ZISP 2879 (3, Sunzha R.). – ZISP 10790 (6, Terek R.). – ZISP 14733 (10, Sunzha R.). Alburnoides sp. (Amu Darya river drainage): ZISP 4491 (2, Zeravshan R.). – ZISP 11050 -53 (39, Ashkhabadka R.). Alburnoides sp. (Namak L. basin): CMNFI 1979 -0461A (30). – CMNFI 2007 -0121 (2). – CMNFI 2007 -0074 (4). – ZMH 4182 (7). Alburnoides sp. 1 (lower Tigris River system): CMNFI 1979-0281 (42, Simareh River drainage, Lorestan). Alburnoides sp. 2 (lower Tigris River system): CMNFI 2007-0075 (36, Malayer River, Hamadan), CMNFI 1979-0278 (4, Kashkan River drainage, Lorestan), CMNFI 2007-0115 (8, Qareh Su basin, Kermanshahan), CMNFI 2007-0118 (14, Bid Sorkh River, Kermanshahan). Alburnoides sp. (Orumiyeh [Urmia] L. basin): CMNFI 1970 -0558 (30).", + "description_en": "Key to Alburnoides species that are known to occur or may occur in Iran 1a 15-20 total gill rakers in outer row on first gill arch........................................................................ A. taeniatus [not recorded in Iran but may eventually reach the Caspian Sea basin and the Tedzhen (= Hari) River drainage of Iran from the Tedzhen River and Karakum Canal in Turkmenistan, see Coad (2009)] 1b 5-10 total gill rakers in outer row on first gill arch...................................... 2 2a Snout pointed or slightly rounded; mouth terminal or upturned, tip of mouth cleft on level from slightly above middle of eye to upper margin of pupil; lower jaw slightly to moderately projecting relative to upper jaw; junction of lower jaw and quadrate on about vertical through anterior eye margin...................................................................................................... A. qanati sp. n. 2b Snout slightly to markedly rounded; mouth terminal to subterminal, tip of mouth cleft on level from middle of eye to below lower margin of eye; upper jaw slightly to moderately projecting relative to lower jaw; junction of lower jaw and quadrate on about vertical through about middle of eye................ 3 3a 8-11½, commonly 9-10½, branched anal fin rays; 7½, rarely 8½, branched dorsal fin rays.............................................................................................. 4 3b 10-15½, commonly 11-13½, branched anal fin rays; 8½, rarely 7½, branched dorsal fin rays.............................................................................................. 5 4a Ventral keel completely scaled; 40-41 total vertebrae; 20-22, commonly 21, abdominal vertebrae................ Alburnoides sp. , Orumiyeh [Urmia] L. basin 4b Ventral keel scaleless along from 1/3 to whole keel length; 38-40, commonly 39, total vertebrae; 19-20 abdominal vertebrae............................................................................................ Alburnoides sp. 1, lower Tigris River system. 5a Ventral keel smoothed, scaled along 1/3 to whole length............................................................................. Alburnoides sp. 2, lower Tigris River system. 5b Ventral keel well pronounced, almost or completely scaleless...................... 6 6a Lateral line in live and preserved fish delineated by dark pigment dots above and below; 13-15 predorsal vertebrae; mouth terminal, tip of mouth cleft on or slightly below middle of eye................................................. A. eichwaldii 6b Lateral line in live and preserved fish somewhat darker than surrounding flank but no strong dark dots outline canal; 11-13 predorsal vertebrae; mouth almost subterminal, tip of mouth cleft on or below lower margin of eye....................................................................... Alburnoides sp. , Namak L. basin. Comparative Material. Alburnoides bipunctatus: SMF 20631 (5, Grenzfluss Luxemburg, Rhine drainage). Alburnoides eichwaldii (all from Eastern Transcaucasia: Kura-Aras river drainage down to Sefid Rud): CMNFI 1979 -0695 (30, Sefid Rud). – CMNFI 2007 -0090 (14, Zilber R.). – NMW 55516 (2 syntypes, Kura R.). – ZISP 2916 (7, Kura R.). – ZISP 3860 (5, Lenkoran' R.). – ZISP 5188 (10, Childyr [Cildir] L.). – ZISP 9104 (5, Lenkoran' R.). – ZISP 9131 (8, Lenkoran' R.). – ZISP 9136 (5, Geoktapinka R.). – ZISP 10249 (5, Kura R.). – ZISP 25704 (31, Gilyan-chay R.). – ZISP 25713 (26, Gilyanchay R.). – ZISP 37502 (10 syntypes of Alburnoides bipunctatus armeniensis, Marmarik R.). – ZISP 37503 (5, Dzoraget R.). – ZISP 37504 (5, Erer R.). – ZISP 41974 (9, Kura R.). – ZISP uncat. (30, Kura R.). – ZMH 3007 -9 (4, Kura R.). – ZMH 3586 (21, Childyr [Cildir] L.). – ZMH 3587 -88 (5, Kura R). Alburnoides fasciatus (Western Transcaucasia and rivers of the Black Sea coast in Turkey westward to Kizilirmak): NMW 10407 -19 (13 syntypes, rivers of eastern Black Sea coast). – ZISP 5296 (6, Rioni R.). – ZISP 11529 (3, Batum). – ZISP 14822 (6, Coruh R.). – ZISP 15157 (4, Kintrishi R.). – ZISP uncat. (35, Otap R.). – ZISP uncat. (25, Kyalasur R.). – ZMH 3585 (8, Kizilirmak R.). Alburnoides kubanicus (Kuban' R. drainage): ZISP 15306 (8, Laba R.). – ZISP 15307 (8, Kuban R.). – ZISP uncat. (25, Laba R.). Alburnoides oblongus: BMNH 1975.1.17:249-250 (2, Syr Darya). – ZISP 30696 (1, Badam R.). – ZISP 36725 (3, Angren R.). Alburnoides ohridanus: ZMH 801 (3, Ohrid L.). – ZMH 1464 (15, Ohrid L.). Alburnoides rossicus: ZISP 2684 (8, Dnieper R.). – ZISP 5172 (5 syntypes, Shishma R., Kama R. system). – ZISP 10759 (8, Dnieper R.). – ZISP 52813 (26, Vyatka R.). Alburnoides taeniatus: ZISP 25575 (53, Syr Darya R.). Alburnoides sp. (Danube River drainage): ZISP 23862 (3), 35710 (4), 35711 (5), 35819 (7), 36852 (10), 37242 (23, Timiş R.), 38329 (10, Argeş R.), ZISP uncat. (25, Sava R.). Alburnoides sp. (Eastern Ciscaucasia): ZISP 2879 (3, Sunzha R.). – ZISP 10790 (6, Terek R.). – ZISP 14733 (10, Sunzha R.). Alburnoides sp. (Amu Darya river drainage): ZISP 4491 (2, Zeravshan R.). – ZISP 11050 -53 (39, Ashkhabadka R.). Alburnoides sp. (Namak L. basin): CMNFI 1979 -0461A (30). – CMNFI 2007 -0121 (2). – CMNFI 2007 -0074 (4). – ZMH 4182 (7). Alburnoides sp. 1 (lower Tigris River system): CMNFI 1979-0281 (42, Simareh River drainage, Lorestan). Alburnoides sp. 2 (lower Tigris River system): CMNFI 2007-0075 (36, Malayer River, Hamadan), CMNFI 1979-0278 (4, Kashkan River drainage, Lorestan), CMNFI 2007-0115 (8, Qareh Su basin, Kermanshahan), CMNFI 2007-0118 (14, Bid Sorkh River, Kermanshahan). Alburnoides sp. (Orumiyeh [Urmia] L. basin): CMNFI 1970 -0558 (30).", + "description_zh": "Key to Alburnoides species that are known to occur or may occur in Iran 1a 15-20 total gill rakers in outer row on first gill arch........................................................................ A. taeniatus [not recorded in Iran but may eventually reach the Caspian Sea basin and the Tedzhen (= Hari) River drainage of Iran from the Tedzhen River and Karakum Canal in Turkmenistan, see Coad (2009)] 1b 5-10 total gill rakers in outer row on first gill arch...................................... 2 2a Snout pointed or slightly rounded; mouth terminal or upturned, tip of mouth cleft on level from slightly above middle of eye to upper margin of pupil; lower jaw slightly to moderately projecting relative to upper jaw; junction of lower jaw and quadrate on about vertical through anterior eye margin...................................................................................................... A. qanati sp. n. 2b Snout slightly to markedly rounded; mouth terminal to subterminal, tip of mouth cleft on level from middle of eye to below lower margin of eye; upper jaw slightly to moderately projecting relative to lower jaw; junction of lower jaw and quadrate on about vertical through about middle of eye................ 3 3a 8-11½, commonly 9-10½, branched anal fin rays; 7½, rarely 8½, branched dorsal fin rays.............................................................................................. 4 3b 10-15½, commonly 11-13½, branched anal fin rays; 8½, rarely 7½, branched dorsal fin rays.............................................................................................. 5 4a Ventral keel completely scaled; 40-41 total vertebrae; 20-22, commonly 21, abdominal vertebrae................ Alburnoides sp. , Orumiyeh [Urmia] L. basin 4b Ventral keel scaleless along from 1/3 to whole keel length; 38-40, commonly 39, total vertebrae; 19-20 abdominal vertebrae............................................................................................ Alburnoides sp. 1, lower Tigris River system. 5a Ventral keel smoothed, scaled along 1/3 to whole length............................................................................. Alburnoides sp. 2, lower Tigris River system. 5b Ventral keel well pronounced, almost or completely scaleless...................... 6 6a Lateral line in live and preserved fish delineated by dark pigment dots above and below; 13-15 predorsal vertebrae; mouth terminal, tip of mouth cleft on or slightly below middle of eye................................................. A. eichwaldii 6b Lateral line in live and preserved fish somewhat darker than surrounding flank but no strong dark dots outline canal; 11-13 predorsal vertebrae; mouth almost subterminal, tip of mouth cleft on or below lower margin of eye....................................................................... Alburnoides sp. , Namak L. basin. Comparative Material. Alburnoides bipunctatus: SMF 20631 (5, Grenzfluss Luxemburg, Rhine drainage). Alburnoides eichwaldii (all from Eastern Transcaucasia: Kura-Aras river drainage down to Sefid Rud): CMNFI 1979 -0695 (30, Sefid Rud). – CMNFI 2007 -0090 (14, Zilber R.). – NMW 55516 (2 syntypes, Kura R.). – ZISP 2916 (7, Kura R.). – ZISP 3860 (5, Lenkoran' R.). – ZISP 5188 (10, Childyr [Cildir] L.). – ZISP 9104 (5, Lenkoran' R.). – ZISP 9131 (8, Lenkoran' R.). – ZISP 9136 (5, Geoktapinka R.). – ZISP 10249 (5, Kura R.). – ZISP 25704 (31, Gilyan-chay R.). – ZISP 25713 (26, Gilyanchay R.). – ZISP 37502 (10 syntypes of Alburnoides bipunctatus armeniensis, Marmarik R.). – ZISP 37503 (5, Dzoraget R.). – ZISP 37504 (5, Erer R.). – ZISP 41974 (9, Kura R.). – ZISP uncat. (30, Kura R.). – ZMH 3007 -9 (4, Kura R.). – ZMH 3586 (21, Childyr [Cildir] L.). – ZMH 3587 -88 (5, Kura R). Alburnoides fasciatus (Western Transcaucasia and rivers of the Black Sea coast in Turkey westward to Kizilirmak): NMW 10407 -19 (13 syntypes, rivers of eastern Black Sea coast). – ZISP 5296 (6, Rioni R.). – ZISP 11529 (3, Batum). – ZISP 14822 (6, Coruh R.). – ZISP 15157 (4, Kintrishi R.). – ZISP uncat. (35, Otap R.). – ZISP uncat. (25, Kyalasur R.). – ZMH 3585 (8, Kizilirmak R.). Alburnoides kubanicus (Kuban' R. drainage): ZISP 15306 (8, Laba R.). – ZISP 15307 (8, Kuban R.). – ZISP uncat. (25, Laba R.). Alburnoides oblongus: BMNH 1975.1.17:249-250 (2, Syr Darya). – ZISP 30696 (1, Badam R.). – ZISP 36725 (3, Angren R.). Alburnoides ohridanus: ZMH 801 (3, Ohrid L.). – ZMH 1464 (15, Ohrid L.). Alburnoides rossicus: ZISP 2684 (8, Dnieper R.). – ZISP 5172 (5 syntypes, Shishma R., Kama R. system). – ZISP 10759 (8, Dnieper R.). – ZISP 52813 (26, Vyatka R.). Alburnoides taeniatus: ZISP 25575 (53, Syr Darya R.). Alburnoides sp. (Danube River drainage): ZISP 23862 (3), 35710 (4), 35711 (5), 35819 (7), 36852 (10), 37242 (23, Timiş R.), 38329 (10, Argeş R.), ZISP uncat. (25, Sava R.). Alburnoides sp. (Eastern Ciscaucasia): ZISP 2879 (3, Sunzha R.). – ZISP 10790 (6, Terek R.). – ZISP 14733 (10, Sunzha R.). Alburnoides sp. (Amu Darya river drainage): ZISP 4491 (2, Zeravshan R.). – ZISP 11050 -53 (39, Ashkhabadka R.). Alburnoides sp. (Namak L. basin): CMNFI 1979 -0461A (30). – CMNFI 2007 -0121 (2). – CMNFI 2007 -0074 (4). – ZMH 4182 (7). Alburnoides sp. 1 (lower Tigris River system): CMNFI 1979-0281 (42, Simareh River drainage, Lorestan). Alburnoides sp. 2 (lower Tigris River system): CMNFI 2007-0075 (36, Malayer River, Hamadan), CMNFI 1979-0278 (4, Kashkan River drainage, Lorestan), CMNFI 2007-0115 (8, Qareh Su basin, Kermanshahan), CMNFI 2007-0118 (14, Bid Sorkh River, Kermanshahan). Alburnoides sp. (Orumiyeh [Urmia] L. basin): CMNFI 1970 -0558 (30).", + "authors": [ + { + "name_en": "Coad, Brian", + "name_zh": "Coad, Brian" + }, + { + "name_en": " Bogutskaya, Nina", + "name_zh": " Bogutskaya, Nina" + } + ], + "keywords_en": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Chordata", + "Actinopterygii", + "Cypriniformes", + "Cyprinidae", + "Alburnoides" + ], + "keywords_zh": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Chordata", + "Actinopterygii", + "Cypriniformes", + "Cyprinidae", + "Alburnoides" + ], + "publication_date": 1246550400000, + "created": "", + "modified": "", + "status": "", + "license": "CC0", + "file_size_mb": 0.0, + "file_size_bytes": 3487, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4304894", + "cstr": "31253.11.10.5281/zenodo.4304894", + "pid": "", + "title": "Wages and Work Survey 2020 Bangladesh - dataset", + "title_en": "Wages and Work Survey 2020 Bangladesh - dataset", + "title_zh": "Wages and Work Survey 2020 Bangladesh - dataset", + "description": "Management summaryDecent Wage Bangladesh phase 1The aims of the project Decent Wage Bangladesh phase 1 aimed to gain insight in actual wages, the cost of living and the collective labour agreements in four low-paid sectors in three regions of Bangladesh, in order to strengthen the power of trade unions. The project received funding from Mondiaal FNV in the Netherlands and seeks to contribute to the to the knowledge and research pathway of Mondiaal’s theory of change related to social dialogue. Between August and November 2020 five studies have been undertaken. In a face-to-face survey on wages and work 1,894 workers have been interviewed. In a survey on the cost-of-living 19,252 prices have been observed. The content of 27 collective agreements have been analysed. Fifth, desk research regarding the four sectors was undertaken. The project was coordinated by WageIndicator Foundation, an NGO operating websites with information about work and wages in 140 countries, a wide network of correspondents and a track record in collecting and analysing data regarding wage patters, cost of living, minimum wages and collective agreements. For this project WageIndicator collaborated with its partner Bangladesh Institute of Development Studies (BIDS) in Dhaka, with a track record in conducting surveys in the country and with whom a long-lasting relationship exists. Relevant information was posted on the WageIndicator Bangladesh website and visual graphics and photos on the project webpage. The results of the Cost-of-Living survey can be seen here.Ready Made Garment (RMG), Leather and footwear, Construction and Tea gardens and estates are the key sectors in the report. In the Wages and Work Survey interviews have been held with 724 RMG workers in 65 factories, 337 leather and footwear workers in 34 factories, 432 construction  workers in several construction sites and 401 workers in 5 tea gardens and 15 tea estates. The Wages and Work Survey 2020 was conducted in the Chattagram, Dhaka and Sylhet Divisions.Earnings have been measured in great detail. Monthly median wages for a standard working week are BDT 3,092 in tea gardens and estates, BDT 9,857  in Ready made garment, Bangladeshi Taka (BDT) 10,800  in leather and footwear and BDT 11,547 in construction. The females’ median wage is 77% lower than that of the males, reflecting the gender pay gap noticed around the world. The main reason is not that women and men are paid differently for the same work, but that men and women work in gender-segregated parts of the labour market. Women are dominating the low-paid work in the tea gardens and estates. Workers aged 40 and over are substantially lower paid than younger workers, and this can partly be ascribed to the presence of older women in the tea gardens and estates. Workers hired via an intermediary have higher median wages than workers with a permanent contract or without a contract. Seven in ten workers report that they receive an annual bonus. Almost three in ten workers report that they participate in a pension fund and this is remarkably high in the tea estates, thereby partly compensating the low wages in the sector. Participation in an unemployment fund, a disability fund or medical insurance is hardly observed, but entitlement to paid sick leave and access to medical facilites is frequently mentioned. Female workers participate more than males in all funds and facilities. Compared to workers in the other three sectors, workers in tea gardens and estates participate more in all funds apart from paid sick leave. Social security is almost absent in the construction sector. Does the employer provide non-monetary provisions such as food, housing, clothing, or transport? Food is reported by almost two in ten workers, housing is also reported by more than three in ten workers, clothing by hardly any worker and transport by just over one in ten workers. Food and housing are substantially more often reported in the tea gardens and estates than in the other sectors. A third of the workers reports that overtime hours are paid as normal hours plus a premium, a third reports that overtime hours are paid as normal hours and another third reports that these extra hours are not paid. The latter is particularly the case in construction, although construction workers work long contractual hours they hardly have “overtime hours”, making not paying overtime hours not a major problem.Living Wage calculations aim to indicate a wage level that allows families to lead decent lives. It represents an estimate of the monthly expenses necessary to cover the cost of food, housing, transportation, health, education, water, phone and clothing. The prices of 61 food items, housing and transportation have been collected by means of a Cost-of-Living Survey, resulting in 19,252 prices. In Chattagram the living wage for a typical family is BDT 13,000 for a full-time working adult. In Dhaka the living wage for a typical family is BDT 14,400 for a full-time working adult. In both regions the wages of the lowest paid quarter of the semi-skilled workers are only sufficient for the living wage level of a single adult, the wages of the middle paid quarter are sufficient for a single adult and a standard 2+2 family, and the wages in the highest paid quarter are sufficient for a single adult, a standard 2+2 family, and a typical family. In Sylhet the living wage for a typical family is BDT 16,800 for a full-time working adult. In Sylhet the wages of the semi-skilled workers are not sufficient for the living wage level of a single adult, let alone for a standard 2+2 family or a typical family. However, the reader should take into account that these earnings are primarily based on the wages in the tea gardens and estates, where employers provide non-monetary provisions such as housing and food. Nevertheless, the wages in Sylhet are not sufficient for a living wage.Employment contracts. Whereas almost all workers in construction have no contract, in the leather industry workers have predominantly a permanent contract, specifically in Chattagram. In RMG the workers in Chattagram mostly have a permanent contract, whereas in Dhaka this is only the case for four in ten workers. RMG workers in Dhaka are in majority hired through a labour intermediary. Workers in the tea gardens and estates in Chattagram in majority have no contract, whereas in Sylhet they have in majority a permanent contract. On average the workers have eleven years of work experience. Almost half of the employees say they have been promoted in their current workplace.COVID-19 Absenteeism from work was very high in the first months of the pandemic, when the government ordered a general lock down (closure) for all industries. Almost all workers in construction, RMG and leather reported that they were absent from work from late March to late May 2020. Female workers were far less absent than male workers, and this is primarily due to the fact that the tea gardens and estates with their highly female workforce did not close. From 77% in March-May absenteeism tremendously dropped till 5% in June-September. By September the number of absent days had dropped to almost zero in all sectors. Absenteeism was predominantly due to workplace closures, but in some cases due to the unavailability of transport. More than eight all absent workers faced a wage reduction. Wage reduction has been applied equally across the various groups of workers. The workers who faced reduced earnings reported borrowing from family or friends (66% of those who faced wage reduction), receiving food distribution of the government (23%), borrowing from a micro lenders (MFI) (20%), borrowing from other small lenders (14%), receiving rations from the employer (9%) or receiving cash assistance from the government or from non-governmental institutions (both 4%). Male workers have borrowed from family or friends more often than female workers, and so did workers aged 40-49 and couples with more than two children.COVID-19 Hygiene at the workplace After return to work workers have assessed hygiene at the workplace and the supply of hygiene facilities. Workers are most positive about the safe distance or space in dining seating areas (56% assesses this as a low risk), followed by the independent use of all work equipment, as opposed to shared (46%). They were least positive about a safe distance between work stations and number of washrooms/toilets, and more than two in ten workers assess the number of washrooms/toilets even as a high risk. Handwashing facilities are by a large majority of the workers assessed as adequate with a low risk. In contrast, gloves were certainly not adequately supplied, as more than seven in ten workers state that these are not adequately supplied. This may be due to the fact that use of gloves could affect workers’ productivity, depending on the occupations.", + "description_en": "Management summaryDecent Wage Bangladesh phase 1The aims of the project Decent Wage Bangladesh phase 1 aimed to gain insight in actual wages, the cost of living and the collective labour agreements in four low-paid sectors in three regions of Bangladesh, in order to strengthen the power of trade unions. The project received funding from Mondiaal FNV in the Netherlands and seeks to contribute to the to the knowledge and research pathway of Mondiaal’s theory of change related to social dialogue. Between August and November 2020 five studies have been undertaken. In a face-to-face survey on wages and work 1,894 workers have been interviewed. In a survey on the cost-of-living 19,252 prices have been observed. The content of 27 collective agreements have been analysed. Fifth, desk research regarding the four sectors was undertaken. The project was coordinated by WageIndicator Foundation, an NGO operating websites with information about work and wages in 140 countries, a wide network of correspondents and a track record in collecting and analysing data regarding wage patters, cost of living, minimum wages and collective agreements. For this project WageIndicator collaborated with its partner Bangladesh Institute of Development Studies (BIDS) in Dhaka, with a track record in conducting surveys in the country and with whom a long-lasting relationship exists. Relevant information was posted on the WageIndicator Bangladesh website and visual graphics and photos on the project webpage. The results of the Cost-of-Living survey can be seen here.Ready Made Garment (RMG), Leather and footwear, Construction and Tea gardens and estates are the key sectors in the report. In the Wages and Work Survey interviews have been held with 724 RMG workers in 65 factories, 337 leather and footwear workers in 34 factories, 432 construction  workers in several construction sites and 401 workers in 5 tea gardens and 15 tea estates. The Wages and Work Survey 2020 was conducted in the Chattagram, Dhaka and Sylhet Divisions.Earnings have been measured in great detail. Monthly median wages for a standard working week are BDT 3,092 in tea gardens and estates, BDT 9,857  in Ready made garment, Bangladeshi Taka (BDT) 10,800  in leather and footwear and BDT 11,547 in construction. The females’ median wage is 77% lower than that of the males, reflecting the gender pay gap noticed around the world. The main reason is not that women and men are paid differently for the same work, but that men and women work in gender-segregated parts of the labour market. Women are dominating the low-paid work in the tea gardens and estates. Workers aged 40 and over are substantially lower paid than younger workers, and this can partly be ascribed to the presence of older women in the tea gardens and estates. Workers hired via an intermediary have higher median wages than workers with a permanent contract or without a contract. Seven in ten workers report that they receive an annual bonus. Almost three in ten workers report that they participate in a pension fund and this is remarkably high in the tea estates, thereby partly compensating the low wages in the sector. Participation in an unemployment fund, a disability fund or medical insurance is hardly observed, but entitlement to paid sick leave and access to medical facilites is frequently mentioned. Female workers participate more than males in all funds and facilities. Compared to workers in the other three sectors, workers in tea gardens and estates participate more in all funds apart from paid sick leave. Social security is almost absent in the construction sector. Does the employer provide non-monetary provisions such as food, housing, clothing, or transport? Food is reported by almost two in ten workers, housing is also reported by more than three in ten workers, clothing by hardly any worker and transport by just over one in ten workers. Food and housing are substantially more often reported in the tea gardens and estates than in the other sectors. A third of the workers reports that overtime hours are paid as normal hours plus a premium, a third reports that overtime hours are paid as normal hours and another third reports that these extra hours are not paid. The latter is particularly the case in construction, although construction workers work long contractual hours they hardly have “overtime hours”, making not paying overtime hours not a major problem.Living Wage calculations aim to indicate a wage level that allows families to lead decent lives. It represents an estimate of the monthly expenses necessary to cover the cost of food, housing, transportation, health, education, water, phone and clothing. The prices of 61 food items, housing and transportation have been collected by means of a Cost-of-Living Survey, resulting in 19,252 prices. In Chattagram the living wage for a typical family is BDT 13,000 for a full-time working adult. In Dhaka the living wage for a typical family is BDT 14,400 for a full-time working adult. In both regions the wages of the lowest paid quarter of the semi-skilled workers are only sufficient for the living wage level of a single adult, the wages of the middle paid quarter are sufficient for a single adult and a standard 2+2 family, and the wages in the highest paid quarter are sufficient for a single adult, a standard 2+2 family, and a typical family. In Sylhet the living wage for a typical family is BDT 16,800 for a full-time working adult. In Sylhet the wages of the semi-skilled workers are not sufficient for the living wage level of a single adult, let alone for a standard 2+2 family or a typical family. However, the reader should take into account that these earnings are primarily based on the wages in the tea gardens and estates, where employers provide non-monetary provisions such as housing and food. Nevertheless, the wages in Sylhet are not sufficient for a living wage.Employment contracts. Whereas almost all workers in construction have no contract, in the leather industry workers have predominantly a permanent contract, specifically in Chattagram. In RMG the workers in Chattagram mostly have a permanent contract, whereas in Dhaka this is only the case for four in ten workers. RMG workers in Dhaka are in majority hired through a labour intermediary. Workers in the tea gardens and estates in Chattagram in majority have no contract, whereas in Sylhet they have in majority a permanent contract. On average the workers have eleven years of work experience. Almost half of the employees say they have been promoted in their current workplace.COVID-19 Absenteeism from work was very high in the first months of the pandemic, when the government ordered a general lock down (closure) for all industries. Almost all workers in construction, RMG and leather reported that they were absent from work from late March to late May 2020. Female workers were far less absent than male workers, and this is primarily due to the fact that the tea gardens and estates with their highly female workforce did not close. From 77% in March-May absenteeism tremendously dropped till 5% in June-September. By September the number of absent days had dropped to almost zero in all sectors. Absenteeism was predominantly due to workplace closures, but in some cases due to the unavailability of transport. More than eight all absent workers faced a wage reduction. Wage reduction has been applied equally across the various groups of workers. The workers who faced reduced earnings reported borrowing from family or friends (66% of those who faced wage reduction), receiving food distribution of the government (23%), borrowing from a micro lenders (MFI) (20%), borrowing from other small lenders (14%), receiving rations from the employer (9%) or receiving cash assistance from the government or from non-governmental institutions (both 4%). Male workers have borrowed from family or friends more often than female workers, and so did workers aged 40-49 and couples with more than two children.COVID-19 Hygiene at the workplace After return to work workers have assessed hygiene at the workplace and the supply of hygiene facilities. Workers are most positive about the safe distance or space in dining seating areas (56% assesses this as a low risk), followed by the independent use of all work equipment, as opposed to shared (46%). They were least positive about a safe distance between work stations and number of washrooms/toilets, and more than two in ten workers assess the number of washrooms/toilets even as a high risk. Handwashing facilities are by a large majority of the workers assessed as adequate with a low risk. In contrast, gloves were certainly not adequately supplied, as more than seven in ten workers state that these are not adequately supplied. This may be due to the fact that use of gloves could affect workers’ productivity, depending on the occupations.", + "description_zh": "Management summaryDecent Wage Bangladesh phase 1The aims of the project Decent Wage Bangladesh phase 1 aimed to gain insight in actual wages, the cost of living and the collective labour agreements in four low-paid sectors in three regions of Bangladesh, in order to strengthen the power of trade unions. The project received funding from Mondiaal FNV in the Netherlands and seeks to contribute to the to the knowledge and research pathway of Mondiaal’s theory of change related to social dialogue. Between August and November 2020 five studies have been undertaken. In a face-to-face survey on wages and work 1,894 workers have been interviewed. In a survey on the cost-of-living 19,252 prices have been observed. The content of 27 collective agreements have been analysed. Fifth, desk research regarding the four sectors was undertaken. The project was coordinated by WageIndicator Foundation, an NGO operating websites with information about work and wages in 140 countries, a wide network of correspondents and a track record in collecting and analysing data regarding wage patters, cost of living, minimum wages and collective agreements. For this project WageIndicator collaborated with its partner Bangladesh Institute of Development Studies (BIDS) in Dhaka, with a track record in conducting surveys in the country and with whom a long-lasting relationship exists. Relevant information was posted on the WageIndicator Bangladesh website and visual graphics and photos on the project webpage. The results of the Cost-of-Living survey can be seen here.Ready Made Garment (RMG), Leather and footwear, Construction and Tea gardens and estates are the key sectors in the report. In the Wages and Work Survey interviews have been held with 724 RMG workers in 65 factories, 337 leather and footwear workers in 34 factories, 432 construction  workers in several construction sites and 401 workers in 5 tea gardens and 15 tea estates. The Wages and Work Survey 2020 was conducted in the Chattagram, Dhaka and Sylhet Divisions.Earnings have been measured in great detail. Monthly median wages for a standard working week are BDT 3,092 in tea gardens and estates, BDT 9,857  in Ready made garment, Bangladeshi Taka (BDT) 10,800  in leather and footwear and BDT 11,547 in construction. The females’ median wage is 77% lower than that of the males, reflecting the gender pay gap noticed around the world. The main reason is not that women and men are paid differently for the same work, but that men and women work in gender-segregated parts of the labour market. Women are dominating the low-paid work in the tea gardens and estates. Workers aged 40 and over are substantially lower paid than younger workers, and this can partly be ascribed to the presence of older women in the tea gardens and estates. Workers hired via an intermediary have higher median wages than workers with a permanent contract or without a contract. Seven in ten workers report that they receive an annual bonus. Almost three in ten workers report that they participate in a pension fund and this is remarkably high in the tea estates, thereby partly compensating the low wages in the sector. Participation in an unemployment fund, a disability fund or medical insurance is hardly observed, but entitlement to paid sick leave and access to medical facilites is frequently mentioned. Female workers participate more than males in all funds and facilities. Compared to workers in the other three sectors, workers in tea gardens and estates participate more in all funds apart from paid sick leave. Social security is almost absent in the construction sector. Does the employer provide non-monetary provisions such as food, housing, clothing, or transport? Food is reported by almost two in ten workers, housing is also reported by more than three in ten workers, clothing by hardly any worker and transport by just over one in ten workers. Food and housing are substantially more often reported in the tea gardens and estates than in the other sectors. A third of the workers reports that overtime hours are paid as normal hours plus a premium, a third reports that overtime hours are paid as normal hours and another third reports that these extra hours are not paid. The latter is particularly the case in construction, although construction workers work long contractual hours they hardly have “overtime hours”, making not paying overtime hours not a major problem.Living Wage calculations aim to indicate a wage level that allows families to lead decent lives. It represents an estimate of the monthly expenses necessary to cover the cost of food, housing, transportation, health, education, water, phone and clothing. The prices of 61 food items, housing and transportation have been collected by means of a Cost-of-Living Survey, resulting in 19,252 prices. In Chattagram the living wage for a typical family is BDT 13,000 for a full-time working adult. In Dhaka the living wage for a typical family is BDT 14,400 for a full-time working adult. In both regions the wages of the lowest paid quarter of the semi-skilled workers are only sufficient for the living wage level of a single adult, the wages of the middle paid quarter are sufficient for a single adult and a standard 2+2 family, and the wages in the highest paid quarter are sufficient for a single adult, a standard 2+2 family, and a typical family. In Sylhet the living wage for a typical family is BDT 16,800 for a full-time working adult. In Sylhet the wages of the semi-skilled workers are not sufficient for the living wage level of a single adult, let alone for a standard 2+2 family or a typical family. However, the reader should take into account that these earnings are primarily based on the wages in the tea gardens and estates, where employers provide non-monetary provisions such as housing and food. Nevertheless, the wages in Sylhet are not sufficient for a living wage.Employment contracts. Whereas almost all workers in construction have no contract, in the leather industry workers have predominantly a permanent contract, specifically in Chattagram. In RMG the workers in Chattagram mostly have a permanent contract, whereas in Dhaka this is only the case for four in ten workers. RMG workers in Dhaka are in majority hired through a labour intermediary. Workers in the tea gardens and estates in Chattagram in majority have no contract, whereas in Sylhet they have in majority a permanent contract. On average the workers have eleven years of work experience. Almost half of the employees say they have been promoted in their current workplace.COVID-19 Absenteeism from work was very high in the first months of the pandemic, when the government ordered a general lock down (closure) for all industries. Almost all workers in construction, RMG and leather reported that they were absent from work from late March to late May 2020. Female workers were far less absent than male workers, and this is primarily due to the fact that the tea gardens and estates with their highly female workforce did not close. From 77% in March-May absenteeism tremendously dropped till 5% in June-September. By September the number of absent days had dropped to almost zero in all sectors. Absenteeism was predominantly due to workplace closures, but in some cases due to the unavailability of transport. More than eight all absent workers faced a wage reduction. Wage reduction has been applied equally across the various groups of workers. The workers who faced reduced earnings reported borrowing from family or friends (66% of those who faced wage reduction), receiving food distribution of the government (23%), borrowing from a micro lenders (MFI) (20%), borrowing from other small lenders (14%), receiving rations from the employer (9%) or receiving cash assistance from the government or from non-governmental institutions (both 4%). Male workers have borrowed from family or friends more often than female workers, and so did workers aged 40-49 and couples with more than two children.COVID-19 Hygiene at the workplace After return to work workers have assessed hygiene at the workplace and the supply of hygiene facilities. Workers are most positive about the safe distance or space in dining seating areas (56% assesses this as a low risk), followed by the independent use of all work equipment, as opposed to shared (46%). They were least positive about a safe distance between work stations and number of washrooms/toilets, and more than two in ten workers assess the number of washrooms/toilets even as a high risk. Handwashing facilities are by a large majority of the workers assessed as adequate with a low risk. In contrast, gloves were certainly not adequately supplied, as more than seven in ten workers state that these are not adequately supplied. This may be due to the fact that use of gloves could affect workers’ productivity, depending on the occupations.", + "authors": [ + { + "name_en": "Kea Tijdens", + "name_zh": "Kea Tijdens" + } + ], + "keywords_en": [ + "MINIMUM WAGES", + "Living wages", + "wages", + "people working in construction", + " tea estates or gardens", + " ready made garment", + " leather and footwear", + "face-to-face surveys with 1894 workers", + "Bangladesh" + ], + "keywords_zh": [ + "MINIMUM WAGES", + "Living wages", + "wages", + "people working in construction", + " tea estates or gardens", + " ready made garment", + " leather and footwear", + "face-to-face surveys with 1894 workers", + "Bangladesh" + ], + "publication_date": 1606924800000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 5.58, + "file_size_bytes": 5855405, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.3664826", + "cstr": "", + "pid": "", + "title": "Dhagnathos autokrator Perrichot & Wang & Barden 2020, sp. nov.", + "title_en": "Dhagnathos autokrator Perrichot & Wang & Barden 2020, sp. nov.", + "title_zh": "Dhagnathos autokrator Perrichot & Wang & Barden 2020, sp. nov.", + "description": " Dhagnathos autokrator sp. nov. urn:lsid:zoobank.org:act: EC8760 A 9-9 C 00-44 A 9-9311- 2EC5 DE 24 A 4 B 1. Figs. 2AeC, 3, 8 G. Etymology. The specific epithet refers to autokrator (Greek, meaning 'self-ruler'), an individual who exercises absolute power, unrestrained by superiors; in reference to the highly powerful aspect of this ant. Holotype. IGR. BU-003, alate female (Figs. 2AeC, 3EeG). Additional specimens. HA 03, XA01 and RM 1, three alate females (Figs. 3Ae3D). Horizon and locality. Upper Cretaceous, upper Albianelower Cenomanian (ca. 99 Ma); in amber from the Hukawng Valley, Kachin State, Myanmar. Diagnosis. As for the genus, by monotypy. Description (gyne). Body length ca. 14 mm. Cuticle generally smooth, without distinct sculpturing, sparsely covered by thin, long, erect setae, the head additionally densely covered by short, adpressed setae on vertex and genae. Head only slightly longer than high and wide. Vertex and posteroventral surface rounded, anterior surface relatively flat, and genae shorter than eyes and projecting anteroventrally above mandible insertion into a cheek-like lobe. Ocelli present near top of vertex, conspicuous, ocellar diameter slightly larger than width of first antennomere; interocellar distance about half of ocellar diameter. Compound eyes bulging, reniform, 2.4 as long as wide, situated posteriorly on head (EPI 440). Antennae inserted between compound eyes around their midlength, closely flanking lateral edges of clypeus; base of antenna with basal bulb exposed, inserted within thick annular torulus. Antenna geniculate, filiform; scape short, 0.5 head length, weakly arched and broadened apically; first funicular article (pedicel) very short, 0.22 scape length, less than twice as long as wide, broadened apically; flagellomeres unusually slender, funicular article II (antennomere III) about 22 as long as wide; following antennomeres gradually decreasing in length and width. Posterior clypeal margin apparently fused, while horn is the result of de novo medial margin/ridge; anterior clypeal margin broadly rounded. Clypeal horn directed upward for its basal quarter, then bent at a right angle and directed forward for remaining length; horn gently rounded apically, without expanded lobe; dorsal surface of horn convex; ventral surface emarginate, its lateral margins prominent and prolonged basally into raised frontal carinae diverging anteriorly to reach the anterior margin of head, just above insertion of mandibles. Setation of horn consisting, on ventral surface, of a dense brush of short, peg-like denticles at apex; similar peg-like denticles widely spaced and arranged in a single row on each lateral margin, and becoming progressively denser and arranged in 2e3 longitudinal rows along lateral clypeal carinae; dorsal and ventral surfaces of horn sparsely covered by thin, long, erect setae. Labrum well exposed, large, nearly trapezoid, with anterior margin convex, posterior margin slightly emarginate medially, sides unsutured to clypeus so that anterior part of labrum is apparently movable; dorsal surface of labrum rimmed laterally by a longitudinal brush of stiff, spine-like setae, also densely coated by thin, erect setae becoming progressively longer and stiffer along lateral and posterior margins. Mandibles long (MDI 97), scytheshaped, widely spaced basally and converging apically, with tips curved and acute, nearly reaching the rounded portion of the horn as preserved; basal portion linear, short; apical portion 5 as long as basal portion, curved dorsally and posteriorly, with dorsal surface concave and rimmed on each margin by row of acute teeth and thin, erect setae directed backwards; medioventral blade between basal and apical portions forming a large, isosceles, blunt tooth perpendicular to apical portion. Palps long (visible on specimen HA 03), coated dorsally in fine, tapered setae, maxillary palp with 6 segments, as long as head capsule when combined; labial palp with 5 segments. Mesosoma. Pronotal colar pronounced, concealing propleuron in dorsal view, separated from remaining pronotal dorsum by a distinct transverse ridge; pronotal dorsum strongly concave immediately anterior to ridge, nearly flat posterior to ridge; promesonotal suture deeply impressed. Mesoscutum as long as pronotum (excluding neck) in dorsal view, about as broad as long; mesoscutal dorsal outline feebly convex, with long parapsidal furrows almost reaching anterior mesonotal margin, converging posteriorly but not touching. Mesoscutellum posteriorly expanded, in dorsal view concealing median portion of metanotum; dorsal and posterior mesoscutellar surfaces concave, their junction forming a sharp angle; dorsal mesoscutellar surface with a deep, broad, transverse groove immediately posterior to scuto-scutellar suture. Metanotum medially as high as long, with posterior surface forming distinct angle with pronotal dorsum. Propodeum 1.25 as high as long, dorsal and declivitous surfaces meet at pronounced right angle, forming conspicuous ridge; dorsal surface nearly flat, declivitous surface faintly concave; propodeal spiracle slit-like, opening posteriad, at junction of propodeal dorsum and sides; metapleural gland orifice opening laterally, protected by guard setae. Legs long and robust (mostly visible on specimen HA 03); mesocoxa distinctly shorter than pro-and metacoxae; small trochantellus present on mid- and hind legs; all femora distinctly swollen in their basal half, tibiae swollen in their apical half; ventral margin of protibia apically with large calcar gently curved, protibia possessing small subapical point, and two straight, stout setae less than half as long as calcar; mesotibia apically with two long, straight, pectinate spurs, and two short, stout setae; metatibia apically with one long, pectinate spur and one long, simple spur; tarsomeres IeIV of all legs with pairs of stout setae along entire ventral surface (8e10 pairs on tI, 4e5 pairs on tII, 3 pairs on tIII, 2 pairs on tIV), and apically with 2 pairs of stout setae each flanking a spatulate spine; additionally the ventral surface of tarsomeres IeIV covered by dense brush of thin, erect setae; pretarsal claws strong, with a distinct subapical tooth. Fore wing with Rs∙f2, basal portion of Rs∙f3, M ∙f4, and Cu1 nebulous, all other veins tubular; pterostigma elongate, ca. 6 as long as broad; a short stub of cross-vein 1r-rs present, nebulous; Rs∙f1 half as long as M ∙f1, both distinctly arched; Rs∙f2 and Rs∙f3 nearly at right angle, Rs∙f2 half as long as M ∙f2; 2rs-m present, situated beyond apex of pterostigma; discal and subdiscal cells pentagonal; cu-a arising from M þ Cu and proximal to M ∙f1 (Cu∙f1 short); vein Cu with both Cu1 and Cu2 present. Hind wing with jugal lobe present; anterior margin with 5 median and 22 distal hamuli; vein C present; vein R present, reaching distal wing margin; Rs∙f1 more than twice as long as 1rs-m; cu-a arising from M þ Cu, proximal to fork of M ∙f1 and Cu (Cu∙f1 short); Rs∙f2, M ∙f2, Cu, and A ∙f2 present, not reaching wing margin. Metasoma with petiole short-pedunculate, almost 0.6 as high as long; petiolar tergite a broadly convex node, with anterior surface approximately twice as long as posterior face; subpetiolar process present, in profile forming a high, transverse, lamella pointing ventrally, with anterior face concave, posterior face vertical; not fused tergosternally, suture visible; attaching broadly to gaster. Gaster elongate. First gastral tergite with helcium pronounced, forming a post-petiolar peduncle, with anterior surface behind helcium high, oblique, and dorsal surface strongly convex, short; anteriormost part of first gastral sternite with a distinct mesal process (keel) pointing anteroventrally below helcium. Second gastral segment distinctly longer than first, with presclerite largely exposed to form a deep, broad constriction between first and second gastral segments (abdominal segments III and IV). Gastral segments unfused with deep lateral suture. Following segments poorly preserved, pygidium apparently broadly acute towards sting shaft. Measurements (holotype IGR.BU-003; in mm). HL 2.50; HoL ca.1.70; EL 1.20; ocelli diameter 0.20; MDbL 0.40, MDtL 0.55, MDaL 2.00; length/width of antennomeres: I (scape) 1.15/0.16, II (pedicel) 0.26/ 0.14, III 2.16/0.10, IV 1.50/0.07, V 1.34/0.07; WL 3.85; FWL (as preserved) 6.35 (7.90 on specimen DHA 4); PL 1.84, PH 1.00, PW 0.67.", + "description_en": " Dhagnathos autokrator sp. nov. urn:lsid:zoobank.org:act: EC8760 A 9-9 C 00-44 A 9-9311- 2EC5 DE 24 A 4 B 1. Figs. 2AeC, 3, 8 G. Etymology. The specific epithet refers to autokrator (Greek, meaning 'self-ruler'), an individual who exercises absolute power, unrestrained by superiors; in reference to the highly powerful aspect of this ant. Holotype. IGR. BU-003, alate female (Figs. 2AeC, 3EeG). Additional specimens. HA 03, XA01 and RM 1, three alate females (Figs. 3Ae3D). Horizon and locality. Upper Cretaceous, upper Albianelower Cenomanian (ca. 99 Ma); in amber from the Hukawng Valley, Kachin State, Myanmar. Diagnosis. As for the genus, by monotypy. Description (gyne). Body length ca. 14 mm. Cuticle generally smooth, without distinct sculpturing, sparsely covered by thin, long, erect setae, the head additionally densely covered by short, adpressed setae on vertex and genae. Head only slightly longer than high and wide. Vertex and posteroventral surface rounded, anterior surface relatively flat, and genae shorter than eyes and projecting anteroventrally above mandible insertion into a cheek-like lobe. Ocelli present near top of vertex, conspicuous, ocellar diameter slightly larger than width of first antennomere; interocellar distance about half of ocellar diameter. Compound eyes bulging, reniform, 2.4 as long as wide, situated posteriorly on head (EPI 440). Antennae inserted between compound eyes around their midlength, closely flanking lateral edges of clypeus; base of antenna with basal bulb exposed, inserted within thick annular torulus. Antenna geniculate, filiform; scape short, 0.5 head length, weakly arched and broadened apically; first funicular article (pedicel) very short, 0.22 scape length, less than twice as long as wide, broadened apically; flagellomeres unusually slender, funicular article II (antennomere III) about 22 as long as wide; following antennomeres gradually decreasing in length and width. Posterior clypeal margin apparently fused, while horn is the result of de novo medial margin/ridge; anterior clypeal margin broadly rounded. Clypeal horn directed upward for its basal quarter, then bent at a right angle and directed forward for remaining length; horn gently rounded apically, without expanded lobe; dorsal surface of horn convex; ventral surface emarginate, its lateral margins prominent and prolonged basally into raised frontal carinae diverging anteriorly to reach the anterior margin of head, just above insertion of mandibles. Setation of horn consisting, on ventral surface, of a dense brush of short, peg-like denticles at apex; similar peg-like denticles widely spaced and arranged in a single row on each lateral margin, and becoming progressively denser and arranged in 2e3 longitudinal rows along lateral clypeal carinae; dorsal and ventral surfaces of horn sparsely covered by thin, long, erect setae. Labrum well exposed, large, nearly trapezoid, with anterior margin convex, posterior margin slightly emarginate medially, sides unsutured to clypeus so that anterior part of labrum is apparently movable; dorsal surface of labrum rimmed laterally by a longitudinal brush of stiff, spine-like setae, also densely coated by thin, erect setae becoming progressively longer and stiffer along lateral and posterior margins. Mandibles long (MDI 97), scytheshaped, widely spaced basally and converging apically, with tips curved and acute, nearly reaching the rounded portion of the horn as preserved; basal portion linear, short; apical portion 5 as long as basal portion, curved dorsally and posteriorly, with dorsal surface concave and rimmed on each margin by row of acute teeth and thin, erect setae directed backwards; medioventral blade between basal and apical portions forming a large, isosceles, blunt tooth perpendicular to apical portion. Palps long (visible on specimen HA 03), coated dorsally in fine, tapered setae, maxillary palp with 6 segments, as long as head capsule when combined; labial palp with 5 segments. Mesosoma. Pronotal colar pronounced, concealing propleuron in dorsal view, separated from remaining pronotal dorsum by a distinct transverse ridge; pronotal dorsum strongly concave immediately anterior to ridge, nearly flat posterior to ridge; promesonotal suture deeply impressed. Mesoscutum as long as pronotum (excluding neck) in dorsal view, about as broad as long; mesoscutal dorsal outline feebly convex, with long parapsidal furrows almost reaching anterior mesonotal margin, converging posteriorly but not touching. Mesoscutellum posteriorly expanded, in dorsal view concealing median portion of metanotum; dorsal and posterior mesoscutellar surfaces concave, their junction forming a sharp angle; dorsal mesoscutellar surface with a deep, broad, transverse groove immediately posterior to scuto-scutellar suture. Metanotum medially as high as long, with posterior surface forming distinct angle with pronotal dorsum. Propodeum 1.25 as high as long, dorsal and declivitous surfaces meet at pronounced right angle, forming conspicuous ridge; dorsal surface nearly flat, declivitous surface faintly concave; propodeal spiracle slit-like, opening posteriad, at junction of propodeal dorsum and sides; metapleural gland orifice opening laterally, protected by guard setae. Legs long and robust (mostly visible on specimen HA 03); mesocoxa distinctly shorter than pro-and metacoxae; small trochantellus present on mid- and hind legs; all femora distinctly swollen in their basal half, tibiae swollen in their apical half; ventral margin of protibia apically with large calcar gently curved, protibia possessing small subapical point, and two straight, stout setae less than half as long as calcar; mesotibia apically with two long, straight, pectinate spurs, and two short, stout setae; metatibia apically with one long, pectinate spur and one long, simple spur; tarsomeres IeIV of all legs with pairs of stout setae along entire ventral surface (8e10 pairs on tI, 4e5 pairs on tII, 3 pairs on tIII, 2 pairs on tIV), and apically with 2 pairs of stout setae each flanking a spatulate spine; additionally the ventral surface of tarsomeres IeIV covered by dense brush of thin, erect setae; pretarsal claws strong, with a distinct subapical tooth. Fore wing with Rs∙f2, basal portion of Rs∙f3, M ∙f4, and Cu1 nebulous, all other veins tubular; pterostigma elongate, ca. 6 as long as broad; a short stub of cross-vein 1r-rs present, nebulous; Rs∙f1 half as long as M ∙f1, both distinctly arched; Rs∙f2 and Rs∙f3 nearly at right angle, Rs∙f2 half as long as M ∙f2; 2rs-m present, situated beyond apex of pterostigma; discal and subdiscal cells pentagonal; cu-a arising from M þ Cu and proximal to M ∙f1 (Cu∙f1 short); vein Cu with both Cu1 and Cu2 present. Hind wing with jugal lobe present; anterior margin with 5 median and 22 distal hamuli; vein C present; vein R present, reaching distal wing margin; Rs∙f1 more than twice as long as 1rs-m; cu-a arising from M þ Cu, proximal to fork of M ∙f1 and Cu (Cu∙f1 short); Rs∙f2, M ∙f2, Cu, and A ∙f2 present, not reaching wing margin. Metasoma with petiole short-pedunculate, almost 0.6 as high as long; petiolar tergite a broadly convex node, with anterior surface approximately twice as long as posterior face; subpetiolar process present, in profile forming a high, transverse, lamella pointing ventrally, with anterior face concave, posterior face vertical; not fused tergosternally, suture visible; attaching broadly to gaster. Gaster elongate. First gastral tergite with helcium pronounced, forming a post-petiolar peduncle, with anterior surface behind helcium high, oblique, and dorsal surface strongly convex, short; anteriormost part of first gastral sternite with a distinct mesal process (keel) pointing anteroventrally below helcium. Second gastral segment distinctly longer than first, with presclerite largely exposed to form a deep, broad constriction between first and second gastral segments (abdominal segments III and IV). Gastral segments unfused with deep lateral suture. Following segments poorly preserved, pygidium apparently broadly acute towards sting shaft. Measurements (holotype IGR.BU-003; in mm). HL 2.50; HoL ca.1.70; EL 1.20; ocelli diameter 0.20; MDbL 0.40, MDtL 0.55, MDaL 2.00; length/width of antennomeres: I (scape) 1.15/0.16, II (pedicel) 0.26/ 0.14, III 2.16/0.10, IV 1.50/0.07, V 1.34/0.07; WL 3.85; FWL (as preserved) 6.35 (7.90 on specimen DHA 4); PL 1.84, PH 1.00, PW 0.67.", + "description_zh": " Dhagnathos autokrator sp. nov. urn:lsid:zoobank.org:act: EC8760 A 9-9 C 00-44 A 9-9311- 2EC5 DE 24 A 4 B 1. Figs. 2AeC, 3, 8 G. Etymology. The specific epithet refers to autokrator (Greek, meaning 'self-ruler'), an individual who exercises absolute power, unrestrained by superiors; in reference to the highly powerful aspect of this ant. Holotype. IGR. BU-003, alate female (Figs. 2AeC, 3EeG). Additional specimens. HA 03, XA01 and RM 1, three alate females (Figs. 3Ae3D). Horizon and locality. Upper Cretaceous, upper Albianelower Cenomanian (ca. 99 Ma); in amber from the Hukawng Valley, Kachin State, Myanmar. Diagnosis. As for the genus, by monotypy. Description (gyne). Body length ca. 14 mm. Cuticle generally smooth, without distinct sculpturing, sparsely covered by thin, long, erect setae, the head additionally densely covered by short, adpressed setae on vertex and genae. Head only slightly longer than high and wide. Vertex and posteroventral surface rounded, anterior surface relatively flat, and genae shorter than eyes and projecting anteroventrally above mandible insertion into a cheek-like lobe. Ocelli present near top of vertex, conspicuous, ocellar diameter slightly larger than width of first antennomere; interocellar distance about half of ocellar diameter. Compound eyes bulging, reniform, 2.4 as long as wide, situated posteriorly on head (EPI 440). Antennae inserted between compound eyes around their midlength, closely flanking lateral edges of clypeus; base of antenna with basal bulb exposed, inserted within thick annular torulus. Antenna geniculate, filiform; scape short, 0.5 head length, weakly arched and broadened apically; first funicular article (pedicel) very short, 0.22 scape length, less than twice as long as wide, broadened apically; flagellomeres unusually slender, funicular article II (antennomere III) about 22 as long as wide; following antennomeres gradually decreasing in length and width. Posterior clypeal margin apparently fused, while horn is the result of de novo medial margin/ridge; anterior clypeal margin broadly rounded. Clypeal horn directed upward for its basal quarter, then bent at a right angle and directed forward for remaining length; horn gently rounded apically, without expanded lobe; dorsal surface of horn convex; ventral surface emarginate, its lateral margins prominent and prolonged basally into raised frontal carinae diverging anteriorly to reach the anterior margin of head, just above insertion of mandibles. Setation of horn consisting, on ventral surface, of a dense brush of short, peg-like denticles at apex; similar peg-like denticles widely spaced and arranged in a single row on each lateral margin, and becoming progressively denser and arranged in 2e3 longitudinal rows along lateral clypeal carinae; dorsal and ventral surfaces of horn sparsely covered by thin, long, erect setae. Labrum well exposed, large, nearly trapezoid, with anterior margin convex, posterior margin slightly emarginate medially, sides unsutured to clypeus so that anterior part of labrum is apparently movable; dorsal surface of labrum rimmed laterally by a longitudinal brush of stiff, spine-like setae, also densely coated by thin, erect setae becoming progressively longer and stiffer along lateral and posterior margins. Mandibles long (MDI 97), scytheshaped, widely spaced basally and converging apically, with tips curved and acute, nearly reaching the rounded portion of the horn as preserved; basal portion linear, short; apical portion 5 as long as basal portion, curved dorsally and posteriorly, with dorsal surface concave and rimmed on each margin by row of acute teeth and thin, erect setae directed backwards; medioventral blade between basal and apical portions forming a large, isosceles, blunt tooth perpendicular to apical portion. Palps long (visible on specimen HA 03), coated dorsally in fine, tapered setae, maxillary palp with 6 segments, as long as head capsule when combined; labial palp with 5 segments. Mesosoma. Pronotal colar pronounced, concealing propleuron in dorsal view, separated from remaining pronotal dorsum by a distinct transverse ridge; pronotal dorsum strongly concave immediately anterior to ridge, nearly flat posterior to ridge; promesonotal suture deeply impressed. Mesoscutum as long as pronotum (excluding neck) in dorsal view, about as broad as long; mesoscutal dorsal outline feebly convex, with long parapsidal furrows almost reaching anterior mesonotal margin, converging posteriorly but not touching. Mesoscutellum posteriorly expanded, in dorsal view concealing median portion of metanotum; dorsal and posterior mesoscutellar surfaces concave, their junction forming a sharp angle; dorsal mesoscutellar surface with a deep, broad, transverse groove immediately posterior to scuto-scutellar suture. Metanotum medially as high as long, with posterior surface forming distinct angle with pronotal dorsum. Propodeum 1.25 as high as long, dorsal and declivitous surfaces meet at pronounced right angle, forming conspicuous ridge; dorsal surface nearly flat, declivitous surface faintly concave; propodeal spiracle slit-like, opening posteriad, at junction of propodeal dorsum and sides; metapleural gland orifice opening laterally, protected by guard setae. Legs long and robust (mostly visible on specimen HA 03); mesocoxa distinctly shorter than pro-and metacoxae; small trochantellus present on mid- and hind legs; all femora distinctly swollen in their basal half, tibiae swollen in their apical half; ventral margin of protibia apically with large calcar gently curved, protibia possessing small subapical point, and two straight, stout setae less than half as long as calcar; mesotibia apically with two long, straight, pectinate spurs, and two short, stout setae; metatibia apically with one long, pectinate spur and one long, simple spur; tarsomeres IeIV of all legs with pairs of stout setae along entire ventral surface (8e10 pairs on tI, 4e5 pairs on tII, 3 pairs on tIII, 2 pairs on tIV), and apically with 2 pairs of stout setae each flanking a spatulate spine; additionally the ventral surface of tarsomeres IeIV covered by dense brush of thin, erect setae; pretarsal claws strong, with a distinct subapical tooth. Fore wing with Rs∙f2, basal portion of Rs∙f3, M ∙f4, and Cu1 nebulous, all other veins tubular; pterostigma elongate, ca. 6 as long as broad; a short stub of cross-vein 1r-rs present, nebulous; Rs∙f1 half as long as M ∙f1, both distinctly arched; Rs∙f2 and Rs∙f3 nearly at right angle, Rs∙f2 half as long as M ∙f2; 2rs-m present, situated beyond apex of pterostigma; discal and subdiscal cells pentagonal; cu-a arising from M þ Cu and proximal to M ∙f1 (Cu∙f1 short); vein Cu with both Cu1 and Cu2 present. Hind wing with jugal lobe present; anterior margin with 5 median and 22 distal hamuli; vein C present; vein R present, reaching distal wing margin; Rs∙f1 more than twice as long as 1rs-m; cu-a arising from M þ Cu, proximal to fork of M ∙f1 and Cu (Cu∙f1 short); Rs∙f2, M ∙f2, Cu, and A ∙f2 present, not reaching wing margin. Metasoma with petiole short-pedunculate, almost 0.6 as high as long; petiolar tergite a broadly convex node, with anterior surface approximately twice as long as posterior face; subpetiolar process present, in profile forming a high, transverse, lamella pointing ventrally, with anterior face concave, posterior face vertical; not fused tergosternally, suture visible; attaching broadly to gaster. Gaster elongate. First gastral tergite with helcium pronounced, forming a post-petiolar peduncle, with anterior surface behind helcium high, oblique, and dorsal surface strongly convex, short; anteriormost part of first gastral sternite with a distinct mesal process (keel) pointing anteroventrally below helcium. Second gastral segment distinctly longer than first, with presclerite largely exposed to form a deep, broad constriction between first and second gastral segments (abdominal segments III and IV). Gastral segments unfused with deep lateral suture. Following segments poorly preserved, pygidium apparently broadly acute towards sting shaft. Measurements (holotype IGR.BU-003; in mm). HL 2.50; HoL ca.1.70; EL 1.20; ocelli diameter 0.20; MDbL 0.40, MDtL 0.55, MDaL 2.00; length/width of antennomeres: I (scape) 1.15/0.16, II (pedicel) 0.26/ 0.14, III 2.16/0.10, IV 1.50/0.07, V 1.34/0.07; WL 3.85; FWL (as preserved) 6.35 (7.90 on specimen DHA 4); PL 1.84, PH 1.00, PW 0.67.", + "authors": [ + { + "name_en": "Perrichot, Vincent", + "name_zh": "Perrichot, Vincent" + }, + { + "name_en": " Wang, Bo", + "name_zh": " Wang, Bo" + }, + { + "name_en": " Barden, Phillip", + "name_zh": " Barden, Phillip" + } + ], + "keywords_en": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Arthropoda", + "Insecta", + "Hymenoptera", + "Formicidae", + "Dhagnathos", + "Dhagnathos autokrator" + ], + "keywords_zh": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Arthropoda", + "Insecta", + "Hymenoptera", + "Formicidae", + "Dhagnathos", + "Dhagnathos autokrator" + ], + "publication_date": 1578585600000, + "created": "", + "modified": "", + "status": "", + "license": "notspecified", + "file_size_mb": 0.01, + "file_size_bytes": 9071, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4541458", + "cstr": "31253.11.10.5281/zenodo.4541458", + "pid": "", + "title": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000", + "title_en": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000", + "title_zh": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000", + "description": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8eff1a983f6098111619328a7d8254974ae9dfcapip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 06:58:04 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.1|0.2|0.3|2.5|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.6|0.7|6.6|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.2|0.2|0.3|2.7|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.3|5.2|0.6|0.7|6.4|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.2|2.1|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.7|3.9|0.5|0.5|4.8|43.8|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.1|1.1|0.8|0.7|2.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.2|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.8|0.8|0.5|2.1|43.8|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.2|2.0|0.8|0.4|3.2|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.1|8.2|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.4|3.3|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.3|4.8|1.8|1.0|7.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.8|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.9|0.3|2.8|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.6|3.6|1.8|0.6|6.1|43.8|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_0cd421be-b895-4057-bfa5-4046d8e52906dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 512 hop_length: 256specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_en": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8eff1a983f6098111619328a7d8254974ae9dfcapip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 06:58:04 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.1|0.2|0.3|2.5|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.6|0.7|6.6|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.2|0.2|0.3|2.7|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.3|5.2|0.6|0.7|6.4|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.2|2.1|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.7|3.9|0.5|0.5|4.8|43.8|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.1|1.1|0.8|0.7|2.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.2|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.8|0.8|0.5|2.1|43.8|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.2|2.0|0.8|0.4|3.2|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.1|8.2|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.4|3.3|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.3|4.8|1.8|1.0|7.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.8|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.9|0.3|2.8|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.6|3.6|1.8|0.6|6.1|43.8|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_0cd421be-b895-4057-bfa5-4046d8e52906dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 512 hop_length: 256specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_zh": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8eff1a983f6098111619328a7d8254974ae9dfcapip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 06:58:04 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.1|0.2|0.3|2.5|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.6|0.7|6.6|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.2|0.2|0.3|2.7|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.3|5.2|0.6|0.7|6.4|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.2|2.1|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.7|3.9|0.5|0.5|4.8|43.8|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.1|1.1|0.8|0.7|2.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.2|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.8|0.8|0.5|2.1|43.8|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.2|2.0|0.8|0.4|3.2|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.1|8.2|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.4|3.3|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.3|4.8|1.8|1.0|7.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.8|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.9|0.3|2.8|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.6|3.6|1.8|0.6|6.1|43.8|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_0cd421be-b895-4057-bfa5-4046d8e52906dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 512 hop_length: 256specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "authors": [ + { + "name_en": "kamo-naoyuki", + "name_zh": "kamo-naoyuki" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1613318400000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 649.49, + "file_size_bytes": 681042546, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4543003", + "cstr": "", + "pid": "", + "title": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000", + "title_en": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000", + "title_zh": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000", + "description": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 9779891b9cc09b29777457d5962a92b6c7cace18pip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 07:02:24 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.0|0.2|0.3|2.5|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.5|0.6|6.6|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.1|0.2|0.3|2.6|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.1|5.3|0.5|0.7|6.6|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.5|4.0|0.5|0.6|5.1|44.1|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.3|0.3|0.3|0.3|0.9|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.0|1.2|0.8|0.7|2.8|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.9|0.8|0.5|2.2|44.1|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.3|2.0|0.8|0.4|3.1|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.0|8.2|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.3|3.2|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.0|5.0|2.0|0.9|7.9|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.6|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.7|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.8|0.3|2.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.3|3.8|1.9|0.6|6.3|44.1|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_7d8b8acf-d69d-4b0b-b84e-f76d64d0c2e6dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 400 hop_length: 160specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_en": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 9779891b9cc09b29777457d5962a92b6c7cace18pip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 07:02:24 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.0|0.2|0.3|2.5|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.5|0.6|6.6|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.1|0.2|0.3|2.6|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.1|5.3|0.5|0.7|6.6|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.5|4.0|0.5|0.6|5.1|44.1|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.3|0.3|0.3|0.3|0.9|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.0|1.2|0.8|0.7|2.8|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.9|0.8|0.5|2.2|44.1|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.3|2.0|0.8|0.4|3.1|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.0|8.2|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.3|3.2|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.0|5.0|2.0|0.9|7.9|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.6|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.7|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.8|0.3|2.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.3|3.8|1.9|0.6|6.3|44.1|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_7d8b8acf-d69d-4b0b-b84e-f76d64d0c2e6dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 400 hop_length: 160specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_zh": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 9779891b9cc09b29777457d5962a92b6c7cace18pip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 07:02:24 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.0|0.2|0.3|2.5|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.5|0.6|6.6|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.1|0.2|0.3|2.6|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.1|5.3|0.5|0.7|6.6|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.5|4.0|0.5|0.6|5.1|44.1|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.3|0.3|0.3|0.3|0.9|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.0|1.2|0.8|0.7|2.8|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.9|0.8|0.5|2.2|44.1|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.3|2.0|0.8|0.4|3.1|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.0|8.2|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.3|3.2|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.0|5.0|2.0|0.9|7.9|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.6|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.7|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.8|0.3|2.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.3|3.8|1.9|0.6|6.3|44.1|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_7d8b8acf-d69d-4b0b-b84e-f76d64d0c2e6dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 400 hop_length: 160specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "authors": [ + { + "name_en": "kamo-naoyuki", + "name_zh": "kamo-naoyuki" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1613404800000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 649.47, + "file_size_bytes": 681023804, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4604011", + "cstr": "", + "pid": "", + "title": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025", + "title_en": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025", + "title_zh": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025", + "description": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 2ccd176da5de478e115600b874952cebc549c6efpip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp_valid.acc.aveResults# RESULTS## Environments- date: `Thu Mar 11 15:30:44 UTC 2021`- python version: `3.8.8 (default, Feb 24 2021, 21:46:12) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.8.0`- Git hash: `2ccd176da5de478e115600b874952cebc549c6ef` - Commit date: `Mon Mar 8 10:41:31 2021 +0000`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.9|1.9|0.2|0.2|2.3|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.5|5.1|0.5|0.6|6.1|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.7|2.1|0.2|0.3|2.6|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.7|4.9|0.5|0.7|6.0|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.3|1.5|0.2|0.2|1.9|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.8|3.7|0.4|0.5|4.6|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.8|3.7|0.5|0.5|4.7|42.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.2|0.2|0.8|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|98.0|1.2|0.8|0.7|2.7|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.2|1.0|0.7|0.7|2.5|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.7|0.5|2.2|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.5|0.8|0.7|0.5|2.1|42.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.5|1.9|0.7|0.4|2.9|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|93.4|5.0|1.6|1.0|7.6|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.2|2.0|0.8|0.4|3.3|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.7|4.5|1.8|0.9|7.2|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.8|1.5|0.7|0.3|2.5|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.6|3.8|1.6|0.7|6.1|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.6|1.6|0.8|0.3|2.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.7|3.5|1.8|0.7|6.0|42.4|ASR configconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 8dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 33850dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nulldetect_anomaly: falsepretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0025scheduler: warmuplrscheduler_conf: warmup_steps: 40000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.8distributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_en": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 2ccd176da5de478e115600b874952cebc549c6efpip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp_valid.acc.aveResults# RESULTS## Environments- date: `Thu Mar 11 15:30:44 UTC 2021`- python version: `3.8.8 (default, Feb 24 2021, 21:46:12) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.8.0`- Git hash: `2ccd176da5de478e115600b874952cebc549c6ef` - Commit date: `Mon Mar 8 10:41:31 2021 +0000`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.9|1.9|0.2|0.2|2.3|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.5|5.1|0.5|0.6|6.1|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.7|2.1|0.2|0.3|2.6|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.7|4.9|0.5|0.7|6.0|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.3|1.5|0.2|0.2|1.9|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.8|3.7|0.4|0.5|4.6|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.8|3.7|0.5|0.5|4.7|42.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.2|0.2|0.8|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|98.0|1.2|0.8|0.7|2.7|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.2|1.0|0.7|0.7|2.5|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.7|0.5|2.2|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.5|0.8|0.7|0.5|2.1|42.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.5|1.9|0.7|0.4|2.9|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|93.4|5.0|1.6|1.0|7.6|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.2|2.0|0.8|0.4|3.3|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.7|4.5|1.8|0.9|7.2|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.8|1.5|0.7|0.3|2.5|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.6|3.8|1.6|0.7|6.1|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.6|1.6|0.8|0.3|2.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.7|3.5|1.8|0.7|6.0|42.4|ASR configconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 8dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 33850dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nulldetect_anomaly: falsepretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0025scheduler: warmuplrscheduler_conf: warmup_steps: 40000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.8distributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_zh": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 2ccd176da5de478e115600b874952cebc549c6efpip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp_valid.acc.aveResults# RESULTS## Environments- date: `Thu Mar 11 15:30:44 UTC 2021`- python version: `3.8.8 (default, Feb 24 2021, 21:46:12) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.8.0`- Git hash: `2ccd176da5de478e115600b874952cebc549c6ef` - Commit date: `Mon Mar 8 10:41:31 2021 +0000`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.9|1.9|0.2|0.2|2.3|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.5|5.1|0.5|0.6|6.1|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.7|2.1|0.2|0.3|2.6|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.7|4.9|0.5|0.7|6.0|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.3|1.5|0.2|0.2|1.9|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.8|3.7|0.4|0.5|4.6|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.8|3.7|0.5|0.5|4.7|42.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.2|0.2|0.8|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|98.0|1.2|0.8|0.7|2.7|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.2|1.0|0.7|0.7|2.5|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.7|0.5|2.2|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.5|0.8|0.7|0.5|2.1|42.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.5|1.9|0.7|0.4|2.9|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|93.4|5.0|1.6|1.0|7.6|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.2|2.0|0.8|0.4|3.3|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.7|4.5|1.8|0.9|7.2|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.8|1.5|0.7|0.3|2.5|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.6|3.8|1.6|0.7|6.1|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.6|1.6|0.8|0.3|2.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.7|3.5|1.8|0.7|6.0|42.4|ASR configconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 8dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 33850dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nulldetect_anomaly: falsepretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0025scheduler: warmuplrscheduler_conf: warmup_steps: 40000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.8distributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "authors": [ + { + "name_en": "kamo-naoyuki", + "name_zh": "kamo-naoyuki" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1615737600000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 649.51, + "file_size_bytes": 681064188, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4541452", + "cstr": "", + "pid": "", + "title": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015", + "title_en": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015", + "title_zh": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015", + "description": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8eff1a983f6098111619328a7d8254974ae9dfcapip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 07:13:00 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.7|2.1|0.2|0.3|2.6|31.9||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|93.9|5.6|0.5|0.7|6.8|51.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.2|0.2|0.3|2.7|32.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.0|5.5|0.6|0.8|6.8|53.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|26.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.5|4.0|0.6|0.6|5.1|44.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.4|0.3|0.3|0.9|31.9||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.8|0.8|3.0|51.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|32.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.0|1.2|0.8|0.8|2.9|53.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|26.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.2|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.2|0.2|0.7|26.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.3|0.9|0.8|0.6|2.2|44.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.2|2.1|0.7|0.4|3.2|31.9||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.8|5.5|1.7|1.1|8.3|51.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.0|2.1|0.9|0.4|3.3|32.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.0|5.1|2.0|1.0|8.1|53.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.6|26.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.8|6.5|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.6|1.6|0.8|0.3|2.7|26.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.3|3.7|2.0|0.7|6.4|44.4|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_sp/.dist_init_46f33251-89a1-44d8-bc0b-215dd4281204dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_en": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8eff1a983f6098111619328a7d8254974ae9dfcapip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 07:13:00 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.7|2.1|0.2|0.3|2.6|31.9||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|93.9|5.6|0.5|0.7|6.8|51.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.2|0.2|0.3|2.7|32.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.0|5.5|0.6|0.8|6.8|53.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|26.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.5|4.0|0.6|0.6|5.1|44.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.4|0.3|0.3|0.9|31.9||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.8|0.8|3.0|51.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|32.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.0|1.2|0.8|0.8|2.9|53.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|26.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.2|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.2|0.2|0.7|26.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.3|0.9|0.8|0.6|2.2|44.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.2|2.1|0.7|0.4|3.2|31.9||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.8|5.5|1.7|1.1|8.3|51.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.0|2.1|0.9|0.4|3.3|32.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.0|5.1|2.0|1.0|8.1|53.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.6|26.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.8|6.5|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.6|1.6|0.8|0.3|2.7|26.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.3|3.7|2.0|0.7|6.4|44.4|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_sp/.dist_init_46f33251-89a1-44d8-bc0b-215dd4281204dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_zh": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8eff1a983f6098111619328a7d8254974ae9dfcapip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 07:13:00 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.7|2.1|0.2|0.3|2.6|31.9||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|93.9|5.6|0.5|0.7|6.8|51.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.2|0.2|0.3|2.7|32.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.0|5.5|0.6|0.8|6.8|53.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|26.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.5|4.0|0.6|0.6|5.1|44.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.4|0.3|0.3|0.9|31.9||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.8|0.8|3.0|51.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|32.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.0|1.2|0.8|0.8|2.9|53.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|26.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.2|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.2|0.2|0.7|26.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.3|0.9|0.8|0.6|2.2|44.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.2|2.1|0.7|0.4|3.2|31.9||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.8|5.5|1.7|1.1|8.3|51.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.0|2.1|0.9|0.4|3.3|32.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.0|5.1|2.0|1.0|8.1|53.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.6|26.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.8|6.5|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.6|1.6|0.8|0.3|2.7|26.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.3|3.7|2.0|0.7|6.4|44.4|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_accum_grad2_sp/.dist_init_46f33251-89a1-44d8-bc0b-215dd4281204dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "authors": [ + { + "name_en": "kamo-naoyuki", + "name_zh": "kamo-naoyuki" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1613318400000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 649.49, + "file_size_bytes": 681041550, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4604066", + "cstr": "", + "pid": "", + "title": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025", + "title_en": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025", + "title_zh": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025", + "description": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 70d16d210cdce28e71b7892a0ec96eaaa6474d64pip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp_valid.acc.aveResults# RESULTS## Environments- date: `Thu Mar 11 15:30:44 UTC 2021`- python version: `3.8.8 (default, Feb 24 2021, 21:46:12) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.8.0`- Git hash: `2ccd176da5de478e115600b874952cebc549c6ef` - Commit date: `Mon Mar 8 10:41:31 2021 +0000`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.9|1.9|0.2|0.2|2.3|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.5|5.1|0.5|0.6|6.1|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.7|2.1|0.2|0.3|2.6|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.7|4.9|0.5|0.7|6.0|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.3|1.5|0.2|0.2|1.9|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.8|3.7|0.4|0.5|4.6|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.8|3.7|0.5|0.5|4.7|42.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.2|0.2|0.8|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|98.0|1.2|0.8|0.7|2.7|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.2|1.0|0.7|0.7|2.5|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.7|0.5|2.2|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.5|0.8|0.7|0.5|2.1|42.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.5|1.9|0.7|0.4|2.9|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|93.4|5.0|1.6|1.0|7.6|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.2|2.0|0.8|0.4|3.3|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.7|4.5|1.8|0.9|7.2|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.8|1.5|0.7|0.3|2.5|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.6|3.8|1.6|0.7|6.1|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.6|1.6|0.8|0.3|2.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.7|3.5|1.8|0.7|6.0|42.4|ASR configconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 8dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 33850dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nulldetect_anomaly: falsepretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0025scheduler: warmuplrscheduler_conf: warmup_steps: 40000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.8distributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_en": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 70d16d210cdce28e71b7892a0ec96eaaa6474d64pip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp_valid.acc.aveResults# RESULTS## Environments- date: `Thu Mar 11 15:30:44 UTC 2021`- python version: `3.8.8 (default, Feb 24 2021, 21:46:12) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.8.0`- Git hash: `2ccd176da5de478e115600b874952cebc549c6ef` - Commit date: `Mon Mar 8 10:41:31 2021 +0000`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.9|1.9|0.2|0.2|2.3|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.5|5.1|0.5|0.6|6.1|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.7|2.1|0.2|0.3|2.6|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.7|4.9|0.5|0.7|6.0|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.3|1.5|0.2|0.2|1.9|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.8|3.7|0.4|0.5|4.6|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.8|3.7|0.5|0.5|4.7|42.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.2|0.2|0.8|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|98.0|1.2|0.8|0.7|2.7|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.2|1.0|0.7|0.7|2.5|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.7|0.5|2.2|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.5|0.8|0.7|0.5|2.1|42.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.5|1.9|0.7|0.4|2.9|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|93.4|5.0|1.6|1.0|7.6|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.2|2.0|0.8|0.4|3.3|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.7|4.5|1.8|0.9|7.2|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.8|1.5|0.7|0.3|2.5|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.6|3.8|1.6|0.7|6.1|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.6|1.6|0.8|0.3|2.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.7|3.5|1.8|0.7|6.0|42.4|ASR configconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 8dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 33850dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nulldetect_anomaly: falsepretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0025scheduler: warmuplrscheduler_conf: warmup_steps: 40000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.8distributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_zh": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 70d16d210cdce28e71b7892a0ec96eaaa6474d64pip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp_valid.acc.aveResults# RESULTS## Environments- date: `Thu Mar 11 15:30:44 UTC 2021`- python version: `3.8.8 (default, Feb 24 2021, 21:46:12) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.8.0`- Git hash: `2ccd176da5de478e115600b874952cebc549c6ef` - Commit date: `Mon Mar 8 10:41:31 2021 +0000`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.9|1.9|0.2|0.2|2.3|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.5|5.1|0.5|0.6|6.1|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.7|2.1|0.2|0.3|2.6|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.7|4.9|0.5|0.7|6.0|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.3|1.5|0.2|0.2|1.9|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.8|3.7|0.4|0.5|4.6|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.8|3.7|0.5|0.5|4.7|42.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.2|0.2|0.8|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|98.0|1.2|0.8|0.7|2.7|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.2|1.0|0.7|0.7|2.5|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.7|0.5|2.2|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.5|0.8|0.7|0.5|2.1|42.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.5|1.9|0.7|0.4|2.9|28.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|93.4|5.0|1.6|1.0|7.6|48.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.2|2.0|0.8|0.4|3.3|31.4||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.7|4.5|1.8|0.9|7.2|49.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.8|1.5|0.7|0.3|2.5|25.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.6|3.8|1.6|0.7|6.1|40.0||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.6|1.6|0.8|0.3|2.7|26.2||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.7|3.5|1.8|0.7|6.0|42.4|ASR configconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_scheduler_confwarmup_steps40000_optim_conflr0.0025_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 8dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 33850dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nulldetect_anomaly: falsepretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0025scheduler: warmuplrscheduler_conf: warmup_steps: 40000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.8distributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "authors": [ + { + "name_en": "kamo-naoyuki", + "name_zh": "kamo-naoyuki" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1615737600000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 649.51, + "file_size_bytes": 681064195, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4543018", + "cstr": "31253.11.10.5281/zenodo.4543018", + "pid": "", + "title": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000", + "title_en": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000", + "title_zh": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000", + "description": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 9779891b9cc09b29777457d5962a92b6c7cace18pip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 06:58:04 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.1|0.2|0.3|2.5|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.6|0.7|6.6|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.2|0.2|0.3|2.7|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.3|5.2|0.6|0.7|6.4|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.2|2.1|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.7|3.9|0.5|0.5|4.8|43.8|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.1|1.1|0.8|0.7|2.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.2|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.8|0.8|0.5|2.1|43.8|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.2|2.0|0.8|0.4|3.2|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.1|8.2|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.4|3.3|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.3|4.8|1.8|1.0|7.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.8|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.9|0.3|2.8|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.6|3.6|1.8|0.6|6.1|43.8|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_0cd421be-b895-4057-bfa5-4046d8e52906dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 512 hop_length: 256specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_en": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 9779891b9cc09b29777457d5962a92b6c7cace18pip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 06:58:04 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.1|0.2|0.3|2.5|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.6|0.7|6.6|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.2|0.2|0.3|2.7|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.3|5.2|0.6|0.7|6.4|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.2|2.1|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.7|3.9|0.5|0.5|4.8|43.8|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.1|1.1|0.8|0.7|2.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.2|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.8|0.8|0.5|2.1|43.8|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.2|2.0|0.8|0.4|3.2|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.1|8.2|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.4|3.3|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.3|4.8|1.8|1.0|7.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.8|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.9|0.3|2.8|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.6|3.6|1.8|0.6|6.1|43.8|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_0cd421be-b895-4057-bfa5-4046d8e52906dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 512 hop_length: 256specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_zh": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 9779891b9cc09b29777457d5962a92b6c7cace18pip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 06:58:04 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.1|0.2|0.3|2.5|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.6|0.7|6.6|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.2|0.2|0.3|2.7|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.3|5.2|0.6|0.7|6.4|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.2|2.1|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.7|3.9|0.5|0.5|4.8|43.8|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.4|0.3|0.3|0.3|0.9|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.1|1.1|0.8|0.7|2.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.2|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.8|0.8|0.5|2.1|43.8|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.2|2.0|0.8|0.4|3.2|31.6||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.1|8.2|51.3||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.4|3.3|31.5||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.3|4.8|1.8|1.0|7.6|52.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.7|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.8|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.9|0.3|2.8|26.3||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.6|3.6|1.8|0.6|6.1|43.8|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft512_frontend_confhop_length256_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_0cd421be-b895-4057-bfa5-4046d8e52906dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 512 hop_length: 256specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft512_hop256_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "authors": [ + { + "name_en": "kamo-naoyuki", + "name_zh": "kamo-naoyuki" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1613404800000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 649.49, + "file_size_bytes": 681042578, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4585558", + "cstr": "31253.11.10.5281/zenodo.4585558", + "pid": "", + "title": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000_valid.acc.ave, fs=16k, lang=", + "title_en": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000_valid.acc.ave, fs=16k, lang=", + "title_zh": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000_valid.acc.ave, fs=16k, lang=", + "description": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout ddd205f05e4a323a0aeb5cae81604a7bb5abfa45pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Sun Feb 28 07:20:31 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.7`- pytorch version: `pytorch 1.7.1`- Git hash: `3572c4ecd74a9b1c77c639fce40e9318d254c5a6` - Commit date: `Thu Feb 25 18:52:24 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|95631|94.9|4.5|0.6|0.5|5.5|61.0||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|948632|94.9|4.5|0.6|0.5|5.5|61.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|554413|98.8|0.6|0.6|0.4|1.6|61.0||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|5502566|98.8|0.6|0.6|0.5|1.6|61.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|117813|95.4|2.7|1.9|1.1|5.7|61.0||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|1169320|95.5|2.7|1.8|1.2|5.7|61.4|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 59122dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/train/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/train/text_shape.bpevalid_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/valid/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/train_nodev_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/train_nodev_unnorm/text - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- s- ▁in- ▁that- ▁a- ''''- ▁our- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁be- ▁this- ▁We- re- ▁And- ▁will- '-'- t- ▁year- ▁quarter- ▁at- ing- ▁So- ▁more- ▁from- ▁business- ▁think- ▁not- ▁what- ▁some- d- ve- ▁us- ▁by- ▁about- ed- ▁there- ▁can- ▁growth- ▁new- ▁was- ▁which- ▁or- ▁do- ▁very- ▁an- '?'- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁all- ▁been- ▁just- ▁has- ▁these- ▁so- ▁well- ▁over- ▁those- ▁now- ll- ▁time- ly- n- ▁out- ▁where- ▁into- ▁customers- ▁like- ▁first- ▁results- m- ▁But- ▁other- ▁really- ▁how- ▁if- ▁up- ▁their- ▁expect- ▁forward- ▁company- ▁than- ▁last- ▁were- ▁look- ▁your- ▁through- ▁get- ▁any- ▁call- ▁one- ▁because- ▁strong- ▁In- ▁had- ▁believe- ▁sales- ▁when- ▁good- ▁second- ▁This- ▁As- ▁revenue- ▁then- er- ▁lot- ▁make- ▁performance- ▁product- ▁cost- ▁much- y- ▁financial- ▁capital- ▁value- ▁Our- ▁could- ▁years- ▁right- ▁impact- ▁terms- ▁want- ▁future- ▁don- ▁both- ▁It- ▁them- ▁today- ▁work- ▁little- ▁back- ▁customer- ▁next- ▁bit- ▁increase- al- ▁end- ▁take- ▁products- ▁number- ▁kind- ▁higher- ▁opportunities- ▁half- ▁able- ▁way- ▁markets- ▁may- ▁know- ▁significant- ▁operating- ▁better- ▁go- ▁focus- ▁say- ▁cash- ▁2- ▁part- ▁things- ▁still- ▁point- ▁provide- ▁most- ▁statements- ▁lower- ▁should- ▁team- ▁being- in- c- ▁need- ▁across- ▁made- ▁opportunity- ▁line- ▁important- ▁down- ▁third- e- ▁rate- ▁- ▁during- ▁long- ▁people- ar- ▁re- ▁fourth- ▁strategy- ▁portfolio- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁price- ▁progress- ▁around- ▁A- p- r- ▁working- ▁share- ▁management- ▁me- ▁demand- ▁investment- ▁no- ▁due- ▁additional- ▁give- ▁actually- ▁come- ▁high- ▁great- ▁while- ▁only- ▁even- ▁seeing- ▁plan- ▁few- ▁margin- ▁same- ▁looking- ▁here- ▁S- ▁drive- ▁development- ▁start- ▁grow- ▁result- ▁costs- ▁different- ▁current- le- ▁seen- ▁change- ▁doing- ▁further- ▁3- ▁coming- ation- ▁service- ▁who- ▁guidance- ▁positive- ▁data- ▁earnings- o- ▁position- ▁C- ▁process- ▁technology- ▁key- ▁turn- ▁full- g- looking- ▁past- ▁investments- ▁That- ▁said- ▁support- ▁improve- ▁overall- S- ▁basis- ▁environment- ▁expected- or- ▁balance- ▁question- u- ▁increased- ▁again- ▁move- ▁focused- ▁help- ▁within- ▁sort- 'on'- ▁got- ur- ▁potential- ▁services- ▁before- ▁large- ▁remain- ▁businesses- ▁pricing- ▁months- ▁These- ▁side- ▁making- ▁Q- ▁F- ▁done- ▁put- ▁something- ▁ability- ▁program- ▁interest- ▁experience- ▁strategic- ▁already- ▁platform- ▁sure- ▁production- ▁based- ▁use- ▁best- ▁feel- ▁such- ▁information- ▁segment- ▁acquisition- ▁mentioned- ▁period- ▁Now- ▁talk- ▁model- ▁maybe- ▁expectations- ▁early- ▁several- ▁You- ▁operations- ▁given- ▁deliver- ▁s- ▁base- ▁order- ▁assets- ▁pleased- term- ▁rates- ▁my- ▁changes- ▁tax- ▁place- ▁build- C- es- ▁benefit- ▁each- ▁couple- an- ▁growing- ▁improvement- ▁including- ▁under- ▁projects- ▁certain- ▁related- ▁flow- ▁initiatives- ▁addition- ▁fact- b- ion- a- ▁commercial- ▁companies- ▁activity- ▁driven- ▁areas- ers- ▁getting- ▁existing- ▁mix- ▁brand- ▁term- ▁margins- ▁volume- ▁levels- ▁pretty- ▁thing- ▁mean- ▁release- ic- ▁continues- ▁income- ▁course- ▁capacity- ▁big- P- it- ▁factors- ▁might- l- ▁competitive- ri- ▁clients- ▁probably- ▁net- ▁project- ▁always- ▁With- ▁does- en- ▁There- E- ▁risk- ▁B- ▁review- ▁every- ▁leverage- ▁Thank- able- ▁marketing- ▁amount- ▁off- ▁quite- ▁quarters- ▁saw- ▁update- ▁its- ▁P- ▁less- ment- ▁prices- ▁offset- ▁why- ▁view- ▁supply- ▁available- ▁world- ▁building- ▁after- ▁credit- ▁E- ▁having- ro- I- ▁recent- ▁de- ▁top- ▁success- ▁real- ▁between- ▁set- ▁prior- ▁efforts- ▁core- ▁global- ▁let- ▁digital- ▁quality- k- ▁Or- ▁conference- se- ▁area- ▁operational- ▁earlier- il- ▁T- ▁shareholders- ▁return- ra- ▁far- ▁system- ▁understand- ▁low- ▁range- ▁pipeline- ▁trying- ▁actual- ▁contract- ▁expenses- ▁primarily- ▁continuing- ▁another- ▁structure- ▁While- ▁certainly- ▁whether- ▁e- ▁solutions- ▁approach- ▁day- f- ▁own- ▁inventory- ▁questions- ▁outlook- ▁ahead- ▁For- to- ate- ▁taking- ▁improved- ▁presentation- ul- ▁expense- R- A- T- el- ▁thank- ▁non- ▁If- ▁major- ▁retail- ▁confident- ▁profitability- ch- ▁fiscal- ▁capabilities- ▁create- ▁timing- ▁group- ▁add- ▁expand- ▁un- ▁p- ▁materially- li- ▁clear- ▁risks- M- ▁total- ent- ▁b- ▁increasing- ▁expansion- O- ▁4- ▁ago- ▁On- ▁consumer- ▁specific- ▁distribution- ▁D- ▁solid- ▁obviously- ▁excited- ▁hard- ▁space- ▁driving- ▁moving- D- ▁benefits- ▁What- ▁f- ▁invest- ▁talked- ▁differ- ▁acquisitions- ▁China- ▁revenues- ▁partners- ▁strength- ▁plans- ▁Yes- ▁sheet- ▁bring- la- ▁begin- ▁tell- ▁perspective- ▁keep- ▁particularly- at- th- ▁small- ▁increases- up- ▁1- ▁5- ▁debt- i- ▁They- ▁sense- ▁stores- ▁transaction- ▁U- ▁close- ▁versus- ▁asset- ▁R- ▁compared- ▁per- ▁improving- ▁network- ▁measures- '1'- ▁longer- ▁programs- ive- ▁patients- ▁run- ▁consistent- ▁open- ▁average- ▁significantly- as- L- ▁trends- ▁beginning- ▁control- ▁numbers- ▁scale- ▁needs- ▁care- ▁G- ▁currently- ry- ▁since- ▁conditions- ▁trend- ▁decline- ▁organization- ▁c- et- ▁innovation- ▁detail- ▁pay- ▁difficult- ▁include- ▁advantage- ▁profit- ▁N- ▁deal- ▁points- ▁execution- ▁anything- ▁towards- ▁volumes- ▁cause- ▁together- ▁access- ▁material- ▁larger- ▁However- ▁spend- ▁starting- ▁efficiency- ▁uncertainties- ▁reduce- ▁example- ▁remains- ▁record- ▁At- ▁throughout- ▁later- ▁comments- ▁ongoing- ▁fully- ▁gas- ▁store- ▁greater- ▁organic- ▁yet- ▁events- ▁along- ▁M- ▁successful- ol- ▁short- ▁2017- ▁To- ▁announced- ▁con- est- h- ter- ▁morning- ▁note- ▁sell- ▁discuss- ▁find- ▁Europe- ne- te- ▁started- ▁brands- ▁allow- ▁returns- ▁transition- ▁case- ▁particular- ▁track- ▁front- ▁achieve- ▁talking- ▁become- ▁manage- ▁similar- ▁decision- ▁oil- im- ▁international- ▁infrastructure- ▁health- ▁momentum- ▁providing- ized- ▁Okay- ▁recently- ies- ▁completed- ▁job- ▁press- ▁direct- ▁economic- ▁Re- ▁book- ▁shift- ▁associated- ▁improvements- ce- ▁try- ▁discussed- ▁guess- ity- ▁activities- '2'- ▁play- ▁report- ▁impacted- ▁size- ▁everyone- ▁previously- ▁systems- ▁2018- ig- ▁confidence- ▁anticipate- ▁pressure- ▁offering- ▁6- ▁remarks- ▁effect- ▁reduction- G- ▁issues- um- ▁integration- ▁offer- ▁reason- lo- ▁lines- ▁too- ▁partner- ▁stock- ▁launch- ▁board- ▁Before- ▁meet- ▁O- ▁used- ▁positioned- ▁cycle- ▁delivering- ▁investors- ▁energy- ▁website- ▁equity- ated- ▁incremental- ▁against- ▁segments- ▁subject- ck- ▁rest- age- ▁2016- ▁teams- ▁items- ▁slightly- ▁local- ▁percentage- ▁quickly- ▁guys- ▁power- ▁multiple- ▁money- ▁near- ▁L- ▁single- ▁Slide- ge- ▁contracts- de- ▁beyond- ▁adjusted- ▁target- ▁actions- ▁co- ▁channel- x- ▁leadership- ▁selling- ▁equipment- ▁develop- ▁clearly- ▁especially- B- ▁possible- ating- ▁address- ▁unique- ▁generate- ▁spending- ▁relative- '%'- ▁using- ▁answer- year- ting- ▁annual- ▁remind- ▁comment- ▁date- ▁dis- ▁general- ▁once- ▁maintain- ▁serve- ▁combination- ▁without- ▁st- ▁facility- ▁manufacturing- F- w- ▁execute- ▁complete- ▁means- ▁client- ▁hand- ▁employees- ▁either- ▁resources- ▁design- ▁One- ▁free- ▁comes- ▁issue- ▁ensure- ▁attractive- ▁show- ▁reflect- ▁included- ▁taken- ▁content- ▁challenges- ▁online- ▁loan- ▁details- ▁type- ▁final- ▁month- ant- ▁v- end- ▁various- ally- ▁investing- ▁regarding- ▁leading- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁public- id- ▁whole- ▁pre- ▁moment- ▁meaningful- ▁t- ▁situation- ▁All- ▁comp- ▁wanted- ▁step- us- ▁happen- ▁chain- ▁New- ▁clinical- V- ▁thinking- ▁forecast- tion- z- ▁productivity- ▁he- ▁corporate- na- co- ▁d- ▁solution- ▁relationships- ru- ▁regulatory- ▁stronger- ▁thought- ▁largest- ▁committed- ir- ▁goal- ▁enhance- ▁government- ▁sale- ▁marketplace- ▁discussion- ization- ▁profitable- ▁deals- ▁relatively- ▁cloud- ▁delivered- ▁First- ▁portion- ▁H- ut- ▁hope- ▁anticipated- ta- '3'- lu- ▁favorable- ▁season- ▁lead- ▁savings- ▁likely- ▁EBITDA- un- ▁entire- ▁When- ▁respect- ▁provided- GAAP- ▁Well- ▁prepared- ▁least- ▁bottom- ▁consumers- ▁underlying- ▁highly- ▁transformation- ▁normal- ▁operate- ▁Can- ▁category- ▁delivery- ▁bank- ▁flat- ▁days- ad- ▁flexibility- ▁combined- ▁dividend- ▁Let- ▁experienced- line- ▁ways- ▁closing- ma- ▁account- ▁purchase- ▁built- '4'- ▁majority- nt- ▁week- ▁slide- ance- ver- ▁orders- ▁critical- ▁agreement- ▁gives- ▁gain- am- ure- ▁challenging- ▁expanding- ▁though- ▁efficient- ▁ratio- ▁commitment- ▁haven- ▁effective- ▁came- ▁accelerate- ▁generation- ▁home- ▁initial- ▁upon- ▁generally- ▁am- ▁quarterly- ▁test- ▁buy- ▁doesn- ▁required- ▁strategies- ia- ct- ▁competitors- ▁currency- ▁ramp- ▁During- ▁pro- vi- ▁region- ▁country- ▁everything- ine- ti- ▁decrease- ▁K- ▁largely- ▁12- ▁stay- ▁St- ▁facilities- ▁active- ▁competition- ▁loss- ▁pace- ▁Do- ▁patient- ▁profile- ize- rs- ▁unit- ▁behind- ▁extremely- ▁provides- ▁smaller- ▁million- ▁enough- ▁property- ▁ourselves- ▁enterprise- ▁mid- ▁enable- over- ▁relationship- ▁weeks- ▁ever- ▁stable- ▁office- ▁sector- ▁Please- ▁allows- ▁premium- ▁following- ac- ▁sustainable- ted- ▁planning- ▁fair- tra- ▁win- ▁categories- ▁reported- ▁trade- ▁happy- ▁software- ▁specifically- ▁effort- '0'- ▁recovery- ▁away- ▁sub- ph- ▁field- ▁internal- ▁contribution- ci- ▁assumptions- ▁includes- ▁traditional- ▁his- ▁speak- ▁reach- ▁reduced- ▁running- ▁rather- me- ▁loans- ▁life- ▁achieved- ▁individual- ▁center- mi- ho- ▁accounts- ▁technologies- ▁transactions- ▁wondering- ▁exactly- ▁GAAP- tic- ▁state- ▁follow- ▁metrics- ▁J- ▁h- ▁obligation- K- ▁assume- ▁present- po- ▁meeting- ▁natural- ▁factor- ▁offerings- ▁above- and- ness- ▁Co- ▁faster- sh- ▁appropriate- ial- em- ▁applications- ▁mobile- ▁units- ▁added- ▁di- ▁won- ▁efficiencies- ▁weather- U- ▁received- ▁safety- ▁10- ▁private- ▁basically- ▁exciting- ▁estate- ▁Ma- ▁double- izing- ▁study- ▁directly- ▁consider- ▁partially- ▁reflects- ▁tend- ▁channels- ▁V- ▁seems- ▁changed- ▁industrial- ▁parts- ▁discussions- N- ▁insurance- ▁developing- ▁outside- ▁accounting- ▁footprint- ▁shareholder- ▁Thanks- ▁statement- ▁plant- ▁restructuring- ▁took- ▁8- ▁highlight- ab- ▁changing- ▁labor- ▁response- out- ▁completion- ▁substantial- ▁De- ▁firm- ▁makes- ▁capability- ▁joining- ▁form- ical- ▁January- ▁approval- op- ▁traffic- ▁expectation- ▁reasons- ▁integrated- ▁mind- ▁cover- ▁Asia- ▁robust- per- ▁opening- ▁despite- ▁fund- ▁adding- ▁December- ens- ▁drivers- ▁creating- ▁decisions- ▁healthy- ▁force- ▁refer- ▁fuel- ▁processes- ▁options- ty- ▁He- ▁land- ▁No- ha- ▁happening- ▁gains- based- ▁managing- ▁disconnect- ▁fleet- ▁found- ▁w- ▁therefore- he- ▁W- ▁late- pe- ▁potentially- ▁typically- ▁direction- ▁predict- ▁backlog- ▁community- ▁engagement- ▁Just- is- ▁ultimately- ▁yield- ▁driver- ▁main- ▁advertising- ▁executing- ▁primary- ▁platforms- bi- ▁almost- ▁ex- ▁conversion- ▁phase- ▁light- ▁understanding- ▁optimistic- ▁nature- side- ▁mo- ▁idea- ▁exchange- ▁20- ▁planned- di- ▁filings- ▁saying- ▁security- ld- ▁comfortable- ▁bringing- ▁fall- ▁historical- ▁effectively- ▁foundation- ▁necessary- ▁goes- ▁please- ▁never- ▁putting- ▁excellent- ▁needed- ▁2019- ▁visibility- ▁proud- com- ▁ask- ▁highlights- om- ▁tremendous- ▁countries- ▁limited- ub- ▁disciplined- ▁slow- ▁liquidity- ▁losses- ▁pass- ▁broad- ▁else- ▁How- ▁special- ▁standpoint- ▁encouraged- ▁cases- con- ▁7- ▁food- land- time- ▁bigger- ▁lease- ous- ▁difference- ors- ▁comparable- ▁recognize- fi- ▁funding- ▁June- ▁launched- ▁times- ▁targets- ▁volatility- ▁September- ▁extent- ▁March- ▁standard- ie- ▁financing- ▁path- ▁expanded- ▁read- ▁ma- ▁role- ▁maintenance- ▁broader- ▁remaining- ▁capture- ence- ▁utilization- ▁franchise- ▁g- ▁members- iv- ▁operation- ▁sold- ▁detailed- ▁partnership- v- ▁fee- ▁hold- ▁regions- ▁types- ▁Because- ag- ning- ▁fixed- ight- ▁represent- ▁budget- ▁intend- ▁reducing- pi- ▁although- ▁proposition- ▁ready- ▁others- ard- ▁approximately- ▁exposure- ▁focusing- ot- ▁Some- ▁economy- ▁research- ▁optimize- ▁safe- ▁stand- ▁acquired- ▁remainder- ▁appreciate- ▁Turning- ator- ▁produce- ▁locations- ▁CapEx- ▁dollars- ▁properties- ▁media- ▁9- ▁reflected- ▁bo- ▁fees- ▁below- ▁finally- ▁pull- ▁allocation- ▁2015- ▁interesting- ▁water- ng- ▁fit- ▁biggest- ▁nice- ▁fairly- ca- ke- ▁went- ▁event- ▁tools- ▁highest- ▁perhaps- ▁treatment- ▁successfully- ary- ▁stage- ric- ▁hit- ▁inflation- ▁domestic- ▁live- ▁closely- ▁po- ▁summary- ▁engine- ▁Looking- ▁led- H- ▁history- ▁requirements- ▁Good- ▁buying- lic- ▁national- ▁increasingly- ▁legacy- ▁car- ▁necessarily- ▁Finally- ▁ro- ring- ▁commodity- ▁schedule- we- ▁outstanding- ▁attention- ▁somewhat- ▁reporting- ▁shows- ▁game- ▁soon- ▁deep- va- ling- ▁giving- ▁simply- ▁priority- ▁Brazil- ▁policy- ▁strengthen- ▁everybody- ▁pick- ist- ▁talent- ping- ▁trial- ian- ▁mainly- ▁European- ▁goals- ▁evaluate- ▁takes- ▁drug- go- ▁convert- ▁Al- ▁regard- ▁expertise- ▁name- ▁maintaining- ▁ch- ▁en- ▁flows- ▁list- ▁respond- ▁closed- ▁correct- ▁component- ▁itself- ▁paid- ▁prospects- ▁Ca- ▁dollar- bo- ▁innovative- ▁license- ▁implementation- ▁gross- ▁drilling- ▁discipline- ▁expecting- ▁steps- ▁n- ▁Mi- ▁Canada- ▁room- mb- ▁Although- ▁priorities- ▁piece- ▁initiative- ▁developed- ▁leader- ow- ▁yes- ▁mortgage- ▁professional- ▁testing- ▁adoption- ▁compensation- ▁historically- ▁10-- one- ▁definitely- ▁2017.- der- ▁matter- nd- for- ▁table- ▁funds- bu- ex- ▁advance- ▁attract- ▁periods- ▁Ro- ▁Also- ▁October- ▁April- ▁speed- ▁vertical- ▁challenge- rm- ▁rent- ▁created- ▁realize- ▁shares- ▁occur- ▁perform- ▁contain- ▁learning- ▁true- 'no'- ▁happened- ▁touch- ▁multi- ▁drop- ▁undertake- ▁pursue- ▁operator- ▁app- ative- ▁foreign- ▁payments- hi- ▁card- '00'- od- ▁centers- ite- ▁targeted- ▁site- ▁'17- ▁culture- ▁Are- ▁context- ▁importantly- ▁Ex- ▁actively- ▁analysis- ▁described- ▁Given- ip- ▁application- ▁worked- ▁presence- ▁aggressive- ▁deployment- ▁post- ▁resulted- ▁SEC- ▁payment- ▁medical- ▁compete- ▁announcement- ▁resulting- ▁reconciliation- ake- ▁conclude- ▁steady- ner- ▁East- way- ▁action- ▁complex- ▁geographic- ▁affect- ▁July- ▁ra- ction- ▁Investor- ▁count- ▁remember- ▁summer- ▁helping- ▁training- ▁nothing- ▁stream- ▁middle- ▁generated- ▁huge- ▁break- ▁involve- ▁designed- ▁noted- ap- ▁relates- ok- ▁tough- ▁upside- ability- 'off'- ▁seasonal- ten- ▁modest- ▁La- ▁joint- ▁coverage- os- ▁technical- ▁participation- ▁becoming- ▁dynamics- ped- ▁players- ▁30- ▁Day- ▁retailers- ▁emerging- ▁holiday- ▁synergies- ▁South- ish- ▁deposit- ▁measure- ▁2018.- ▁among- ▁dynamic- ▁regional- ▁invested- ▁push- ▁Additionally- ▁trading- ▁heard- ▁implemented- ▁leveraging- ▁discount- und- ▁May- ably- ▁story- ▁gone- log- ▁advanced- ▁choice- ▁exit- ▁America- ▁'18- ▁positions- ward- ber- ▁road- ▁upgrade- ified- ▁capitalize- ▁walk- ▁Mar- ▁relevant- ▁affected- ▁Pa- ▁Over- ▁Con- ▁i- ▁recognized- ▁materials- ries- ▁variety- ▁often- ▁independent- ▁Securities- ▁reminder- ▁reasonable- ▁managed- ▁commission- ▁November- ▁Overall- ▁helpful- ▁transform- ▁moved- ▁otherwise- ▁providers- ▁Services- ▁India- ▁imp- ▁sh- ▁adjustments- ▁models- ▁division- mer- ▁ground- ▁Second- ▁fast- ▁wide- ▁news- ▁demonstrate- ▁enhanced- ff- ▁must- ▁issued- ▁retain- ▁objectives- ▁generating- ▁face- ▁recover- ick- ▁My- ▁closer- ▁effects- ▁communities- ▁function- ible- ▁source- ▁vision- ▁reflecting- ▁renewal- ▁campaign- ▁chart- ▁common- ▁February- ▁charge- ▁hear- ▁reference- ▁headwinds- ▁decided- ▁absolutely- ▁banking- ▁excess- ▁easier- ▁performing- ▁California- ▁seem- ster- ▁identified- ▁reductions- ▁represents- ▁began- ▁movement- ▁uncertainty- ron- ▁analytics- ▁Pro- ▁extend- ▁se- act- by- ▁roll- ▁ship- ▁banks- vo- ▁18- ▁essentially- ging- ▁York- ▁recognition- ▁protect- ▁investor- ▁evidence- ▁suggest- ▁looks- day- ▁happens- X- ▁identify- ▁incentive- ▁finance- ▁Be- ▁subscription- ▁interested- ▁developments- ▁bookings- gen- ▁cannot- ec- ▁class- all- ▁Se- ual- ▁looked- ▁sites- ▁turning- ▁users- ▁impacts- ▁stated- ▁require- market- ▁estimate- ▁established- ▁outcomes- ▁external- ions- ▁Di- '5'- ▁population- ▁underwriting- ▁easy- ▁consolidation- ▁maximize- ▁repurchase- ▁head- ▁carry- ▁truck- ▁problem- ▁left- qui- ▁consistently- ▁figure- ▁provider- ▁venture- ▁helped- ▁compelling- ▁Commission- ▁paying- ▁conservative- ▁Te- ▁components- nce- ▁spot- ▁partnerships- ▁aware- ▁mark- ▁bar- ▁penetration- ▁Mexico- be- port- ▁projections- ▁Moving- ach- ue- ▁engineering- ▁allowed- Q- ▁operators- ▁shown- ▁agreements- ▁achieving- less- ▁Vi- ▁law- ▁indicated- ▁raw- ▁ba- ice- ▁presented- ton- ▁West- ▁deploy- ▁An- ▁rapidly- ▁wins- ▁brought- ▁thoughts- ▁outcome- vis- ▁reform- ▁mention- ▁video- ▁demonstrated- ▁Wa- ▁folks- ▁separate- ▁collection- ▁August- ▁smart- ▁limit- ▁encouraging- ▁machine- ▁prudent- ▁differentiated- ▁toward- ▁auto- ▁sequential- ▁disease- ▁degree- par- ▁filed- ▁receive- ▁option- gra- ▁recorded- ▁exceptional- ▁grew- ities- ▁frankly- ▁tight- ▁valuation- ▁section- ea- ▁Mo- ft- digit- ▁ones- wa- ▁calls- ▁seasonality- ▁trust- ▁supported- ▁evolve- ▁considered- ▁plants- ▁finding- ▁accelerated- ▁showing- ▁From- ▁objective- ▁federal- ▁personal- ▁quick- ▁substantially- ▁devices- ▁senior- ▁John- ful- ▁met- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁suppliers- do- ▁curious- ▁remained- ▁concludes- ▁Form- ▁fill- du- ▁realized- ▁confirm- ▁retention- ▁staff- ▁Those- ▁explain- ▁elements- ▁Group- ▁Of- ill- ▁involved- ▁enter- ▁dedicated- commerce- ▁estimates- amp- ▁securities- ▁Le- ▁inter- ▁contributed- ▁positioning- ▁promotional- ▁felt- ▁Me- ▁Australia- ▁consolidated- ▁benefited- ▁comprehensive- ▁acquire- ▁o- ▁repeat- ▁rep- ▁Today- ▁legal- ▁contribute- ▁rental- ▁leasing- ▁Sp- ▁specialty- ▁claims- ▁feedback- ▁leaders- ▁Chinese- ▁utilize- ▁truly- ▁shared- fe- ▁supporting- ba- ▁visit- ▁15- ▁taxes- ▁Exchange- ▁excellence- ify- ▁original- ▁residential- ▁stuff- ▁traction- fa- ▁participate- ▁raise- ▁signed- ▁refine- ▁provision- ▁decade- ▁nearly- ▁establish- ▁Mike- ▁spread- ▁belief- ▁hospital- ▁wholesale- related- ▁mine- cor- ▁merger- ▁aggressively- ▁cross- ▁themselves- ▁variable- ▁proven- ▁projected- ▁deposits- ▁whatever- ▁apply- ▁implement- ▁package- ▁availability- ▁2016,- ▁automotive- ▁Again- ▁simple- ▁lending- ▁gave- ▁Ho- ▁macro- ▁shop- fer- ▁allowing- ni- ▁vehicle- ay- ▁location- ▁Page- ▁By- ▁conclusion- ▁ho- que- ▁skill- ▁social- ▁Su- W- ▁worth- ▁commentary- ▁afternoon- ▁recurring- ▁digits- ▁Li- ▁studies- ▁holding- ▁cautious- ▁Market- ▁introduction- ▁updated- ▁Lo- ▁held- ▁optimization- ier- ▁Texas- ▁stages- ▁deferred- ▁concept- ▁conversations- ▁cut- ▁creation- ulation- ▁adjust- ▁economics- ▁engaged- ▁picture- ▁features- ▁speaking- ▁page- ▁Obviously- ▁Any- ▁collaboration- ▁assess- ▁transportation- ▁processing- ▁welcome- ▁posted- ▁IT- ▁journey- man- ▁structural- ▁declines- ▁overview- ▁En- ▁known- ▁completely- tain- ▁internally- ▁hire- ga- ▁constant- air- ▁reserve- ▁strengthening- ▁export- ▁efficiently- ▁mostly- ▁Car- ▁mitigate- ▁Bank- ▁indication- che- oc- ▁disruption- ▁gentlemen- ep- ▁fundamentals- ▁connect- ▁practices- ▁lost- ▁hedge- ▁participating- ▁match- ▁accelerating- ▁user- ▁secure- ound- lin- serv- ger- ▁shipments- ▁Ar- ▁manner- ▁Ne- ak- ▁bio- ▁slower- ▁gr- ▁forth- ency- ▁exclude- ▁performed- ▁clean- ▁sometimes- ▁curve- ▁expressed- ▁recall- ▁minutes- ▁alternative- ▁sources- ▁advise- ▁11- ▁calendar- io- ▁After- ▁log- ▁frame- ▁keeping- ▁consideration- ▁states- ▁mis- ▁guarantee- ▁globally- ▁behavior- ▁draw- ▁evaluating- rg- ▁superior- ▁valuable- ▁dividends- ud- ▁announce- ▁Ac- ▁called- ▁compare- ▁subsequent- ▁executive- ath- ▁signs- ▁peers- ▁resource- ▁Financial- ▁weak- ▁comparison- ▁exist- ▁sp- ▁trans- ▁aim- ▁introduced- ▁awareness- ▁launches- ▁storage- ▁notice- ▁housing- ▁weakness- ▁compliance- ▁monitor- store- ▁hopefully- ▁encourage- ▁knowledge- ▁however- ▁element- ▁brief- ▁upcoming- ▁align- ▁bid- ▁extended- ang- ▁adopt- ▁finish- ▁contained- the- ▁Po- comp- ▁modern- av- ▁engage- ▁parties- ▁sharing- ▁pursuing- ▁strongly- ▁wait- ▁old- ▁rig- ned- Y- ▁peak- ▁cell- ▁gap- ▁connection- ▁Not- ▁slides- ▁transfer- ▁acceleration- ▁commitments- ▁plus- ▁Ra- ▁proceeds- ▁Could- ▁helps- ▁'19- ▁travel- ▁sustain- ▁evolution- ▁Management- ▁2019.- ▁reinvest- ▁'16- ▁stability- ▁American- ▁broadly- ▁regular- ▁Based- ▁enjoy- ▁Ba- ▁fl- ▁foot- ▁vehicles- ▁charges- ▁diversified- ▁pressures- ▁standards- ▁opposed- ▁meaning- ▁document- ▁medium- ▁block- ▁Actual- ▁highlighted- ▁disclosure- ▁te- ▁contributions- ▁considering- ▁shipping- ▁asked- ▁concluded- AR- ▁setting- ev- ▁implementing- ▁stop- ▁sign- ▁enhancing- ▁circumstances- ▁executed- ▁message- ▁bad- ▁scenario- ▁Since- ▁audience- ▁device- ▁topic- ▁inside- ▁balanced- ▁geographies- ▁sufficient- ▁50- ▁offers- ▁ad- ▁Jo- ▁sit- ▁shape- ▁wells- ▁shopping- ▁moderate- ▁Ad- ▁ended- ▁Bo- ▁item- ▁pilot- ▁thanks- ▁discussing- ▁publicly- ▁custom- king- ▁targeting- ▁profits- ▁concerned- ▁rising- ▁Act- ▁insight- ▁roughly- ▁landscape- pro- back- ee- ▁slight- ification- ▁words- ▁seek- ▁integrate- ever- ▁influence- ▁mission- ane- ▁settlement- ▁managers- ▁industries- ▁aspects- ▁extension- ▁Steve- ▁fundamental- ▁translate- ▁mining- ▁sc- ory- ▁becomes- '6'- ▁matters- ▁approved- ▁automation- ▁ownership- ▁heavy- ▁winter- cel- net- ▁Most- ▁aircraft- ris- ▁rating- ▁leave- ▁chance- ▁replace- ▁central- ▁Africa- ▁enables- ▁aligned- ▁j- ▁electric- ▁negatively- ▁education- ▁assuming- ▁assist- ▁winning- ▁physicians- ▁Z- ▁caution- ▁evolving- ▁check- ome- ▁enabling- au- ix- ▁intention- ▁Energy- ▁drove- ▁Despite- ▁wind- ▁begun- ▁drill- ▁physical- ▁cap- ▁conduct- ▁reserves- load- ▁reports- ▁rise- ▁bond- ▁practice- ran- ▁importance- ▁places- ▁continuous- ▁Mark- ▁family- ▁Sa- ▁Internet- ▁typical- ▁Ha- ▁achievement- ▁Then- ▁Germany- ▁trajectory- ▁opened- ▁Ve- ▁Product- ▁react- ▁mature- wi- ▁lack- ▁learn- ▁employee- ▁attribute- ▁Com- ▁wage- ▁method- ▁spring- ▁act- ▁adjustment- ▁tra- ▁Ga- class- ▁reality- ▁label- ▁load- ▁rolling- ▁prove- sis- ▁Florida- '8'- ▁deeper- ▁qu- ▁handle- ▁strategically- ▁10%- ▁phone- ▁surge- ▁works- ▁Solutions- ▁implied- ▁two- iti- ▁origination- of- ▁rigs- ▁inventories- ▁consecutive- ▁loyalty- ▁connected- ▁floor- ▁love- ▁sustained- ▁lift- ▁electronic- ▁sounds- gan- ▁opportunistic- ctor- ▁Latin- ▁determine- ▁utility- ▁organizations- ▁box- ▁caused- ▁delay- ib- ▁steel- ▁flexible- ▁assortment- ▁search- fin- ▁fashion- ▁gets- ▁Great- ▁13- CO- ▁enabled- ▁replacement- pa- ▁agencies- ▁examples- ▁Both- ler- ▁underway- ▁owners- ▁rapid- ▁hearing- ▁k- ▁reached- ▁David- ▁pieces- ▁receivable- mission- ▁occupancy- ▁yields- ▁tool- ▁extra- ▁heavily- ▁outlined- da- ▁protection- ▁More- ▁her- uch- ▁experiencing- ▁vast- ▁restaurant- ▁absolute- ▁excluding- ▁diversification- tle- if- ▁stakeholders- ▁broker- ▁Pri- ▁starts- ▁thus- ▁spoke- ship- ▁gotten- ▁OEM- ▁therapy- ▁clarity- ▁Last- ▁unusual- ▁desire- ▁replay- ▁train- board- ▁request- gi- ▁North- ile- ▁adapt- ▁International- ▁reimbursement- ▁dramatically- '7'- ▁2020- ▁extensive- ▁latest- ▁selective- ▁logistics- ▁purpose- ▁watch- ▁depend- ▁spec- ▁yesterday- ▁leases- ▁groups- ▁Comp- ▁consumption- ▁Even- val- ▁regards- ▁weaker- cy- ▁guide- ▁eye- ▁views- her- ▁entered- ▁Ladies- ▁14- ▁financials- ▁soft- ▁Capital- ▁she- ▁depreciation- ▁asking- ▁li- ▁choose- ▁wish- ▁exceeded- ▁Sure- j- ▁assessment- ▁introduce- ▁daily- ▁print- ▁figures- ▁restaurants- ▁impacting- AS- ▁City- ▁permit- ▁imagine- ack- ▁Middle- ▁sectors- ▁carefully- ▁trials- ▁hiring- ▁usage- ium- ▁provisions- ▁problems- ▁contributor- quality- ▁occurred- ▁reward- ▁liquid- ▁declined- ▁Tom- ▁producing- ▁proportion- ▁contributing- ▁depends- ▁framework- ▁guests- down- ▁networks- ▁State- ▁X- cent- ▁rail- ▁expenditures- ▁Coast- ▁diversify- ▁agency- ▁System- ▁downturn- ▁productive- ▁attributable- ase- ▁Western- ▁freight- ▁App- ▁Another- ▁closure- ▁hotel- ▁ca- ▁unless- ▁lag- ▁temporary- ▁cycles- ▁treat- ▁insights- ▁format- ▁series- ▁immediately- ▁inform- ▁returning- ▁scope- ▁brings- ▁originally- ▁Have- ▁updates- ▁coal- ▁complexity- ▁sequentially- ▁collect- ▁ensuring- ▁Other- ▁gaining- use- ▁powerful- ▁serving- led- ▁communication- ▁grown- ▁requires- ▁select- ▁condition- ▁metric- ▁supplier- '9'- ▁usually- uck- ▁exceed- ▁import- ology- ▁diverse- ▁Chris- ▁rules- stream- ▁cancer- ▁r- ▁launching- ▁webcast- ▁et- ▁shortly- ▁farm- ▁concern- ▁him- ▁ten- ▁political- ▁Chief- ▁attending- ▁accomplish- ▁hundred- ▁human- ▁Officer- ▁tri- ▁paper- ▁followed- ▁allocate- ide- ▁department- ▁pain- ▁map- ▁ecosystem- vent- ▁distributors- ▁90- ▁emphasize- ▁usual- ▁bill- cept- row- ▁host- ▁revise- ▁laid- ▁learned- ▁strongest- ▁reliability- ▁promise- ▁perfect- ▁elevated- ▁busy- ▁satisfaction- ▁optimizing- ▁Next- ▁briefly- ▁Jim- ▁subscriber- ▁monitoring- ▁hurricane- ▁coupled- ▁numerous- ▁manufacturers- ▁express- ▁Business- ▁switch- ▁environmental- rate- ny- ▁duration- ▁carriers- ▁proprietary- ▁repair- ▁earn- ▁Wi- ▁installation- ▁alternatives- ▁scheduled- ▁advantages- ▁tenants- ▁20%- ▁produced- ▁exclusive- ▁Health- ▁decide- ▁harbor- ▁addressing- ▁fewer- ▁initially- ▁Air- ▁broaden- ▁rational- ▁suite- lay- ▁summarize- ▁file- ▁solve- ▁pension- ▁installed- ▁waiting- ▁exercise- ▁gen- ▁Ta- ▁merchandise- ▁adverse- ▁leads- ▁facing- ▁vendors- ▁instrument- ▁hardware- ▁Hav- ▁grade- ▁minimum- party- ▁except- ▁appeal- ▁reiterate- ▁indications- ▁par- ▁dependent- ▁associates- ▁institutional- through- ▁hours- ▁deployed- ▁San- ▁metal- ▁tariffs- ▁mill- ▁declining- ▁dealers- ▁indicate- ney- ▁careful- ▁dedication- ▁input- ▁decreased- ▁100- ▁milestones- ▁President- ▁differences- ▁16- ▁showed- ▁Am- ▁competitor- ▁agents- ▁Global- ▁intended- ▁emphasis- ▁stick- ▁Y- ▁5%- ▁cl- ▁lean- ▁immediate- low- ▁Through- ▁magnitude- ▁supplemental- ▁cetera- ▁feeling- ▁positively- ▁secured- ▁hotels- point- ▁ramping- ▁buyers- ▁mode- ▁contact- ious- ▁normalized- ▁pool- ▁rec- ▁enhancements- ▁accretive- ▁accurate- ▁personnel- ▁Ch- ▁constantly- ▁policies- ▁hospitals- ▁sound- ▁concerns- mark- ▁negotiations- ▁conversation- ▁covered- ▁bought- ▁awards- ▁differentiate- ▁frac- ▁eliminate- ▁lowest- ▁lo- ▁super- ▁administration- ▁nicely- ▁dealer- ▁Power- ▁Many- ▁quantify- ▁delays- ▁somebody- ▁France- ▁length- ▁turnaround- ▁door- ▁normally- ▁packaging- ▁screen- ▁deliveries- ▁proposal- ▁cars- ▁wireless- ▁pure- ▁signal- ▁purchasing- ▁okay- ▁homes- ▁40- ▁aspect- ▁useful- ▁outperform- ▁agree- ▁playing- ▁maintained- ▁shifting- ▁incorporate- ▁laws- ▁incredibly- ▁favor- ▁merchant- ▁surprise- ugh- ▁headwind- ▁Therefore- ▁billing- ▁player- ▁instead- ▁intelligence- ai- ▁demonstrates- ▁volatile- ▁assumption- ▁liability- den- ▁expensive- ▁Tra- ▁Mon- ▁delayed- ▁organizational- ▁sand- ▁defined- ▁fiber- ▁fresh- ▁amortization- wood- ▁hoping- ▁science- ▁progressing- ▁enrollment- ▁shut- ▁possibility- ▁feature- ▁describe- 5%- ▁relating- ▁possibly- ▁Op- ▁finished- ▁fruit- ▁released- ▁tracking- ▁Life- ▁status- ▁vary- ▁benefiting- ▁arrangement- ▁placed- ▁Rob- ▁Pacific- ▁principle- ▁students- ▁migration- ▁appear- ▁50%- ▁catch- ▁tried- ▁house- ▁display- ▁tied- ▁Third- ▁reinforce- app- ▁breadth- ▁Part- ▁lives- ▁storm- ▁lay- than- ▁green- ▁communications- 0,000- wide- ▁slowdown- ▁determined- ▁mechanism- ▁evaluation- ▁crude- ▁functions- ▁simplify- ▁Tim- ▁Consumer- ▁licensing- ▁person- ▁avoid- ▁preferred- ▁supplement- ▁sourcing- ▁Once- ▁milestone- ▁formula- ▁disclaim- ▁depth- ▁turned- ▁organically- ▁embedded- ▁explore- ▁instance- ▁obtain- ▁completing- ▁wrap- ▁buyback- ▁pump- ▁Going- ists- ▁Right- ▁Home- ▁updating- ▁kick- ▁surprised- ▁afford- ▁responsible- ▁incurred- ▁sharp- ▁integrating- ▁rolled- ▁filing- quarter- qua- ▁60- ▁Cha- ▁opinion- ▁promotions- ▁indicators- ▁pushing- ▁intent- ame- ▁impressive- ▁bulk- pac- ▁heart- ▁exploration- field- ▁branch- ▁fire- ▁spreads- ▁fix- ▁criteria- ▁drag- ▁Maybe- ox- house- ▁basic- ▁lose- ▁exact- ▁aggregate- date- leading- ▁concerning- ▁accomplished- ▁17- ▁pattern- ▁renewable- ▁feed- ▁dealing- ▁Houston- ▁promote- ▁divisions- ▁percent- ▁gold- ▁regulations- MS- ▁patent- ▁split- ▁differently- ▁Americas- ▁patterns- ▁school- ▁terminal- istic- ▁weighted- ▁spectrum- ▁sponsor- ▁FX- ▁unchanged- ▁expert- ▁0- ▁seeking- ▁member- ▁comparisons- ▁unfavorable- ▁churn- ▁absorb- ▁combine- ▁overhead- matic- ▁creative- ▁join- ▁serious- ▁lock- ▁formal- ▁stress- ▁participants- ▁guest- ▁Jeff- ▁transparency- ▁cat- ▁reliable- ▁estimated- ▁via- ▁purposes- ▁acquiring- ▁appears- ju- ▁calculation- ▁inherent- ▁institutions- ▁analysts- ▁offshore- ▁unlock- ▁elect- ▁located- ▁resolution- ▁minimal- ▁Dan- ▁relation- ▁easily- ▁softness- ral- ▁entering- ▁dose- ▁gather- ▁op- ▁rely- ▁Commercial- ▁square- ▁plenty- ▁impairment- ▁FDA- ▁Sea- ▁CEO- ▁functionality- ▁revised- ▁monthly- ER- ▁disclosed- ▁analyze- ▁raising- ▁sustainability- ▁Importantly- ▁Tri- ▁written- work- ▁Where- ▁someone- ▁port- ▁complement- ▁Trans- ▁entirely- ▁Phase- ▁Industrial- ▁micro- ▁minute- like- ▁thoughtful- ▁fluctuation- ▁partly- RA- ▁considerable- ▁diversity- ▁smooth- ▁persist- ▁prepare- ▁producers- ▁19- ▁AS- ▁reverse- ▁stabilize- ▁fine- ▁eventually- ▁ran- ▁save- ism- ▁Customer- ▁airline- ▁effectiveness- ▁colleagues- ▁self- ▁Pe- ▁realization- ▁administrative- ▁maturity- ▁doubt- ▁tenant- ▁introducing- ▁regulators- ▁straight- ax- ▁recruit- ▁wonder- ▁mass- ▁solar- ▁rollout- ▁Uni- ▁Cor- ▁remove- TA- ▁exception- ▁capable- ▁frequency- ▁borrowing- ▁acreage- ▁architecture- ▁rule- ▁Bill- ▁th- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁knew- ▁published- ▁Man- ▁Hu- ▁election- ▁talented- ▁according- PA- ▁proposed- ▁distinct- ▁consulting- ▁retailer- ▁globe- ▁Under- ▁tighten- ▁refinancing- ▁Pu- ▁thousands- ▁consequence- ▁interaction- ▁Inter- state- ▁seasonally- ▁communicate- ▁park- ▁Matt- ▁characterize- ▁dramatic- ▁write- ▁man- ▁promotion- ▁Private- ▁indicator- ▁3%- forward- ▁Amazon- ▁incredible- ▁older- ▁anybody- ▁deploying- ▁permanent- ▁clinic- ▁servicing- ▁wonderful- ▁Following- ▁TV- ▁owned- ▁Scott- ▁nor- ▁Russia- ▁connectivity- ▁comfort- ▁dialogue- ▁install- ▁concentration- ▁seamless- ▁Michael- ▁demonstrating- ▁warrant- ▁entry- ▁EPS- ▁reflection- ▁legislation- ▁gear- ▁accordance- ▁backdrop- ▁latter- RO- ▁levers- ▁differentiation- ▁minor- ▁damage- ▁Certain- ▁preparing- ▁interact- ▁emerge- IC- ▁engaging- ▁Col- ▁route- ▁retirement- ▁upper- ▁prevent- ▁70- ▁headcount- ▁hybrid- ▁litigation- ▁2%- ▁Permian- ▁utilizing- ▁assure- chi- ▁candidates- ▁narrow- ▁utilities- ker- ▁continuously- ▁meaningfully- ▁layer- ▁National- AN- ▁facilitate- ▁Got- ▁respective- ▁negotiate- ▁massive- ▁referring- ▁Revenue- ▁physician- CE- performance- ▁Like- ▁Retail- ▁Dave- ▁city- ▁Reg- ▁measured- ▁Gulf- ▁menu- ▁vessels- ▁Bob- SA- ▁Every- ▁competing- ▁attend- ▁worse- ▁equal- ▁window- place- ▁commence- ▁procedures- ▁chemical- ▁applied- performing- ▁greatest- ▁distributor- ▁appropriately- ew- ▁pillar- ▁communicated- ▁adjusting- ▁branches- ▁regulation- ▁defense- ▁procurement- ▁factory- ▁offsetting- ▁cities- ▁selected- ▁uptick- ▁merchandising- ▁tail- ▁automate- ▁Central- ▁fantastic- ▁synergy- press- ▁transmission- IS- ▁selection- ▁reaching- ▁generic- ▁observe- ▁became- train- ▁payers- ▁Gra- pay- ▁purchased- ▁round- ▁challenged- ▁modestly- ▁Care- ▁calculate- ▁proactive- ▁divest- ▁relate- ▁streamline- ▁reinsurance- ▁advertisers- ▁receiving- body- ▁passion- ▁stat- AM- ▁ticket- ▁workforce- ▁4%- bra- ▁Forward- ▁vendor- ▁promising- ▁heading- ▁mu- ▁General- ▁disposition- ▁dry- ▁basin- ▁extraordinary- holder- ▁fundamentally- ▁claim- ▁liabilities- ▁Bar- ▁listening- ▁faced- ▁tender- ▁elaborate- ▁preference- ▁upward- ▁stack- ▁Mer- ▁succeed- DA- ▁Medicare- ▁wrong- ▁reset- ▁strengthened- ▁Regarding- ▁harder- ▁bunch- ▁voice- ▁living- ▁night- ▁version- ▁threat- ble- ▁continually- ▁waste- ▁illustrate- location- ▁blend- ▁renovation- ▁jump- ▁terrific- ▁Dr- cost- ▁crop- ▁regardless- ▁Operating- ▁medicine- ▁honest- ▁High- ▁edge- ▁ultimate- ▁placement- ▁disposal- ▁pivot- ▁responsibility- ▁initiated- ▁predictable- ▁shortage- ▁cadence- ▁audit- IN- ▁wave- ▁Service- ▁navigate- ene- ▁adequate- ▁extending- ▁definition- ▁sports- ▁explained- ▁Paul- ▁served- ▁north- ▁raised- 'ON'- ▁lenders- ▁index- ▁counter- ▁manager- ▁borrow- ▁grant- ▁assurance- ▁behalf- ▁upfront- ▁entertainment- fu- light- ▁beneficial- ▁hedging- ▁bridge- ▁Further- ▁rebound- ▁broadcast- ▁publish- ▁essential- ▁uniquely- stock- ▁advancing- ▁innovate- ▁warehouse- ▁sophisticated- ▁offered- ▁indeed- ▁worldwide- ▁joined- ▁women- ▁carrier- AP- ▁Hi- wise- ▁precise- ▁score- ▁Brian- MA- fo- ▁anticipating- ▁satisfied- ▁court- ▁none- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁settle- ▁comm- ▁consistency- ▁compression- ▁agenda- ▁Connect- driven- ▁continuation- ▁secondary- ▁link- ▁funded- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁Sha- ▁prefer- ▁preliminary- ▁Northern- ▁tap- ▁Va- ▁realizing- ▁AR- ▁lab- ▁efficacy- ▁anyone- ▁Factors- ▁pending- ▁Joe- ▁occurring- ▁boost- ▁rebuild- ▁gaming- ▁affecting- ▁digit- ▁panel- ▁sensor- ▁excitement- ▁30%- ▁Food- ▁beverage- ▁constraints- ▁preparation- ▁bundle- month- ▁Each- ▁listen- ▁equation- ▁agent- ▁allowance- ▁Per- ▁characteristics- ▁Additional- ▁earning- ▁conjunction- ▁severe- zz- ▁London- OS- ▁pushed- ▁somewhere- ▁incur- ▁nation- ▁EBIT- ▁translation- ▁25- ▁15%- ▁rid- level- ▁watching- ▁optimal- ▁hopeful- ▁obvious- ▁clarify- ▁identifying- ▁diligently- tech- ▁lap- ▁alignment- TE- ▁anywhere- ▁noise- ▁evident- ▁picking- ▁Ge- ▁ambition- ▁requirement- ▁mile- ▁divestiture- ▁optimism- ▁constitute- ▁reputation- ▁agreed- ounce- ▁staffing- ▁demographic- ▁acceptance- ▁jurisdiction- ▁frequent- ▁Rich- ▁attack- ▁sellers- ▁validate- ▁pharma- ▁intense- ▁distributed- ▁World- ▁title- ▁employ- scale- ▁1%- ▁enormous- ▁compound- how- ▁onetime- ▁6%- ▁word- generation- ▁Does- ▁define- ▁affordable- ▁aftermarket- ▁complicated- ▁families- ▁slowing- ▁disclose- ▁la- ▁signing- ▁suffer- ▁Plan- ▁spin- ▁background- ▁realign- ▁competitiveness- ▁Growth- ▁transparent- ▁alone- ▁math- ▁Gu- ▁currencies- value- ▁accomplishments- ▁stabilized- ▁Street- ▁equally- ▁Black- ▁manufacture- ▁represented- ▁benchmark- ▁contemplate- ▁variability- ▁task- ▁consolidate- ▁exceeding- ▁virtually- ▁sum- ▁Har- ▁appetite- ▁Will- ▁cable- hand- aw- ▁maximizing- ▁philosophy- ▁harvest- ▁unknown- xi- ▁fulfill- win- ▁qualified- ▁employer- ▁Center- ▁buyer- ▁Board- stone- ▁shorter- ▁satellite- ▁midpoint- channel- ▁graph- ▁linked- ▁leg- ▁deck- ▁corresponding- ▁tire- ▁renewed- J- ▁familiar- ▁zone- Z- ▁destination- ▁container- ▁Na- ▁24- ▁OpEx- ▁She- IT- ▁complementary- EX- ▁film- ▁tech- ▁interim- cycle- ▁Korea- ▁Brand- ▁bonus- ▁proceed- ▁Would- ▁classes- ▁pickup- ▁friend- ▁exploring- ▁gradually- ▁fortunate- ▁attach- ▁representative- ▁200- ▁warm- ▁collective- margin- ▁Sun- ▁burn- ▁prospective- ▁pad- ▁horizon- ▁recruiting- ▁prime- ▁addressable- ▁contractual- ▁Digital- ▁reliance- ▁bidding- ▁reaction- ▁entity- ▁Mr- ▁tangible- ade- ▁Basin- ▁appreciation- mail- ▁decent- risk- ▁personally- ▁Kevin- ▁awarded- ▁burden- ▁stabilization- ▁macroeconomic- ▁ingredient- ▁pipe- ▁Risk- ▁copy- ▁neutral- ▁student- ▁franchisees- ▁bucket- ▁inflection- ▁send- ▁guided- ▁cold- ▁covenant- ▁surface- ▁softer- ▁television- ▁measurement- ▁reasonably- ▁hub- ▁funnel- tribut- ka- ▁circ- ▁advisory- ▁occasion- ▁session- ▁sentiment- ▁constructive- ▁sensitive- ▁restrict- ▁accepted- ▁catalyst- cast- EN- ▁crew- ▁proceeding- ▁proactively- ▁adjacent- room- ▁downward- ▁amazing- ▁trigger- ▁auction- ▁revision- ▁Clearly- ▁testament- ▁language- ▁tank- ▁survey- ▁bright- ▁earned- ▁8%- ▁deliberate- ▁accordingly- ▁Chi- ▁grid- ▁arise- ▁Secondly- ▁2014- ▁diligence- ▁referred- ▁headline- premise- ▁lie- ▁mandate- ▁deepen- added- ▁diagnostic- price- ▁Pay- ▁therapeutic- ▁healthcare- ▁wider- source- ▁royalty- ▁Data- ville- ▁construct- ▁virtual- ▁acknowledge- ▁Reform- ▁renew- ▁indicative- ▁supportive- ▁module- ▁Eastern- ▁compensate- ▁consult- ▁FY- ▁underpin- ▁cyclical- ▁monetize- ▁sample- ▁applicable- ▁understood- ▁cutting- ▁attempt- ▁registration- ▁campus- ▁flavor- ▁steadily- ▁sight- ▁treated- ▁anticipation- ▁accept- ▁properly- ▁tailwind- ▁committee- ▁shelf- ▁capturing- ▁style- ▁concentrated- ▁recycling- ▁Lu- ▁deduct- ▁memory- ▁cheap- ▁REIT- ▁noncash- ▁40%- ▁urban- ▁entities- ▁Lastly- ▁programming- ridge- ▁tower- ▁visible- ▁refining- ▁billion- ▁composition- ▁Work- ▁swing- ▁letter- ▁nuclear- ▁IoT- ▁resolved- ▁announcing- ▁equivalent- town- ▁Spain- ▁Greg- ▁historic- ▁Partner- ▁heat- ▁seat- ▁kept- ▁gu- ▁economies- ▁Italy- ▁literally- ▁repositioning- ▁commit- ▁Brexit- ▁pack- ▁discontinued- ▁resilient- ▁functional- ▁tariff- ▁certainty- ▁messaging- ▁turnover- ▁Ka- ▁Ti- ▁Investment- ▁Similar- sourcing- ▁Frank- ▁satisfy- ▁artificial- ▁discovery- ▁authorities- ▁commodities- ▁prioritize- ▁south- ▁pet- ▁losing- ▁ideal- ▁territories- ▁yourself- ▁laser- ▁employment- ▁pound- ▁indirect- ▁pharmaceutical- ▁fight- ▁sorry- ▁Excluding- ▁bullish- ▁separation- ▁detect- tune- ▁redevelopment- ▁rich- ▁augment- ▁strive- ▁strict- ancy- ▁Technology- ▁payroll- ▁radio- ▁Washington- ▁flu- ▁affiliate- ▁concession- ▁predominantly- ▁reflective- ▁technological- ▁quicker- ▁amongst- ▁row- ▁Conference- ▁Southeast- ▁parent- grade- ▁differential- ▁Department- ▁attrition- ▁pause- water- ▁membership- ▁Litigation- ▁regulated- ▁personalized- ▁prescription- ▁cautionary- ▁handful- ▁tie- ▁El- ▁Carolina- ▁corner- ▁lever- ▁poor- ▁7%- ▁scheme- ▁ease- ▁sizable- ▁enroll- ▁fell- ▁carried- ▁chosen- ▁meantime- ▁hitting- ▁database- ▁Port- ▁Corporate- ▁balancing- ▁delever- ▁payout- ▁broadband- ▁official- ▁Che- ▁swap- ▁vote- ▁Water- ▁hu- ▁issuance- ▁prospect- ▁Furthermore- ▁military- ▁shrink- ility- ▁Enterprise- ▁controlling- ▁intellectual- ▁alluded- ▁endpoint- ▁carbon- ▁inject- ▁materialize- ▁Year- ▁bus- ▁Should- ivity- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁discover- ▁lumpy- ▁transport- ▁absorption- ▁semiconductor- je- ▁mutual- ▁popular- ▁audio- ▁code- ▁shipment- ▁Bio- ▁Ki- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁principal- ▁People- ▁'15- ▁LNG- ▁overcome- ▁Total- ▁manufacturer- ▁convinced- oriented- ▁scalable- ▁Hong- ▁bump- ▁hydro- ▁intensity- ▁Medical- ▁Gene- ▁disappointed- ▁copper- ▁takeaway- ▁Park- ▁Kong- ▁judgment- ▁restructure- ▁float- ▁penetrate- ▁Pi- ▁validation- ▁Direct- ▁Network- ▁Media- ▁repayment- ▁description- ▁maximum- Point- ▁output- service- ▁image- ▁household- ▁methodology- ▁Chicago- ▁spite- ▁Ken- ▁Argentina- ▁territory- ▁suit- ▁Performance- ▁CFO- ▁lend- ▁consist- ▁amendment- ▁elsewhere- ▁apparel- ▁foreseeable- ▁principally- view- ▁Information- ▁outlet- fusion- ▁aerospace- ▁relentless- ▁omni- single- ▁undu- ▁hurdle- ▁scaling- ▁rank- ▁cohort- ▁quote- ▁recap- ▁fun- ▁three- ▁throughput- ▁wire- ▁basket- ▁smartphone- ▁Cloud- ▁motor- ▁governance- brand- ▁sensitivity- ▁therapies- ▁fluid- ▁resolve- ▁Delaware- ▁Google- ▁Why- ▁art- ▁Hurricane- ▁lifetime- ▁sa- ▁observation- ▁inflationary- ▁Ju- ▁variation- ▁disruptive- ▁electricity- ▁profitably- ▁interpret- ▁barrier- ▁investigation- ▁scientific- ▁Vice- ▁constrained- ▁delighted- ▁German- ▁casual- ▁expenditure- ▁body- focused- ▁causing- ▁downstream- ▁submission- ▁Number- ▁hour- ▁refinance- ▁municipal- ▁advancement- ▁suppose- ▁gradual- ▁Everyone- ▁MA- ▁favorably- ▁comprise- ▁Due- ▁considerably- ▁securing- hold- ▁domain- ▁unfortunately- ▁vessel- ▁proof- ▁stake- ▁mobility- ▁Class- ▁listeners- ▁protocol- ▁tumor- ▁scrap- ▁shipped- ▁responsive- ▁Northeast- ▁explanation- ▁remarkable- ▁outflow- ▁accommodate- ▁mindful- ▁niche- ▁prepayment- ▁appendix- ▁Auto- ▁SaaS- ▁myself- ▁animal- ▁peer- ▁redeploy- ▁passenger- ▁Key- ▁Project- ▁battery- ▁embrace- ▁monetization- ▁ample- ▁luxury- ▁Company- spec- ▁normalize- ▁disrupt- ▁strike- ▁weekend- ▁threshold- ▁exhibit- ▁weigh- ▁combining- ▁diesel- ▁duty- ▁recommendation- ▁pharmacy- ▁temp- print- ▁enthusiasm- ▁conventional- ▁remodel- ▁subsidiaries- ▁surrounding- ▁leaving- ▁Specifically- ▁parallel- ▁chip- ▁consume- ▁compute- ▁incident- ▁movie- ▁fulfillment- ▁chose- ▁deflation- ▁consultants- ▁thorough- ▁conscious- ▁strides- ▁remote- ▁fastest- ▁relief- ▁recoveries- ▁interface- ▁enthusiastic- ▁Rico- ▁preserve- ▁Beyond- ▁Corporation- ▁airport- ▁dozen- ▁missed- ▁resilience- ▁variance- ▁pretax- ▁street- ▁Consistent- ▁underground- ▁lifestyle- ▁submitted- ▁collaborative- ▁supplies- ▁whilst- ▁honor- standing- ▁acute- ▁density- ▁controlled- ▁breakdown- ▁surprising- ▁educate- media- ▁extract- ▁Jack- ▁agile- ▁Things- ▁rigorous- ▁Peter- ▁predictions- ▁subsidiary- ▁proper- ▁negotiation- turn- ▁consolidating- ▁acceptable- ▁Insurance- ▁optionality- ▁Analyst- ▁EMEA- ▁Two- ▁discrete- ▁struggle- ▁termination- making- ▁impression- ▁loyal- ▁accountability- ▁tier- power- ▁urgency- ▁throw- ▁reposition- range- ▁algorithm- ▁crisis- ▁sudden- ▁resonate- ▁pleasure- ▁advice- ibility- ▁impressed- ▁80%- ▁proxy- ▁surgical- ▁Medicaid- ▁identity- ▁Vegas- product- ▁analytic- ▁9%- ▁district- ▁discretionary- ▁accident- ▁molecule- ▁doctors- ▁failure- ▁pathway- ▁blue- ▁100%- ▁array- ▁exposed- ▁protein- ▁unfold- ▁everywhere- ▁inclusion- ▁worry- ▁alliance- ▁unexpected- ▁corporation- ▁Eagle- ▁upgrading- ▁flight- ▁60%- ▁granular- ▁Alberta- ▁Christmas- ▁white- ▁empower- ▁inspection- ▁novel- ▁precision- ▁ROI- effective- ▁stockholders- ▁Jersey- ▁SKU- ▁absence- ▁negotiating- ▁twice- ▁certification- ▁consumable- ▁derivative- ▁perception- ▁underscore- centric- ▁Specialty- ▁guiding- ▁integrity- ▁nonrecurring- ▁stretch- ▁mini- ▁defend- ▁resume- ▁Green- ▁receipt- ▁dilution- ▁replacing- ▁comparative- ▁substitute- ▁ladies- ▁younger- ▁collateral- ▁fifth- cycl- ▁climate- ▁disappointing- ▁keen- balance- ▁Japanese- growing- ▁Fourth- ▁determination- ▁hyper- ▁mineral- ▁authorization- ▁thrilled- ▁undertaking- ▁script- fold- ▁rationalization- ▁hurt- ▁midstream- sale- ▁Look- ▁comparing- ▁secular- ▁holistic- ▁Construction- ▁robotic- ▁intelligent- ▁velocity- ▁beauty- ▁regime- ▁Smart- ▁invite- ▁dimension- ▁blood- ▁reorganization- ▁unlikely- ▁master- ▁workflow- ▁demo- ▁anniversary- ▁diluted- ▁inorganic- ▁submit- ▁Quarter- ▁cancellation- ▁French- adjusted- ▁cultural- ▁preclinical- ▁concentrate- gress- ▁Security- ▁strip- ▁anchor- ▁Annual- ▁deleveraging- ▁Long- ▁Midwest- ▁relevance- ▁Boston- ▁sweet- ▁Gold- ▁geo- ▁bolster- ▁extreme- ▁overlap- ▁breakeven- ▁headquarters- ▁adult- ▁Doug- ▁vital- ▁agility- ▁Building- ▁revolving- ▁technique- ▁intangible- ▁reservoir- ▁stabilizing- ▁noncore- ▁concrete- ▁reconcile- ▁procedure- ▁immune- ▁Blue- ▁recommend- ▁Mobile- ▁academic- ▁multifamily- ▁practical- ▁Congress- ▁computing- ▁Results- ▁accretion- ▁casino- ▁reversal- ▁arrive- ▁revolver- ▁IPO- ▁referral- ▁convenient- ▁parameters- ▁deterioration- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁uplift- ▁fail- ▁bankruptcy- ▁text- ▁viable- ▁visual- ▁marine- ▁valid- ▁contingent- ▁recession- ▁Federal- ▁apartment- ▁distribute- ▁nimble- ▁suspect- ▁Phil- ▁character- ▁Colorado- ▁solely- ▁modification- ▁outdoor- ▁foresee- ▁articulate- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁Valley- ▁Virginia- ▁possibilities- ▁flood- ▁temperature- ▁alter- current- ▁experiment- ▁restrictions- ▁retire- ▁accuracy- ▁analyzing- ▁aluminum- ▁unprecedented- ▁expire- ▁glad- ▁powder- ▁spike- ▁tomorrow- growth- ▁avenue- ▁guidelines- ▁anymore- ▁eliminating- ▁telecom- ▁poised- ▁resort- ▁Hawaii- ▁likelihood- ▁simplification- ▁Engine- ▁gift- ▁correlation- ▁qualification- ▁redesign- ▁aspiration- ▁triple- ▁chunk- q- ▁underwrite- ▁Colombia- ▁redemption- ▁snow- ▁pursuit- ▁apparent- ▁consent- ▁Adjust- ▁candidate- ▁Program- ▁foremost- ▁Demand- ▁outpace- ▁replicate- ▁saving- ▁Office- ▁Healthcare- efficient- ▁Earlier- ▁Ontario- ▁interconnect- ▁plate- ▁Strong- ▁doubling- ▁analyst- ▁plastic- ▁Brad- ▁Friday- ▁worried- ▁proving- ▁contrast- ▁Whether- ▁1995- ▁Credit- ▁treasury- ▁institution- contract- ▁tissue- ▁Technologies- ▁glass- ▁refund- ▁additive- ▁oncology- ▁regulator- ▁expiration- ▁forefront- ▁embark- ▁IFRS- ▁imaging- ▁coffee- ▁default- ▁placing- ▁entrepreneur- ▁fluctuate- plus- ▁Dallas- ▁consensus- ▁flagship- ▁fragmented- ▁generator- ▁ERP- ▁Executive- ▁hike- ▁Control- ▁advertise- ▁choosing- ▁coast- ▁Sweden- ▁judge- ▁Development- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Together- ▁conviction- ▁click- ▁reaffirm- ▁children- ▁venue- ▁stories- ▁decreasing- ▁heightened- ▁lumber- ▁Remember- ▁tactical- ▁worst- patient- ▁trouble- ▁accrue- ▁caught- ▁unsecured- ▁unmet- ▁Chairman- ▁pronounced- ▁music- ▁Ohio- ▁statistics- ▁uptake- ▁chronic- ▁Access- ▁harm- ▁Micro- ▁debate- ▁quantity- ▁River- ▁initiate- ▁severity- ▁diminish- ▁routine- ▁slip- ▁Unfortunately- ▁mechanical- ▁mistake- ▁ambitious- ▁lens- ▁probability- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁Microsoft- ▁Safety- ▁dispute- ▁communicating- ▁grocery- ▁simplified- ▁Across- ▁Public- ▁spirit- ▁Meeting- ▁grateful- ▁NIM- ▁studio- ▁Facebook- ▁residual- ▁banner- ▁bolt- ▁requiring- ▁Jason- ▁Gross- scrip- ▁allocating- ▁witness- ▁cluster- ▁Illinois- ▁restart- ▁immuno- ▁president- ▁surplus- ▁inefficiencies- ▁baked- ▁Reconciliation- ▁impossible- ▁teleconference- ▁perceive- ▁edit- ▁distinguish- ▁correlate- ▁authentic- ▁idle- ▁autonomous- ▁friction- ▁coupon- ▁ATM- ▁ancillary- ▁incumbent- ▁refocus- ▁overnight- ▁imperative- ▁Indonesia- ▁manifest- ▁govern- ▁promoting- ▁regain- ▁ruling- ▁pulp- ▁rebate- ▁neuro- ▁royalties- ▁transcript- ▁kids- ▁George- ▁filter- ▁diligent- ▁prescribe- ▁revolution- ▁Science- ▁British- ▁accrual- ▁cement- ▁Keep- ▁Phoenix- ▁Zealand- ▁dominant- ▁Broad- ▁Senior- ▁replenish- ▁Court- ▁appointment- ▁collaborate- ▁speculate- ▁Electric- ▁Norway- ▁genetic- ▁modify- ▁Transportation- ▁erosion- ▁resonating- ▁quota- ▁crucial- ▁opposite- ▁streamlining- ▁optical- ▁Chemical- ▁authority- ▁millennial- ▁Flex- ▁disaster- ▁shortfall- ▁1,000- ▁nursing- ▁Republic- ▁implies- ▁elevate- ▁equities- ▁Several- ▁annuity- ▁elimination- ▁landlord- ▁neighborhood- ▁curtail- ▁argue- ▁temporarily- ▁Atlanta- ▁crystal- ▁Lower- ▁Personal- ▁ordinary- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁albeit- ▁perpetual- ▁differentiating- ▁activation- ▁exploit- ▁reception- ▁systematic- ▁premature- ▁Navy- ▁revisit- abilities- ▁competencies- ▁integral- ▁skew- ▁photo- mount- ▁corn- ▁Netherlands- ▁article- ▁charging- ▁shaping- ▁activate- specific- ▁implant- ▁unrealized- ▁eager- ▁securitization- ▁Oklahoma- ▁accumulate- ▁phasing- ▁province- ▁Resources- ▁softening- ▁Automotive- ▁privilege- ▁depressed- ▁statistical- ▁inflows- ▁Electronic- ▁catastrophe- ▁prevail- ▁Arizona- ▁durable- ▁terminate- ▁RevPAR- ▁assembly- facing- ▁Though- ▁argument- ▁airplane- ▁fraud- ▁society- ▁Platform- ▁habit- ▁brick- ▁crack- ▁Michigan- ▁bandwidth- ▁applies- ▁delta- ▁qualitative- ▁determining- ▁grain- ▁leisure- ▁repricing- ▁amended- ▁'20- ▁inhibitor- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- ▁innovating- ▁encounter- ▁endeavor- ▁Defense- ▁excuse- ▁Communication- ▁pride- ▁buffer- ▁configuration- ▁clarification- ▁Target- ▁Craig- ▁Nevertheless- ▁silver- ▁Property- ▁Ultimately- ▁circuit- ▁instruct- ▁showcase- ▁energized- ▁severance- ▁trailing- ▁iconic- ▁tailored- ▁concluding- ▁Supply- ▁Seattle- ▁recapture- ▁vacation- ▁modified- ▁steep- ▁celebrate- ▁prepaid- ▁vacancy- ▁Natural- ▁achievable- ▁drink- ▁inclusive- ▁scheduling- ▁capacities- ▁mitigation- ▁investigator- ▁black- ▁Margin- ▁taste- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_unnorm_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.7distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm//lm_train_lm_en_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 58146dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm//lm_stats_en_bpe5000/train/text_shape.bpevalid_shape_file:- exp_unnorm//lm_stats_en_bpe5000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- s- ▁in- ▁that- ▁a- ''''- ▁our- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁be- ▁this- ▁We- re- ▁And- ▁will- '-'- t- ▁year- ▁quarter- ▁at- ing- ▁So- ▁more- ▁from- ▁business- ▁think- ▁not- ▁what- ▁some- d- ve- ▁us- ▁by- ▁about- ed- ▁there- ▁can- ▁growth- ▁new- ▁was- ▁which- ▁or- ▁do- ▁very- ▁an- '?'- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁all- ▁been- ▁just- ▁has- ▁these- ▁so- ▁well- ▁over- ▁those- ▁now- ll- ▁time- ly- n- ▁out- ▁where- ▁into- ▁customers- ▁like- ▁first- ▁results- m- ▁But- ▁other- ▁really- ▁how- ▁if- ▁up- ▁their- ▁expect- ▁forward- ▁company- ▁than- ▁last- ▁were- ▁look- ▁your- ▁through- ▁get- ▁any- ▁call- ▁one- ▁because- ▁strong- ▁In- ▁had- ▁believe- ▁sales- ▁when- ▁good- ▁second- ▁This- ▁As- ▁revenue- ▁then- er- ▁lot- ▁make- ▁performance- ▁product- ▁cost- ▁much- y- ▁financial- ▁capital- ▁value- ▁Our- ▁could- ▁years- ▁right- ▁impact- ▁terms- ▁want- ▁future- ▁don- ▁both- ▁It- ▁them- ▁today- ▁work- ▁little- ▁back- ▁customer- ▁next- ▁bit- ▁increase- al- ▁end- ▁take- ▁products- ▁number- ▁kind- ▁higher- ▁opportunities- ▁half- ▁able- ▁way- ▁markets- ▁may- ▁know- ▁significant- ▁operating- ▁better- ▁go- ▁focus- ▁say- ▁cash- ▁2- ▁part- ▁things- ▁still- ▁point- ▁provide- ▁most- ▁statements- ▁lower- ▁should- ▁team- ▁being- in- c- ▁need- ▁across- ▁made- ▁opportunity- ▁line- ▁important- ▁down- ▁third- e- ▁rate- ▁- ▁during- ▁long- ▁people- ar- ▁re- ▁fourth- ▁strategy- ▁portfolio- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁price- ▁progress- ▁around- ▁A- p- r- ▁working- ▁share- ▁management- ▁me- ▁demand- ▁investment- ▁no- ▁due- ▁additional- ▁give- ▁actually- ▁come- ▁high- ▁great- ▁while- ▁only- ▁even- ▁seeing- ▁plan- ▁few- ▁margin- ▁same- ▁looking- ▁here- ▁S- ▁drive- ▁development- ▁start- ▁grow- ▁result- ▁costs- ▁different- ▁current- le- ▁seen- ▁change- ▁doing- ▁further- ▁3- ▁coming- ation- ▁service- ▁who- ▁guidance- ▁positive- ▁data- ▁earnings- o- ▁position- ▁C- ▁process- ▁technology- ▁key- ▁turn- ▁full- g- looking- ▁past- ▁investments- ▁That- ▁said- ▁support- ▁improve- ▁overall- S- ▁basis- ▁environment- ▁expected- or- ▁balance- ▁question- u- ▁increased- ▁again- ▁move- ▁focused- ▁help- ▁within- ▁sort- 'on'- ▁got- ur- ▁potential- ▁services- ▁before- ▁large- ▁remain- ▁businesses- ▁pricing- ▁months- ▁These- ▁side- ▁making- ▁Q- ▁F- ▁done- ▁put- ▁something- ▁ability- ▁program- ▁interest- ▁experience- ▁strategic- ▁already- ▁platform- ▁sure- ▁production- ▁based- ▁use- ▁best- ▁feel- ▁such- ▁information- ▁segment- ▁acquisition- ▁mentioned- ▁period- ▁Now- ▁talk- ▁model- ▁maybe- ▁expectations- ▁early- ▁several- ▁You- ▁operations- ▁given- ▁deliver- ▁s- ▁base- ▁order- ▁assets- ▁pleased- term- ▁rates- ▁my- ▁changes- ▁tax- ▁place- ▁build- C- es- ▁benefit- ▁each- ▁couple- an- ▁growing- ▁improvement- ▁including- ▁under- ▁projects- ▁certain- ▁related- ▁flow- ▁initiatives- ▁addition- ▁fact- b- ion- a- ▁commercial- ▁companies- ▁activity- ▁driven- ▁areas- ers- ▁getting- ▁existing- ▁mix- ▁brand- ▁term- ▁margins- ▁volume- ▁levels- ▁pretty- ▁thing- ▁mean- ▁release- ic- ▁continues- ▁income- ▁course- ▁capacity- ▁big- P- it- ▁factors- ▁might- l- ▁competitive- ri- ▁clients- ▁probably- ▁net- ▁project- ▁always- ▁With- ▁does- en- ▁There- E- ▁risk- ▁B- ▁review- ▁every- ▁leverage- ▁Thank- able- ▁marketing- ▁amount- ▁off- ▁quite- ▁quarters- ▁saw- ▁update- ▁its- ▁P- ▁less- ment- ▁prices- ▁offset- ▁why- ▁view- ▁supply- ▁available- ▁world- ▁building- ▁after- ▁credit- ▁E- ▁having- ro- I- ▁recent- ▁de- ▁top- ▁success- ▁real- ▁between- ▁set- ▁prior- ▁efforts- ▁core- ▁global- ▁let- ▁digital- ▁quality- k- ▁Or- ▁conference- se- ▁area- ▁operational- ▁earlier- il- ▁T- ▁shareholders- ▁return- ra- ▁far- ▁system- ▁understand- ▁low- ▁range- ▁pipeline- ▁trying- ▁actual- ▁contract- ▁expenses- ▁primarily- ▁continuing- ▁another- ▁structure- ▁While- ▁certainly- ▁whether- ▁e- ▁solutions- ▁approach- ▁day- f- ▁own- ▁inventory- ▁questions- ▁outlook- ▁ahead- ▁For- to- ate- ▁taking- ▁improved- ▁presentation- ul- ▁expense- R- A- T- el- ▁thank- ▁non- ▁If- ▁major- ▁retail- ▁confident- ▁profitability- ch- ▁fiscal- ▁capabilities- ▁create- ▁timing- ▁group- ▁add- ▁expand- ▁un- ▁p- ▁materially- li- ▁clear- ▁risks- M- ▁total- ent- ▁b- ▁increasing- ▁expansion- O- ▁4- ▁ago- ▁On- ▁consumer- ▁specific- ▁distribution- ▁D- ▁solid- ▁obviously- ▁excited- ▁hard- ▁space- ▁driving- ▁moving- D- ▁benefits- ▁What- ▁f- ▁invest- ▁talked- ▁differ- ▁acquisitions- ▁China- ▁revenues- ▁partners- ▁strength- ▁plans- ▁Yes- ▁sheet- ▁bring- la- ▁begin- ▁tell- ▁perspective- ▁keep- ▁particularly- at- th- ▁small- ▁increases- up- ▁1- ▁5- ▁debt- i- ▁They- ▁sense- ▁stores- ▁transaction- ▁U- ▁close- ▁versus- ▁asset- ▁R- ▁compared- ▁per- ▁improving- ▁network- ▁measures- '1'- ▁longer- ▁programs- ive- ▁patients- ▁run- ▁consistent- ▁open- ▁average- ▁significantly- as- L- ▁trends- ▁beginning- ▁control- ▁numbers- ▁scale- ▁needs- ▁care- ▁G- ▁currently- ry- ▁since- ▁conditions- ▁trend- ▁decline- ▁organization- ▁c- et- ▁innovation- ▁detail- ▁pay- ▁difficult- ▁include- ▁advantage- ▁profit- ▁N- ▁deal- ▁points- ▁execution- ▁anything- ▁towards- ▁volumes- ▁cause- ▁together- ▁access- ▁material- ▁larger- ▁However- ▁spend- ▁starting- ▁efficiency- ▁uncertainties- ▁reduce- ▁example- ▁remains- ▁record- ▁At- ▁throughout- ▁later- ▁comments- ▁ongoing- ▁fully- ▁gas- ▁store- ▁greater- ▁organic- ▁yet- ▁events- ▁along- ▁M- ▁successful- ol- ▁short- ▁2017- ▁To- ▁announced- ▁con- est- h- ter- ▁morning- ▁note- ▁sell- ▁discuss- ▁find- ▁Europe- ne- te- ▁started- ▁brands- ▁allow- ▁returns- ▁transition- ▁case- ▁particular- ▁track- ▁front- ▁achieve- ▁talking- ▁become- ▁manage- ▁similar- ▁decision- ▁oil- im- ▁international- ▁infrastructure- ▁health- ▁momentum- ▁providing- ized- ▁Okay- ▁recently- ies- ▁completed- ▁job- ▁press- ▁direct- ▁economic- ▁Re- ▁book- ▁shift- ▁associated- ▁improvements- ce- ▁try- ▁discussed- ▁guess- ity- ▁activities- '2'- ▁play- ▁report- ▁impacted- ▁size- ▁everyone- ▁previously- ▁systems- ▁2018- ig- ▁confidence- ▁anticipate- ▁pressure- ▁offering- ▁6- ▁remarks- ▁effect- ▁reduction- G- ▁issues- um- ▁integration- ▁offer- ▁reason- lo- ▁lines- ▁too- ▁partner- ▁stock- ▁launch- ▁board- ▁Before- ▁meet- ▁O- ▁used- ▁positioned- ▁cycle- ▁delivering- ▁investors- ▁energy- ▁website- ▁equity- ated- ▁incremental- ▁against- ▁segments- ▁subject- ck- ▁rest- age- ▁2016- ▁teams- ▁items- ▁slightly- ▁local- ▁percentage- ▁quickly- ▁guys- ▁power- ▁multiple- ▁money- ▁near- ▁L- ▁single- ▁Slide- ge- ▁contracts- de- ▁beyond- ▁adjusted- ▁target- ▁actions- ▁co- ▁channel- x- ▁leadership- ▁selling- ▁equipment- ▁develop- ▁clearly- ▁especially- B- ▁possible- ating- ▁address- ▁unique- ▁generate- ▁spending- ▁relative- '%'- ▁using- ▁answer- year- ting- ▁annual- ▁remind- ▁comment- ▁date- ▁dis- ▁general- ▁once- ▁maintain- ▁serve- ▁combination- ▁without- ▁st- ▁facility- ▁manufacturing- F- w- ▁execute- ▁complete- ▁means- ▁client- ▁hand- ▁employees- ▁either- ▁resources- ▁design- ▁One- ▁free- ▁comes- ▁issue- ▁ensure- ▁attractive- ▁show- ▁reflect- ▁included- ▁taken- ▁content- ▁challenges- ▁online- ▁loan- ▁details- ▁type- ▁final- ▁month- ant- ▁v- end- ▁various- ally- ▁investing- ▁regarding- ▁leading- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁public- id- ▁whole- ▁pre- ▁moment- ▁meaningful- ▁t- ▁situation- ▁All- ▁comp- ▁wanted- ▁step- us- ▁happen- ▁chain- ▁New- ▁clinical- V- ▁thinking- ▁forecast- tion- z- ▁productivity- ▁he- ▁corporate- na- co- ▁d- ▁solution- ▁relationships- ru- ▁regulatory- ▁stronger- ▁thought- ▁largest- ▁committed- ir- ▁goal- ▁enhance- ▁government- ▁sale- ▁marketplace- ▁discussion- ization- ▁profitable- ▁deals- ▁relatively- ▁cloud- ▁delivered- ▁First- ▁portion- ▁H- ut- ▁hope- ▁anticipated- ta- '3'- lu- ▁favorable- ▁season- ▁lead- ▁savings- ▁likely- ▁EBITDA- un- ▁entire- ▁When- ▁respect- ▁provided- GAAP- ▁Well- ▁prepared- ▁least- ▁bottom- ▁consumers- ▁underlying- ▁highly- ▁transformation- ▁normal- ▁operate- ▁Can- ▁category- ▁delivery- ▁bank- ▁flat- ▁days- ad- ▁flexibility- ▁combined- ▁dividend- ▁Let- ▁experienced- line- ▁ways- ▁closing- ma- ▁account- ▁purchase- ▁built- '4'- ▁majority- nt- ▁week- ▁slide- ance- ver- ▁orders- ▁critical- ▁agreement- ▁gives- ▁gain- am- ure- ▁challenging- ▁expanding- ▁though- ▁efficient- ▁ratio- ▁commitment- ▁haven- ▁effective- ▁came- ▁accelerate- ▁generation- ▁home- ▁initial- ▁upon- ▁generally- ▁am- ▁quarterly- ▁test- ▁buy- ▁doesn- ▁required- ▁strategies- ia- ct- ▁competitors- ▁currency- ▁ramp- ▁During- ▁pro- vi- ▁region- ▁country- ▁everything- ine- ti- ▁decrease- ▁K- ▁largely- ▁12- ▁stay- ▁St- ▁facilities- ▁active- ▁competition- ▁loss- ▁pace- ▁Do- ▁patient- ▁profile- ize- rs- ▁unit- ▁behind- ▁extremely- ▁provides- ▁smaller- ▁million- ▁enough- ▁property- ▁ourselves- ▁enterprise- ▁mid- ▁enable- over- ▁relationship- ▁weeks- ▁ever- ▁stable- ▁office- ▁sector- ▁Please- ▁allows- ▁premium- ▁following- ac- ▁sustainable- ted- ▁planning- ▁fair- tra- ▁win- ▁categories- ▁reported- ▁trade- ▁happy- ▁software- ▁specifically- ▁effort- '0'- ▁recovery- ▁away- ▁sub- ph- ▁field- ▁internal- ▁contribution- ci- ▁assumptions- ▁includes- ▁traditional- ▁his- ▁speak- ▁reach- ▁reduced- ▁running- ▁rather- me- ▁loans- ▁life- ▁achieved- ▁individual- ▁center- mi- ho- ▁accounts- ▁technologies- ▁transactions- ▁wondering- ▁exactly- ▁GAAP- tic- ▁state- ▁follow- ▁metrics- ▁J- ▁h- ▁obligation- K- ▁assume- ▁present- po- ▁meeting- ▁natural- ▁factor- ▁offerings- ▁above- and- ness- ▁Co- ▁faster- sh- ▁appropriate- ial- em- ▁applications- ▁mobile- ▁units- ▁added- ▁di- ▁won- ▁efficiencies- ▁weather- U- ▁received- ▁safety- ▁10- ▁private- ▁basically- ▁exciting- ▁estate- ▁Ma- ▁double- izing- ▁study- ▁directly- ▁consider- ▁partially- ▁reflects- ▁tend- ▁channels- ▁V- ▁seems- ▁changed- ▁industrial- ▁parts- ▁discussions- N- ▁insurance- ▁developing- ▁outside- ▁accounting- ▁footprint- ▁shareholder- ▁Thanks- ▁statement- ▁plant- ▁restructuring- ▁took- ▁8- ▁highlight- ab- ▁changing- ▁labor- ▁response- out- ▁completion- ▁substantial- ▁De- ▁firm- ▁makes- ▁capability- ▁joining- ▁form- ical- ▁January- ▁approval- op- ▁traffic- ▁expectation- ▁reasons- ▁integrated- ▁mind- ▁cover- ▁Asia- ▁robust- per- ▁opening- ▁despite- ▁fund- ▁adding- ▁December- ens- ▁drivers- ▁creating- ▁decisions- ▁healthy- ▁force- ▁refer- ▁fuel- ▁processes- ▁options- ty- ▁He- ▁land- ▁No- ha- ▁happening- ▁gains- based- ▁managing- ▁disconnect- ▁fleet- ▁found- ▁w- ▁therefore- he- ▁W- ▁late- pe- ▁potentially- ▁typically- ▁direction- ▁predict- ▁backlog- ▁community- ▁engagement- ▁Just- is- ▁ultimately- ▁yield- ▁driver- ▁main- ▁advertising- ▁executing- ▁primary- ▁platforms- bi- ▁almost- ▁ex- ▁conversion- ▁phase- ▁light- ▁understanding- ▁optimistic- ▁nature- side- ▁mo- ▁idea- ▁exchange- ▁20- ▁planned- di- ▁filings- ▁saying- ▁security- ld- ▁comfortable- ▁bringing- ▁fall- ▁historical- ▁effectively- ▁foundation- ▁necessary- ▁goes- ▁please- ▁never- ▁putting- ▁excellent- ▁needed- ▁2019- ▁visibility- ▁proud- com- ▁ask- ▁highlights- om- ▁tremendous- ▁countries- ▁limited- ub- ▁disciplined- ▁slow- ▁liquidity- ▁losses- ▁pass- ▁broad- ▁else- ▁How- ▁special- ▁standpoint- ▁encouraged- ▁cases- con- ▁7- ▁food- land- time- ▁bigger- ▁lease- ous- ▁difference- ors- ▁comparable- ▁recognize- fi- ▁funding- ▁June- ▁launched- ▁times- ▁targets- ▁volatility- ▁September- ▁extent- ▁March- ▁standard- ie- ▁financing- ▁path- ▁expanded- ▁read- ▁ma- ▁role- ▁maintenance- ▁broader- ▁remaining- ▁capture- ence- ▁utilization- ▁franchise- ▁g- ▁members- iv- ▁operation- ▁sold- ▁detailed- ▁partnership- v- ▁fee- ▁hold- ▁regions- ▁types- ▁Because- ag- ning- ▁fixed- ight- ▁represent- ▁budget- ▁intend- ▁reducing- pi- ▁although- ▁proposition- ▁ready- ▁others- ard- ▁approximately- ▁exposure- ▁focusing- ot- ▁Some- ▁economy- ▁research- ▁optimize- ▁safe- ▁stand- ▁acquired- ▁remainder- ▁appreciate- ▁Turning- ator- ▁produce- ▁locations- ▁CapEx- ▁dollars- ▁properties- ▁media- ▁9- ▁reflected- ▁bo- ▁fees- ▁below- ▁finally- ▁pull- ▁allocation- ▁2015- ▁interesting- ▁water- ng- ▁fit- ▁biggest- ▁nice- ▁fairly- ca- ke- ▁went- ▁event- ▁tools- ▁highest- ▁perhaps- ▁treatment- ▁successfully- ary- ▁stage- ric- ▁hit- ▁inflation- ▁domestic- ▁live- ▁closely- ▁po- ▁summary- ▁engine- ▁Looking- ▁led- H- ▁history- ▁requirements- ▁Good- ▁buying- lic- ▁national- ▁increasingly- ▁legacy- ▁car- ▁necessarily- ▁Finally- ▁ro- ring- ▁commodity- ▁schedule- we- ▁outstanding- ▁attention- ▁somewhat- ▁reporting- ▁shows- ▁game- ▁soon- ▁deep- va- ling- ▁giving- ▁simply- ▁priority- ▁Brazil- ▁policy- ▁strengthen- ▁everybody- ▁pick- ist- ▁talent- ping- ▁trial- ian- ▁mainly- ▁European- ▁goals- ▁evaluate- ▁takes- ▁drug- go- ▁convert- ▁Al- ▁regard- ▁expertise- ▁name- ▁maintaining- ▁ch- ▁en- ▁flows- ▁list- ▁respond- ▁closed- ▁correct- ▁component- ▁itself- ▁paid- ▁prospects- ▁Ca- ▁dollar- bo- ▁innovative- ▁license- ▁implementation- ▁gross- ▁drilling- ▁discipline- ▁expecting- ▁steps- ▁n- ▁Mi- ▁Canada- ▁room- mb- ▁Although- ▁priorities- ▁piece- ▁initiative- ▁developed- ▁leader- ow- ▁yes- ▁mortgage- ▁professional- ▁testing- ▁adoption- ▁compensation- ▁historically- ▁10-- one- ▁definitely- ▁2017.- der- ▁matter- nd- for- ▁table- ▁funds- bu- ex- ▁advance- ▁attract- ▁periods- ▁Ro- ▁Also- ▁October- ▁April- ▁speed- ▁vertical- ▁challenge- rm- ▁rent- ▁created- ▁realize- ▁shares- ▁occur- ▁perform- ▁contain- ▁learning- ▁true- 'no'- ▁happened- ▁touch- ▁multi- ▁drop- ▁undertake- ▁pursue- ▁operator- ▁app- ative- ▁foreign- ▁payments- hi- ▁card- '00'- od- ▁centers- ite- ▁targeted- ▁site- ▁'17- ▁culture- ▁Are- ▁context- ▁importantly- ▁Ex- ▁actively- ▁analysis- ▁described- ▁Given- ip- ▁application- ▁worked- ▁presence- ▁aggressive- ▁deployment- ▁post- ▁resulted- ▁SEC- ▁payment- ▁medical- ▁compete- ▁announcement- ▁resulting- ▁reconciliation- ake- ▁conclude- ▁steady- ner- ▁East- way- ▁action- ▁complex- ▁geographic- ▁affect- ▁July- ▁ra- ction- ▁Investor- ▁count- ▁remember- ▁summer- ▁helping- ▁training- ▁nothing- ▁stream- ▁middle- ▁generated- ▁huge- ▁break- ▁involve- ▁designed- ▁noted- ap- ▁relates- ok- ▁tough- ▁upside- ability- 'off'- ▁seasonal- ten- ▁modest- ▁La- ▁joint- ▁coverage- os- ▁technical- ▁participation- ▁becoming- ▁dynamics- ped- ▁players- ▁30- ▁Day- ▁retailers- ▁emerging- ▁holiday- ▁synergies- ▁South- ish- ▁deposit- ▁measure- ▁2018.- ▁among- ▁dynamic- ▁regional- ▁invested- ▁push- ▁Additionally- ▁trading- ▁heard- ▁implemented- ▁leveraging- ▁discount- und- ▁May- ably- ▁story- ▁gone- log- ▁advanced- ▁choice- ▁exit- ▁America- ▁'18- ▁positions- ward- ber- ▁road- ▁upgrade- ified- ▁capitalize- ▁walk- ▁Mar- ▁relevant- ▁affected- ▁Pa- ▁Over- ▁Con- ▁i- ▁recognized- ▁materials- ries- ▁variety- ▁often- ▁independent- ▁Securities- ▁reminder- ▁reasonable- ▁managed- ▁commission- ▁November- ▁Overall- ▁helpful- ▁transform- ▁moved- ▁otherwise- ▁providers- ▁Services- ▁India- ▁imp- ▁sh- ▁adjustments- ▁models- ▁division- mer- ▁ground- ▁Second- ▁fast- ▁wide- ▁news- ▁demonstrate- ▁enhanced- ff- ▁must- ▁issued- ▁retain- ▁objectives- ▁generating- ▁face- ▁recover- ick- ▁My- ▁closer- ▁effects- ▁communities- ▁function- ible- ▁source- ▁vision- ▁reflecting- ▁renewal- ▁campaign- ▁chart- ▁common- ▁February- ▁charge- ▁hear- ▁reference- ▁headwinds- ▁decided- ▁absolutely- ▁banking- ▁excess- ▁easier- ▁performing- ▁California- ▁seem- ster- ▁identified- ▁reductions- ▁represents- ▁began- ▁movement- ▁uncertainty- ron- ▁analytics- ▁Pro- ▁extend- ▁se- act- by- ▁roll- ▁ship- ▁banks- vo- ▁18- ▁essentially- ging- ▁York- ▁recognition- ▁protect- ▁investor- ▁evidence- ▁suggest- ▁looks- day- ▁happens- X- ▁identify- ▁incentive- ▁finance- ▁Be- ▁subscription- ▁interested- ▁developments- ▁bookings- gen- ▁cannot- ec- ▁class- all- ▁Se- ual- ▁looked- ▁sites- ▁turning- ▁users- ▁impacts- ▁stated- ▁require- market- ▁estimate- ▁established- ▁outcomes- ▁external- ions- ▁Di- '5'- ▁population- ▁underwriting- ▁easy- ▁consolidation- ▁maximize- ▁repurchase- ▁head- ▁carry- ▁truck- ▁problem- ▁left- qui- ▁consistently- ▁figure- ▁provider- ▁venture- ▁helped- ▁compelling- ▁Commission- ▁paying- ▁conservative- ▁Te- ▁components- nce- ▁spot- ▁partnerships- ▁aware- ▁mark- ▁bar- ▁penetration- ▁Mexico- be- port- ▁projections- ▁Moving- ach- ue- ▁engineering- ▁allowed- Q- ▁operators- ▁shown- ▁agreements- ▁achieving- less- ▁Vi- ▁law- ▁indicated- ▁raw- ▁ba- ice- ▁presented- ton- ▁West- ▁deploy- ▁An- ▁rapidly- ▁wins- ▁brought- ▁thoughts- ▁outcome- vis- ▁reform- ▁mention- ▁video- ▁demonstrated- ▁Wa- ▁folks- ▁separate- ▁collection- ▁August- ▁smart- ▁limit- ▁encouraging- ▁machine- ▁prudent- ▁differentiated- ▁toward- ▁auto- ▁sequential- ▁disease- ▁degree- par- ▁filed- ▁receive- ▁option- gra- ▁recorded- ▁exceptional- ▁grew- ities- ▁frankly- ▁tight- ▁valuation- ▁section- ea- ▁Mo- ft- digit- ▁ones- wa- ▁calls- ▁seasonality- ▁trust- ▁supported- ▁evolve- ▁considered- ▁plants- ▁finding- ▁accelerated- ▁showing- ▁From- ▁objective- ▁federal- ▁personal- ▁quick- ▁substantially- ▁devices- ▁senior- ▁John- ful- ▁met- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁suppliers- do- ▁curious- ▁remained- ▁concludes- ▁Form- ▁fill- du- ▁realized- ▁confirm- ▁retention- ▁staff- ▁Those- ▁explain- ▁elements- ▁Group- ▁Of- ill- ▁involved- ▁enter- ▁dedicated- commerce- ▁estimates- amp- ▁securities- ▁Le- ▁inter- ▁contributed- ▁positioning- ▁promotional- ▁felt- ▁Me- ▁Australia- ▁consolidated- ▁benefited- ▁comprehensive- ▁acquire- ▁o- ▁repeat- ▁rep- ▁Today- ▁legal- ▁contribute- ▁rental- ▁leasing- ▁Sp- ▁specialty- ▁claims- ▁feedback- ▁leaders- ▁Chinese- ▁utilize- ▁truly- ▁shared- fe- ▁supporting- ba- ▁visit- ▁15- ▁taxes- ▁Exchange- ▁excellence- ify- ▁original- ▁residential- ▁stuff- ▁traction- fa- ▁participate- ▁raise- ▁signed- ▁refine- ▁provision- ▁decade- ▁nearly- ▁establish- ▁Mike- ▁spread- ▁belief- ▁hospital- ▁wholesale- related- ▁mine- cor- ▁merger- ▁aggressively- ▁cross- ▁themselves- ▁variable- ▁proven- ▁projected- ▁deposits- ▁whatever- ▁apply- ▁implement- ▁package- ▁availability- ▁2016,- ▁automotive- ▁Again- ▁simple- ▁lending- ▁gave- ▁Ho- ▁macro- ▁shop- fer- ▁allowing- ni- ▁vehicle- ay- ▁location- ▁Page- ▁By- ▁conclusion- ▁ho- que- ▁skill- ▁social- ▁Su- W- ▁worth- ▁commentary- ▁afternoon- ▁recurring- ▁digits- ▁Li- ▁studies- ▁holding- ▁cautious- ▁Market- ▁introduction- ▁updated- ▁Lo- ▁held- ▁optimization- ier- ▁Texas- ▁stages- ▁deferred- ▁concept- ▁conversations- ▁cut- ▁creation- ulation- ▁adjust- ▁economics- ▁engaged- ▁picture- ▁features- ▁speaking- ▁page- ▁Obviously- ▁Any- ▁collaboration- ▁assess- ▁transportation- ▁processing- ▁welcome- ▁posted- ▁IT- ▁journey- man- ▁structural- ▁declines- ▁overview- ▁En- ▁known- ▁completely- tain- ▁internally- ▁hire- ga- ▁constant- air- ▁reserve- ▁strengthening- ▁export- ▁efficiently- ▁mostly- ▁Car- ▁mitigate- ▁Bank- ▁indication- che- oc- ▁disruption- ▁gentlemen- ep- ▁fundamentals- ▁connect- ▁practices- ▁lost- ▁hedge- ▁participating- ▁match- ▁accelerating- ▁user- ▁secure- ound- lin- serv- ger- ▁shipments- ▁Ar- ▁manner- ▁Ne- ak- ▁bio- ▁slower- ▁gr- ▁forth- ency- ▁exclude- ▁performed- ▁clean- ▁sometimes- ▁curve- ▁expressed- ▁recall- ▁minutes- ▁alternative- ▁sources- ▁advise- ▁11- ▁calendar- io- ▁After- ▁log- ▁frame- ▁keeping- ▁consideration- ▁states- ▁mis- ▁guarantee- ▁globally- ▁behavior- ▁draw- ▁evaluating- rg- ▁superior- ▁valuable- ▁dividends- ud- ▁announce- ▁Ac- ▁called- ▁compare- ▁subsequent- ▁executive- ath- ▁signs- ▁peers- ▁resource- ▁Financial- ▁weak- ▁comparison- ▁exist- ▁sp- ▁trans- ▁aim- ▁introduced- ▁awareness- ▁launches- ▁storage- ▁notice- ▁housing- ▁weakness- ▁compliance- ▁monitor- store- ▁hopefully- ▁encourage- ▁knowledge- ▁however- ▁element- ▁brief- ▁upcoming- ▁align- ▁bid- ▁extended- ang- ▁adopt- ▁finish- ▁contained- the- ▁Po- comp- ▁modern- av- ▁engage- ▁parties- ▁sharing- ▁pursuing- ▁strongly- ▁wait- ▁old- ▁rig- ned- Y- ▁peak- ▁cell- ▁gap- ▁connection- ▁Not- ▁slides- ▁transfer- ▁acceleration- ▁commitments- ▁plus- ▁Ra- ▁proceeds- ▁Could- ▁helps- ▁'19- ▁travel- ▁sustain- ▁evolution- ▁Management- ▁2019.- ▁reinvest- ▁'16- ▁stability- ▁American- ▁broadly- ▁regular- ▁Based- ▁enjoy- ▁Ba- ▁fl- ▁foot- ▁vehicles- ▁charges- ▁diversified- ▁pressures- ▁standards- ▁opposed- ▁meaning- ▁document- ▁medium- ▁block- ▁Actual- ▁highlighted- ▁disclosure- ▁te- ▁contributions- ▁considering- ▁shipping- ▁asked- ▁concluded- AR- ▁setting- ev- ▁implementing- ▁stop- ▁sign- ▁enhancing- ▁circumstances- ▁executed- ▁message- ▁bad- ▁scenario- ▁Since- ▁audience- ▁device- ▁topic- ▁inside- ▁balanced- ▁geographies- ▁sufficient- ▁50- ▁offers- ▁ad- ▁Jo- ▁sit- ▁shape- ▁wells- ▁shopping- ▁moderate- ▁Ad- ▁ended- ▁Bo- ▁item- ▁pilot- ▁thanks- ▁discussing- ▁publicly- ▁custom- king- ▁targeting- ▁profits- ▁concerned- ▁rising- ▁Act- ▁insight- ▁roughly- ▁landscape- pro- back- ee- ▁slight- ification- ▁words- ▁seek- ▁integrate- ever- ▁influence- ▁mission- ane- ▁settlement- ▁managers- ▁industries- ▁aspects- ▁extension- ▁Steve- ▁fundamental- ▁translate- ▁mining- ▁sc- ory- ▁becomes- '6'- ▁matters- ▁approved- ▁automation- ▁ownership- ▁heavy- ▁winter- cel- net- ▁Most- ▁aircraft- ris- ▁rating- ▁leave- ▁chance- ▁replace- ▁central- ▁Africa- ▁enables- ▁aligned- ▁j- ▁electric- ▁negatively- ▁education- ▁assuming- ▁assist- ▁winning- ▁physicians- ▁Z- ▁caution- ▁evolving- ▁check- ome- ▁enabling- au- ix- ▁intention- ▁Energy- ▁drove- ▁Despite- ▁wind- ▁begun- ▁drill- ▁physical- ▁cap- ▁conduct- ▁reserves- load- ▁reports- ▁rise- ▁bond- ▁practice- ran- ▁importance- ▁places- ▁continuous- ▁Mark- ▁family- ▁Sa- ▁Internet- ▁typical- ▁Ha- ▁achievement- ▁Then- ▁Germany- ▁trajectory- ▁opened- ▁Ve- ▁Product- ▁react- ▁mature- wi- ▁lack- ▁learn- ▁employee- ▁attribute- ▁Com- ▁wage- ▁method- ▁spring- ▁act- ▁adjustment- ▁tra- ▁Ga- class- ▁reality- ▁label- ▁load- ▁rolling- ▁prove- sis- ▁Florida- '8'- ▁deeper- ▁qu- ▁handle- ▁strategically- ▁10%- ▁phone- ▁surge- ▁works- ▁Solutions- ▁implied- ▁two- iti- ▁origination- of- ▁rigs- ▁inventories- ▁consecutive- ▁loyalty- ▁connected- ▁floor- ▁love- ▁sustained- ▁lift- ▁electronic- ▁sounds- gan- ▁opportunistic- ctor- ▁Latin- ▁determine- ▁utility- ▁organizations- ▁box- ▁caused- ▁delay- ib- ▁steel- ▁flexible- ▁assortment- ▁search- fin- ▁fashion- ▁gets- ▁Great- ▁13- CO- ▁enabled- ▁replacement- pa- ▁agencies- ▁examples- ▁Both- ler- ▁underway- ▁owners- ▁rapid- ▁hearing- ▁k- ▁reached- ▁David- ▁pieces- ▁receivable- mission- ▁occupancy- ▁yields- ▁tool- ▁extra- ▁heavily- ▁outlined- da- ▁protection- ▁More- ▁her- uch- ▁experiencing- ▁vast- ▁restaurant- ▁absolute- ▁excluding- ▁diversification- tle- if- ▁stakeholders- ▁broker- ▁Pri- ▁starts- ▁thus- ▁spoke- ship- ▁gotten- ▁OEM- ▁therapy- ▁clarity- ▁Last- ▁unusual- ▁desire- ▁replay- ▁train- board- ▁request- gi- ▁North- ile- ▁adapt- ▁International- ▁reimbursement- ▁dramatically- '7'- ▁2020- ▁extensive- ▁latest- ▁selective- ▁logistics- ▁purpose- ▁watch- ▁depend- ▁spec- ▁yesterday- ▁leases- ▁groups- ▁Comp- ▁consumption- ▁Even- val- ▁regards- ▁weaker- cy- ▁guide- ▁eye- ▁views- her- ▁entered- ▁Ladies- ▁14- ▁financials- ▁soft- ▁Capital- ▁she- ▁depreciation- ▁asking- ▁li- ▁choose- ▁wish- ▁exceeded- ▁Sure- j- ▁assessment- ▁introduce- ▁daily- ▁print- ▁figures- ▁restaurants- ▁impacting- AS- ▁City- ▁permit- ▁imagine- ack- ▁Middle- ▁sectors- ▁carefully- ▁trials- ▁hiring- ▁usage- ium- ▁provisions- ▁problems- ▁contributor- quality- ▁occurred- ▁reward- ▁liquid- ▁declined- ▁Tom- ▁producing- ▁proportion- ▁contributing- ▁depends- ▁framework- ▁guests- down- ▁networks- ▁State- ▁X- cent- ▁rail- ▁expenditures- ▁Coast- ▁diversify- ▁agency- ▁System- ▁downturn- ▁productive- ▁attributable- ase- ▁Western- ▁freight- ▁App- ▁Another- ▁closure- ▁hotel- ▁ca- ▁unless- ▁lag- ▁temporary- ▁cycles- ▁treat- ▁insights- ▁format- ▁series- ▁immediately- ▁inform- ▁returning- ▁scope- ▁brings- ▁originally- ▁Have- ▁updates- ▁coal- ▁complexity- ▁sequentially- ▁collect- ▁ensuring- ▁Other- ▁gaining- use- ▁powerful- ▁serving- led- ▁communication- ▁grown- ▁requires- ▁select- ▁condition- ▁metric- ▁supplier- '9'- ▁usually- uck- ▁exceed- ▁import- ology- ▁diverse- ▁Chris- ▁rules- stream- ▁cancer- ▁r- ▁launching- ▁webcast- ▁et- ▁shortly- ▁farm- ▁concern- ▁him- ▁ten- ▁political- ▁Chief- ▁attending- ▁accomplish- ▁hundred- ▁human- ▁Officer- ▁tri- ▁paper- ▁followed- ▁allocate- ide- ▁department- ▁pain- ▁map- ▁ecosystem- vent- ▁distributors- ▁90- ▁emphasize- ▁usual- ▁bill- cept- row- ▁host- ▁revise- ▁laid- ▁learned- ▁strongest- ▁reliability- ▁promise- ▁perfect- ▁elevated- ▁busy- ▁satisfaction- ▁optimizing- ▁Next- ▁briefly- ▁Jim- ▁subscriber- ▁monitoring- ▁hurricane- ▁coupled- ▁numerous- ▁manufacturers- ▁express- ▁Business- ▁switch- ▁environmental- rate- ny- ▁duration- ▁carriers- ▁proprietary- ▁repair- ▁earn- ▁Wi- ▁installation- ▁alternatives- ▁scheduled- ▁advantages- ▁tenants- ▁20%- ▁produced- ▁exclusive- ▁Health- ▁decide- ▁harbor- ▁addressing- ▁fewer- ▁initially- ▁Air- ▁broaden- ▁rational- ▁suite- lay- ▁summarize- ▁file- ▁solve- ▁pension- ▁installed- ▁waiting- ▁exercise- ▁gen- ▁Ta- ▁merchandise- ▁adverse- ▁leads- ▁facing- ▁vendors- ▁instrument- ▁hardware- ▁Hav- ▁grade- ▁minimum- party- ▁except- ▁appeal- ▁reiterate- ▁indications- ▁par- ▁dependent- ▁associates- ▁institutional- through- ▁hours- ▁deployed- ▁San- ▁metal- ▁tariffs- ▁mill- ▁declining- ▁dealers- ▁indicate- ney- ▁careful- ▁dedication- ▁input- ▁decreased- ▁100- ▁milestones- ▁President- ▁differences- ▁16- ▁showed- ▁Am- ▁competitor- ▁agents- ▁Global- ▁intended- ▁emphasis- ▁stick- ▁Y- ▁5%- ▁cl- ▁lean- ▁immediate- low- ▁Through- ▁magnitude- ▁supplemental- ▁cetera- ▁feeling- ▁positively- ▁secured- ▁hotels- point- ▁ramping- ▁buyers- ▁mode- ▁contact- ious- ▁normalized- ▁pool- ▁rec- ▁enhancements- ▁accretive- ▁accurate- ▁personnel- ▁Ch- ▁constantly- ▁policies- ▁hospitals- ▁sound- ▁concerns- mark- ▁negotiations- ▁conversation- ▁covered- ▁bought- ▁awards- ▁differentiate- ▁frac- ▁eliminate- ▁lowest- ▁lo- ▁super- ▁administration- ▁nicely- ▁dealer- ▁Power- ▁Many- ▁quantify- ▁delays- ▁somebody- ▁France- ▁length- ▁turnaround- ▁door- ▁normally- ▁packaging- ▁screen- ▁deliveries- ▁proposal- ▁cars- ▁wireless- ▁pure- ▁signal- ▁purchasing- ▁okay- ▁homes- ▁40- ▁aspect- ▁useful- ▁outperform- ▁agree- ▁playing- ▁maintained- ▁shifting- ▁incorporate- ▁laws- ▁incredibly- ▁favor- ▁merchant- ▁surprise- ugh- ▁headwind- ▁Therefore- ▁billing- ▁player- ▁instead- ▁intelligence- ai- ▁demonstrates- ▁volatile- ▁assumption- ▁liability- den- ▁expensive- ▁Tra- ▁Mon- ▁delayed- ▁organizational- ▁sand- ▁defined- ▁fiber- ▁fresh- ▁amortization- wood- ▁hoping- ▁science- ▁progressing- ▁enrollment- ▁shut- ▁possibility- ▁feature- ▁describe- 5%- ▁relating- ▁possibly- ▁Op- ▁finished- ▁fruit- ▁released- ▁tracking- ▁Life- ▁status- ▁vary- ▁benefiting- ▁arrangement- ▁placed- ▁Rob- ▁Pacific- ▁principle- ▁students- ▁migration- ▁appear- ▁50%- ▁catch- ▁tried- ▁house- ▁display- ▁tied- ▁Third- ▁reinforce- app- ▁breadth- ▁Part- ▁lives- ▁storm- ▁lay- than- ▁green- ▁communications- 0,000- wide- ▁slowdown- ▁determined- ▁mechanism- ▁evaluation- ▁crude- ▁functions- ▁simplify- ▁Tim- ▁Consumer- ▁licensing- ▁person- ▁avoid- ▁preferred- ▁supplement- ▁sourcing- ▁Once- ▁milestone- ▁formula- ▁disclaim- ▁depth- ▁turned- ▁organically- ▁embedded- ▁explore- ▁instance- ▁obtain- ▁completing- ▁wrap- ▁buyback- ▁pump- ▁Going- ists- ▁Right- ▁Home- ▁updating- ▁kick- ▁surprised- ▁afford- ▁responsible- ▁incurred- ▁sharp- ▁integrating- ▁rolled- ▁filing- quarter- qua- ▁60- ▁Cha- ▁opinion- ▁promotions- ▁indicators- ▁pushing- ▁intent- ame- ▁impressive- ▁bulk- pac- ▁heart- ▁exploration- field- ▁branch- ▁fire- ▁spreads- ▁fix- ▁criteria- ▁drag- ▁Maybe- ox- house- ▁basic- ▁lose- ▁exact- ▁aggregate- date- leading- ▁concerning- ▁accomplished- ▁17- ▁pattern- ▁renewable- ▁feed- ▁dealing- ▁Houston- ▁promote- ▁divisions- ▁percent- ▁gold- ▁regulations- MS- ▁patent- ▁split- ▁differently- ▁Americas- ▁patterns- ▁school- ▁terminal- istic- ▁weighted- ▁spectrum- ▁sponsor- ▁FX- ▁unchanged- ▁expert- ▁0- ▁seeking- ▁member- ▁comparisons- ▁unfavorable- ▁churn- ▁absorb- ▁combine- ▁overhead- matic- ▁creative- ▁join- ▁serious- ▁lock- ▁formal- ▁stress- ▁participants- ▁guest- ▁Jeff- ▁transparency- ▁cat- ▁reliable- ▁estimated- ▁via- ▁purposes- ▁acquiring- ▁appears- ju- ▁calculation- ▁inherent- ▁institutions- ▁analysts- ▁offshore- ▁unlock- ▁elect- ▁located- ▁resolution- ▁minimal- ▁Dan- ▁relation- ▁easily- ▁softness- ral- ▁entering- ▁dose- ▁gather- ▁op- ▁rely- ▁Commercial- ▁square- ▁plenty- ▁impairment- ▁FDA- ▁Sea- ▁CEO- ▁functionality- ▁revised- ▁monthly- ER- ▁disclosed- ▁analyze- ▁raising- ▁sustainability- ▁Importantly- ▁Tri- ▁written- work- ▁Where- ▁someone- ▁port- ▁complement- ▁Trans- ▁entirely- ▁Phase- ▁Industrial- ▁micro- ▁minute- like- ▁thoughtful- ▁fluctuation- ▁partly- RA- ▁considerable- ▁diversity- ▁smooth- ▁persist- ▁prepare- ▁producers- ▁19- ▁AS- ▁reverse- ▁stabilize- ▁fine- ▁eventually- ▁ran- ▁save- ism- ▁Customer- ▁airline- ▁effectiveness- ▁colleagues- ▁self- ▁Pe- ▁realization- ▁administrative- ▁maturity- ▁doubt- ▁tenant- ▁introducing- ▁regulators- ▁straight- ax- ▁recruit- ▁wonder- ▁mass- ▁solar- ▁rollout- ▁Uni- ▁Cor- ▁remove- TA- ▁exception- ▁capable- ▁frequency- ▁borrowing- ▁acreage- ▁architecture- ▁rule- ▁Bill- ▁th- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁knew- ▁published- ▁Man- ▁Hu- ▁election- ▁talented- ▁according- PA- ▁proposed- ▁distinct- ▁consulting- ▁retailer- ▁globe- ▁Under- ▁tighten- ▁refinancing- ▁Pu- ▁thousands- ▁consequence- ▁interaction- ▁Inter- state- ▁seasonally- ▁communicate- ▁park- ▁Matt- ▁characterize- ▁dramatic- ▁write- ▁man- ▁promotion- ▁Private- ▁indicator- ▁3%- forward- ▁Amazon- ▁incredible- ▁older- ▁anybody- ▁deploying- ▁permanent- ▁clinic- ▁servicing- ▁wonderful- ▁Following- ▁TV- ▁owned- ▁Scott- ▁nor- ▁Russia- ▁connectivity- ▁comfort- ▁dialogue- ▁install- ▁concentration- ▁seamless- ▁Michael- ▁demonstrating- ▁warrant- ▁entry- ▁EPS- ▁reflection- ▁legislation- ▁gear- ▁accordance- ▁backdrop- ▁latter- RO- ▁levers- ▁differentiation- ▁minor- ▁damage- ▁Certain- ▁preparing- ▁interact- ▁emerge- IC- ▁engaging- ▁Col- ▁route- ▁retirement- ▁upper- ▁prevent- ▁70- ▁headcount- ▁hybrid- ▁litigation- ▁2%- ▁Permian- ▁utilizing- ▁assure- chi- ▁candidates- ▁narrow- ▁utilities- ker- ▁continuously- ▁meaningfully- ▁layer- ▁National- AN- ▁facilitate- ▁Got- ▁respective- ▁negotiate- ▁massive- ▁referring- ▁Revenue- ▁physician- CE- performance- ▁Like- ▁Retail- ▁Dave- ▁city- ▁Reg- ▁measured- ▁Gulf- ▁menu- ▁vessels- ▁Bob- SA- ▁Every- ▁competing- ▁attend- ▁worse- ▁equal- ▁window- place- ▁commence- ▁procedures- ▁chemical- ▁applied- performing- ▁greatest- ▁distributor- ▁appropriately- ew- ▁pillar- ▁communicated- ▁adjusting- ▁branches- ▁regulation- ▁defense- ▁procurement- ▁factory- ▁offsetting- ▁cities- ▁selected- ▁uptick- ▁merchandising- ▁tail- ▁automate- ▁Central- ▁fantastic- ▁synergy- press- ▁transmission- IS- ▁selection- ▁reaching- ▁generic- ▁observe- ▁became- train- ▁payers- ▁Gra- pay- ▁purchased- ▁round- ▁challenged- ▁modestly- ▁Care- ▁calculate- ▁proactive- ▁divest- ▁relate- ▁streamline- ▁reinsurance- ▁advertisers- ▁receiving- body- ▁passion- ▁stat- AM- ▁ticket- ▁workforce- ▁4%- bra- ▁Forward- ▁vendor- ▁promising- ▁heading- ▁mu- ▁General- ▁disposition- ▁dry- ▁basin- ▁extraordinary- holder- ▁fundamentally- ▁claim- ▁liabilities- ▁Bar- ▁listening- ▁faced- ▁tender- ▁elaborate- ▁preference- ▁upward- ▁stack- ▁Mer- ▁succeed- DA- ▁Medicare- ▁wrong- ▁reset- ▁strengthened- ▁Regarding- ▁harder- ▁bunch- ▁voice- ▁living- ▁night- ▁version- ▁threat- ble- ▁continually- ▁waste- ▁illustrate- location- ▁blend- ▁renovation- ▁jump- ▁terrific- ▁Dr- cost- ▁crop- ▁regardless- ▁Operating- ▁medicine- ▁honest- ▁High- ▁edge- ▁ultimate- ▁placement- ▁disposal- ▁pivot- ▁responsibility- ▁initiated- ▁predictable- ▁shortage- ▁cadence- ▁audit- IN- ▁wave- ▁Service- ▁navigate- ene- ▁adequate- ▁extending- ▁definition- ▁sports- ▁explained- ▁Paul- ▁served- ▁north- ▁raised- 'ON'- ▁lenders- ▁index- ▁counter- ▁manager- ▁borrow- ▁grant- ▁assurance- ▁behalf- ▁upfront- ▁entertainment- fu- light- ▁beneficial- ▁hedging- ▁bridge- ▁Further- ▁rebound- ▁broadcast- ▁publish- ▁essential- ▁uniquely- stock- ▁advancing- ▁innovate- ▁warehouse- ▁sophisticated- ▁offered- ▁indeed- ▁worldwide- ▁joined- ▁women- ▁carrier- AP- ▁Hi- wise- ▁precise- ▁score- ▁Brian- MA- fo- ▁anticipating- ▁satisfied- ▁court- ▁none- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁settle- ▁comm- ▁consistency- ▁compression- ▁agenda- ▁Connect- driven- ▁continuation- ▁secondary- ▁link- ▁funded- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁Sha- ▁prefer- ▁preliminary- ▁Northern- ▁tap- ▁Va- ▁realizing- ▁AR- ▁lab- ▁efficacy- ▁anyone- ▁Factors- ▁pending- ▁Joe- ▁occurring- ▁boost- ▁rebuild- ▁gaming- ▁affecting- ▁digit- ▁panel- ▁sensor- ▁excitement- ▁30%- ▁Food- ▁beverage- ▁constraints- ▁preparation- ▁bundle- month- ▁Each- ▁listen- ▁equation- ▁agent- ▁allowance- ▁Per- ▁characteristics- ▁Additional- ▁earning- ▁conjunction- ▁severe- zz- ▁London- OS- ▁pushed- ▁somewhere- ▁incur- ▁nation- ▁EBIT- ▁translation- ▁25- ▁15%- ▁rid- level- ▁watching- ▁optimal- ▁hopeful- ▁obvious- ▁clarify- ▁identifying- ▁diligently- tech- ▁lap- ▁alignment- TE- ▁anywhere- ▁noise- ▁evident- ▁picking- ▁Ge- ▁ambition- ▁requirement- ▁mile- ▁divestiture- ▁optimism- ▁constitute- ▁reputation- ▁agreed- ounce- ▁staffing- ▁demographic- ▁acceptance- ▁jurisdiction- ▁frequent- ▁Rich- ▁attack- ▁sellers- ▁validate- ▁pharma- ▁intense- ▁distributed- ▁World- ▁title- ▁employ- scale- ▁1%- ▁enormous- ▁compound- how- ▁onetime- ▁6%- ▁word- generation- ▁Does- ▁define- ▁affordable- ▁aftermarket- ▁complicated- ▁families- ▁slowing- ▁disclose- ▁la- ▁signing- ▁suffer- ▁Plan- ▁spin- ▁background- ▁realign- ▁competitiveness- ▁Growth- ▁transparent- ▁alone- ▁math- ▁Gu- ▁currencies- value- ▁accomplishments- ▁stabilized- ▁Street- ▁equally- ▁Black- ▁manufacture- ▁represented- ▁benchmark- ▁contemplate- ▁variability- ▁task- ▁consolidate- ▁exceeding- ▁virtually- ▁sum- ▁Har- ▁appetite- ▁Will- ▁cable- hand- aw- ▁maximizing- ▁philosophy- ▁harvest- ▁unknown- xi- ▁fulfill- win- ▁qualified- ▁employer- ▁Center- ▁buyer- ▁Board- stone- ▁shorter- ▁satellite- ▁midpoint- channel- ▁graph- ▁linked- ▁leg- ▁deck- ▁corresponding- ▁tire- ▁renewed- J- ▁familiar- ▁zone- Z- ▁destination- ▁container- ▁Na- ▁24- ▁OpEx- ▁She- IT- ▁complementary- EX- ▁film- ▁tech- ▁interim- cycle- ▁Korea- ▁Brand- ▁bonus- ▁proceed- ▁Would- ▁classes- ▁pickup- ▁friend- ▁exploring- ▁gradually- ▁fortunate- ▁attach- ▁representative- ▁200- ▁warm- ▁collective- margin- ▁Sun- ▁burn- ▁prospective- ▁pad- ▁horizon- ▁recruiting- ▁prime- ▁addressable- ▁contractual- ▁Digital- ▁reliance- ▁bidding- ▁reaction- ▁entity- ▁Mr- ▁tangible- ade- ▁Basin- ▁appreciation- mail- ▁decent- risk- ▁personally- ▁Kevin- ▁awarded- ▁burden- ▁stabilization- ▁macroeconomic- ▁ingredient- ▁pipe- ▁Risk- ▁copy- ▁neutral- ▁student- ▁franchisees- ▁bucket- ▁inflection- ▁send- ▁guided- ▁cold- ▁covenant- ▁surface- ▁softer- ▁television- ▁measurement- ▁reasonably- ▁hub- ▁funnel- tribut- ka- ▁circ- ▁advisory- ▁occasion- ▁session- ▁sentiment- ▁constructive- ▁sensitive- ▁restrict- ▁accepted- ▁catalyst- cast- EN- ▁crew- ▁proceeding- ▁proactively- ▁adjacent- room- ▁downward- ▁amazing- ▁trigger- ▁auction- ▁revision- ▁Clearly- ▁testament- ▁language- ▁tank- ▁survey- ▁bright- ▁earned- ▁8%- ▁deliberate- ▁accordingly- ▁Chi- ▁grid- ▁arise- ▁Secondly- ▁2014- ▁diligence- ▁referred- ▁headline- premise- ▁lie- ▁mandate- ▁deepen- added- ▁diagnostic- price- ▁Pay- ▁therapeutic- ▁healthcare- ▁wider- source- ▁royalty- ▁Data- ville- ▁construct- ▁virtual- ▁acknowledge- ▁Reform- ▁renew- ▁indicative- ▁supportive- ▁module- ▁Eastern- ▁compensate- ▁consult- ▁FY- ▁underpin- ▁cyclical- ▁monetize- ▁sample- ▁applicable- ▁understood- ▁cutting- ▁attempt- ▁registration- ▁campus- ▁flavor- ▁steadily- ▁sight- ▁treated- ▁anticipation- ▁accept- ▁properly- ▁tailwind- ▁committee- ▁shelf- ▁capturing- ▁style- ▁concentrated- ▁recycling- ▁Lu- ▁deduct- ▁memory- ▁cheap- ▁REIT- ▁noncash- ▁40%- ▁urban- ▁entities- ▁Lastly- ▁programming- ridge- ▁tower- ▁visible- ▁refining- ▁billion- ▁composition- ▁Work- ▁swing- ▁letter- ▁nuclear- ▁IoT- ▁resolved- ▁announcing- ▁equivalent- town- ▁Spain- ▁Greg- ▁historic- ▁Partner- ▁heat- ▁seat- ▁kept- ▁gu- ▁economies- ▁Italy- ▁literally- ▁repositioning- ▁commit- ▁Brexit- ▁pack- ▁discontinued- ▁resilient- ▁functional- ▁tariff- ▁certainty- ▁messaging- ▁turnover- ▁Ka- ▁Ti- ▁Investment- ▁Similar- sourcing- ▁Frank- ▁satisfy- ▁artificial- ▁discovery- ▁authorities- ▁commodities- ▁prioritize- ▁south- ▁pet- ▁losing- ▁ideal- ▁territories- ▁yourself- ▁laser- ▁employment- ▁pound- ▁indirect- ▁pharmaceutical- ▁fight- ▁sorry- ▁Excluding- ▁bullish- ▁separation- ▁detect- tune- ▁redevelopment- ▁rich- ▁augment- ▁strive- ▁strict- ancy- ▁Technology- ▁payroll- ▁radio- ▁Washington- ▁flu- ▁affiliate- ▁concession- ▁predominantly- ▁reflective- ▁technological- ▁quicker- ▁amongst- ▁row- ▁Conference- ▁Southeast- ▁parent- grade- ▁differential- ▁Department- ▁attrition- ▁pause- water- ▁membership- ▁Litigation- ▁regulated- ▁personalized- ▁prescription- ▁cautionary- ▁handful- ▁tie- ▁El- ▁Carolina- ▁corner- ▁lever- ▁poor- ▁7%- ▁scheme- ▁ease- ▁sizable- ▁enroll- ▁fell- ▁carried- ▁chosen- ▁meantime- ▁hitting- ▁database- ▁Port- ▁Corporate- ▁balancing- ▁delever- ▁payout- ▁broadband- ▁official- ▁Che- ▁swap- ▁vote- ▁Water- ▁hu- ▁issuance- ▁prospect- ▁Furthermore- ▁military- ▁shrink- ility- ▁Enterprise- ▁controlling- ▁intellectual- ▁alluded- ▁endpoint- ▁carbon- ▁inject- ▁materialize- ▁Year- ▁bus- ▁Should- ivity- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁discover- ▁lumpy- ▁transport- ▁absorption- ▁semiconductor- je- ▁mutual- ▁popular- ▁audio- ▁code- ▁shipment- ▁Bio- ▁Ki- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁principal- ▁People- ▁'15- ▁LNG- ▁overcome- ▁Total- ▁manufacturer- ▁convinced- oriented- ▁scalable- ▁Hong- ▁bump- ▁hydro- ▁intensity- ▁Medical- ▁Gene- ▁disappointed- ▁copper- ▁takeaway- ▁Park- ▁Kong- ▁judgment- ▁restructure- ▁float- ▁penetrate- ▁Pi- ▁validation- ▁Direct- ▁Network- ▁Media- ▁repayment- ▁description- ▁maximum- Point- ▁output- service- ▁image- ▁household- ▁methodology- ▁Chicago- ▁spite- ▁Ken- ▁Argentina- ▁territory- ▁suit- ▁Performance- ▁CFO- ▁lend- ▁consist- ▁amendment- ▁elsewhere- ▁apparel- ▁foreseeable- ▁principally- view- ▁Information- ▁outlet- fusion- ▁aerospace- ▁relentless- ▁omni- single- ▁undu- ▁hurdle- ▁scaling- ▁rank- ▁cohort- ▁quote- ▁recap- ▁fun- ▁three- ▁throughput- ▁wire- ▁basket- ▁smartphone- ▁Cloud- ▁motor- ▁governance- brand- ▁sensitivity- ▁therapies- ▁fluid- ▁resolve- ▁Delaware- ▁Google- ▁Why- ▁art- ▁Hurricane- ▁lifetime- ▁sa- ▁observation- ▁inflationary- ▁Ju- ▁variation- ▁disruptive- ▁electricity- ▁profitably- ▁interpret- ▁barrier- ▁investigation- ▁scientific- ▁Vice- ▁constrained- ▁delighted- ▁German- ▁casual- ▁expenditure- ▁body- focused- ▁causing- ▁downstream- ▁submission- ▁Number- ▁hour- ▁refinance- ▁municipal- ▁advancement- ▁suppose- ▁gradual- ▁Everyone- ▁MA- ▁favorably- ▁comprise- ▁Due- ▁considerably- ▁securing- hold- ▁domain- ▁unfortunately- ▁vessel- ▁proof- ▁stake- ▁mobility- ▁Class- ▁listeners- ▁protocol- ▁tumor- ▁scrap- ▁shipped- ▁responsive- ▁Northeast- ▁explanation- ▁remarkable- ▁outflow- ▁accommodate- ▁mindful- ▁niche- ▁prepayment- ▁appendix- ▁Auto- ▁SaaS- ▁myself- ▁animal- ▁peer- ▁redeploy- ▁passenger- ▁Key- ▁Project- ▁battery- ▁embrace- ▁monetization- ▁ample- ▁luxury- ▁Company- spec- ▁normalize- ▁disrupt- ▁strike- ▁weekend- ▁threshold- ▁exhibit- ▁weigh- ▁combining- ▁diesel- ▁duty- ▁recommendation- ▁pharmacy- ▁temp- print- ▁enthusiasm- ▁conventional- ▁remodel- ▁subsidiaries- ▁surrounding- ▁leaving- ▁Specifically- ▁parallel- ▁chip- ▁consume- ▁compute- ▁incident- ▁movie- ▁fulfillment- ▁chose- ▁deflation- ▁consultants- ▁thorough- ▁conscious- ▁strides- ▁remote- ▁fastest- ▁relief- ▁recoveries- ▁interface- ▁enthusiastic- ▁Rico- ▁preserve- ▁Beyond- ▁Corporation- ▁airport- ▁dozen- ▁missed- ▁resilience- ▁variance- ▁pretax- ▁street- ▁Consistent- ▁underground- ▁lifestyle- ▁submitted- ▁collaborative- ▁supplies- ▁whilst- ▁honor- standing- ▁acute- ▁density- ▁controlled- ▁breakdown- ▁surprising- ▁educate- media- ▁extract- ▁Jack- ▁agile- ▁Things- ▁rigorous- ▁Peter- ▁predictions- ▁subsidiary- ▁proper- ▁negotiation- turn- ▁consolidating- ▁acceptable- ▁Insurance- ▁optionality- ▁Analyst- ▁EMEA- ▁Two- ▁discrete- ▁struggle- ▁termination- making- ▁impression- ▁loyal- ▁accountability- ▁tier- power- ▁urgency- ▁throw- ▁reposition- range- ▁algorithm- ▁crisis- ▁sudden- ▁resonate- ▁pleasure- ▁advice- ibility- ▁impressed- ▁80%- ▁proxy- ▁surgical- ▁Medicaid- ▁identity- ▁Vegas- product- ▁analytic- ▁9%- ▁district- ▁discretionary- ▁accident- ▁molecule- ▁doctors- ▁failure- ▁pathway- ▁blue- ▁100%- ▁array- ▁exposed- ▁protein- ▁unfold- ▁everywhere- ▁inclusion- ▁worry- ▁alliance- ▁unexpected- ▁corporation- ▁Eagle- ▁upgrading- ▁flight- ▁60%- ▁granular- ▁Alberta- ▁Christmas- ▁white- ▁empower- ▁inspection- ▁novel- ▁precision- ▁ROI- effective- ▁stockholders- ▁Jersey- ▁SKU- ▁absence- ▁negotiating- ▁twice- ▁certification- ▁consumable- ▁derivative- ▁perception- ▁underscore- centric- ▁Specialty- ▁guiding- ▁integrity- ▁nonrecurring- ▁stretch- ▁mini- ▁defend- ▁resume- ▁Green- ▁receipt- ▁dilution- ▁replacing- ▁comparative- ▁substitute- ▁ladies- ▁younger- ▁collateral- ▁fifth- cycl- ▁climate- ▁disappointing- ▁keen- balance- ▁Japanese- growing- ▁Fourth- ▁determination- ▁hyper- ▁mineral- ▁authorization- ▁thrilled- ▁undertaking- ▁script- fold- ▁rationalization- ▁hurt- ▁midstream- sale- ▁Look- ▁comparing- ▁secular- ▁holistic- ▁Construction- ▁robotic- ▁intelligent- ▁velocity- ▁beauty- ▁regime- ▁Smart- ▁invite- ▁dimension- ▁blood- ▁reorganization- ▁unlikely- ▁master- ▁workflow- ▁demo- ▁anniversary- ▁diluted- ▁inorganic- ▁submit- ▁Quarter- ▁cancellation- ▁French- adjusted- ▁cultural- ▁preclinical- ▁concentrate- gress- ▁Security- ▁strip- ▁anchor- ▁Annual- ▁deleveraging- ▁Long- ▁Midwest- ▁relevance- ▁Boston- ▁sweet- ▁Gold- ▁geo- ▁bolster- ▁extreme- ▁overlap- ▁breakeven- ▁headquarters- ▁adult- ▁Doug- ▁vital- ▁agility- ▁Building- ▁revolving- ▁technique- ▁intangible- ▁reservoir- ▁stabilizing- ▁noncore- ▁concrete- ▁reconcile- ▁procedure- ▁immune- ▁Blue- ▁recommend- ▁Mobile- ▁academic- ▁multifamily- ▁practical- ▁Congress- ▁computing- ▁Results- ▁accretion- ▁casino- ▁reversal- ▁arrive- ▁revolver- ▁IPO- ▁referral- ▁convenient- ▁parameters- ▁deterioration- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁uplift- ▁fail- ▁bankruptcy- ▁text- ▁viable- ▁visual- ▁marine- ▁valid- ▁contingent- ▁recession- ▁Federal- ▁apartment- ▁distribute- ▁nimble- ▁suspect- ▁Phil- ▁character- ▁Colorado- ▁solely- ▁modification- ▁outdoor- ▁foresee- ▁articulate- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁Valley- ▁Virginia- ▁possibilities- ▁flood- ▁temperature- ▁alter- current- ▁experiment- ▁restrictions- ▁retire- ▁accuracy- ▁analyzing- ▁aluminum- ▁unprecedented- ▁expire- ▁glad- ▁powder- ▁spike- ▁tomorrow- growth- ▁avenue- ▁guidelines- ▁anymore- ▁eliminating- ▁telecom- ▁poised- ▁resort- ▁Hawaii- ▁likelihood- ▁simplification- ▁Engine- ▁gift- ▁correlation- ▁qualification- ▁redesign- ▁aspiration- ▁triple- ▁chunk- q- ▁underwrite- ▁Colombia- ▁redemption- ▁snow- ▁pursuit- ▁apparent- ▁consent- ▁Adjust- ▁candidate- ▁Program- ▁foremost- ▁Demand- ▁outpace- ▁replicate- ▁saving- ▁Office- ▁Healthcare- efficient- ▁Earlier- ▁Ontario- ▁interconnect- ▁plate- ▁Strong- ▁doubling- ▁analyst- ▁plastic- ▁Brad- ▁Friday- ▁worried- ▁proving- ▁contrast- ▁Whether- ▁1995- ▁Credit- ▁treasury- ▁institution- contract- ▁tissue- ▁Technologies- ▁glass- ▁refund- ▁additive- ▁oncology- ▁regulator- ▁expiration- ▁forefront- ▁embark- ▁IFRS- ▁imaging- ▁coffee- ▁default- ▁placing- ▁entrepreneur- ▁fluctuate- plus- ▁Dallas- ▁consensus- ▁flagship- ▁fragmented- ▁generator- ▁ERP- ▁Executive- ▁hike- ▁Control- ▁advertise- ▁choosing- ▁coast- ▁Sweden- ▁judge- ▁Development- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Together- ▁conviction- ▁click- ▁reaffirm- ▁children- ▁venue- ▁stories- ▁decreasing- ▁heightened- ▁lumber- ▁Remember- ▁tactical- ▁worst- patient- ▁trouble- ▁accrue- ▁caught- ▁unsecured- ▁unmet- ▁Chairman- ▁pronounced- ▁music- ▁Ohio- ▁statistics- ▁uptake- ▁chronic- ▁Access- ▁harm- ▁Micro- ▁debate- ▁quantity- ▁River- ▁initiate- ▁severity- ▁diminish- ▁routine- ▁slip- ▁Unfortunately- ▁mechanical- ▁mistake- ▁ambitious- ▁lens- ▁probability- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁Microsoft- ▁Safety- ▁dispute- ▁communicating- ▁grocery- ▁simplified- ▁Across- ▁Public- ▁spirit- ▁Meeting- ▁grateful- ▁NIM- ▁studio- ▁Facebook- ▁residual- ▁banner- ▁bolt- ▁requiring- ▁Jason- ▁Gross- scrip- ▁allocating- ▁witness- ▁cluster- ▁Illinois- ▁restart- ▁immuno- ▁president- ▁surplus- ▁inefficiencies- ▁baked- ▁Reconciliation- ▁impossible- ▁teleconference- ▁perceive- ▁edit- ▁distinguish- ▁correlate- ▁authentic- ▁idle- ▁autonomous- ▁friction- ▁coupon- ▁ATM- ▁ancillary- ▁incumbent- ▁refocus- ▁overnight- ▁imperative- ▁Indonesia- ▁manifest- ▁govern- ▁promoting- ▁regain- ▁ruling- ▁pulp- ▁rebate- ▁neuro- ▁royalties- ▁transcript- ▁kids- ▁George- ▁filter- ▁diligent- ▁prescribe- ▁revolution- ▁Science- ▁British- ▁accrual- ▁cement- ▁Keep- ▁Phoenix- ▁Zealand- ▁dominant- ▁Broad- ▁Senior- ▁replenish- ▁Court- ▁appointment- ▁collaborate- ▁speculate- ▁Electric- ▁Norway- ▁genetic- ▁modify- ▁Transportation- ▁erosion- ▁resonating- ▁quota- ▁crucial- ▁opposite- ▁streamlining- ▁optical- ▁Chemical- ▁authority- ▁millennial- ▁Flex- ▁disaster- ▁shortfall- ▁1,000- ▁nursing- ▁Republic- ▁implies- ▁elevate- ▁equities- ▁Several- ▁annuity- ▁elimination- ▁landlord- ▁neighborhood- ▁curtail- ▁argue- ▁temporarily- ▁Atlanta- ▁crystal- ▁Lower- ▁Personal- ▁ordinary- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁albeit- ▁perpetual- ▁differentiating- ▁activation- ▁exploit- ▁reception- ▁systematic- ▁premature- ▁Navy- ▁revisit- abilities- ▁competencies- ▁integral- ▁skew- ▁photo- mount- ▁corn- ▁Netherlands- ▁article- ▁charging- ▁shaping- ▁activate- specific- ▁implant- ▁unrealized- ▁eager- ▁securitization- ▁Oklahoma- ▁accumulate- ▁phasing- ▁province- ▁Resources- ▁softening- ▁Automotive- ▁privilege- ▁depressed- ▁statistical- ▁inflows- ▁Electronic- ▁catastrophe- ▁prevail- ▁Arizona- ▁durable- ▁terminate- ▁RevPAR- ▁assembly- facing- ▁Though- ▁argument- ▁airplane- ▁fraud- ▁society- ▁Platform- ▁habit- ▁brick- ▁crack- ▁Michigan- ▁bandwidth- ▁applies- ▁delta- ▁qualitative- ▁determining- ▁grain- ▁leisure- ▁repricing- ▁amended- ▁'20- ▁inhibitor- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- ▁innovating- ▁encounter- ▁endeavor- ▁Defense- ▁excuse- ▁Communication- ▁pride- ▁buffer- ▁configuration- ▁clarification- ▁Target- ▁Craig- ▁Nevertheless- ▁silver- ▁Property- ▁Ultimately- ▁circuit- ▁instruct- ▁showcase- ▁energized- ▁severance- ▁trailing- ▁iconic- ▁tailored- ▁concluding- ▁Supply- ▁Seattle- ▁recapture- ▁vacation- ▁modified- ▁steep- ▁celebrate- ▁prepaid- ▁vacancy- ▁Natural- ▁achievable- ▁drink- ▁inclusive- ▁scheduling- ▁capacities- ▁mitigation- ▁investigator- ▁black- ▁Margin- ▁taste- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "description_en": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout ddd205f05e4a323a0aeb5cae81604a7bb5abfa45pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Sun Feb 28 07:20:31 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.7`- pytorch version: `pytorch 1.7.1`- Git hash: `3572c4ecd74a9b1c77c639fce40e9318d254c5a6` - Commit date: `Thu Feb 25 18:52:24 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|95631|94.9|4.5|0.6|0.5|5.5|61.0||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|948632|94.9|4.5|0.6|0.5|5.5|61.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|554413|98.8|0.6|0.6|0.4|1.6|61.0||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|5502566|98.8|0.6|0.6|0.5|1.6|61.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|117813|95.4|2.7|1.9|1.1|5.7|61.0||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|1169320|95.5|2.7|1.8|1.2|5.7|61.4|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 59122dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/train/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/train/text_shape.bpevalid_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/valid/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/train_nodev_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/train_nodev_unnorm/text - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- s- ▁in- ▁that- ▁a- ''''- ▁our- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁be- ▁this- ▁We- re- ▁And- ▁will- '-'- t- ▁year- ▁quarter- ▁at- ing- ▁So- ▁more- ▁from- ▁business- ▁think- ▁not- ▁what- ▁some- d- ve- ▁us- ▁by- ▁about- ed- ▁there- ▁can- ▁growth- ▁new- ▁was- ▁which- ▁or- ▁do- ▁very- ▁an- '?'- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁all- ▁been- ▁just- ▁has- ▁these- ▁so- ▁well- ▁over- ▁those- ▁now- ll- ▁time- ly- n- ▁out- ▁where- ▁into- ▁customers- ▁like- ▁first- ▁results- m- ▁But- ▁other- ▁really- ▁how- ▁if- ▁up- ▁their- ▁expect- ▁forward- ▁company- ▁than- ▁last- ▁were- ▁look- ▁your- ▁through- ▁get- ▁any- ▁call- ▁one- ▁because- ▁strong- ▁In- ▁had- ▁believe- ▁sales- ▁when- ▁good- ▁second- ▁This- ▁As- ▁revenue- ▁then- er- ▁lot- ▁make- ▁performance- ▁product- ▁cost- ▁much- y- ▁financial- ▁capital- ▁value- ▁Our- ▁could- ▁years- ▁right- ▁impact- ▁terms- ▁want- ▁future- ▁don- ▁both- ▁It- ▁them- ▁today- ▁work- ▁little- ▁back- ▁customer- ▁next- ▁bit- ▁increase- al- ▁end- ▁take- ▁products- ▁number- ▁kind- ▁higher- ▁opportunities- ▁half- ▁able- ▁way- ▁markets- ▁may- ▁know- ▁significant- ▁operating- ▁better- ▁go- ▁focus- ▁say- ▁cash- ▁2- ▁part- ▁things- ▁still- ▁point- ▁provide- ▁most- ▁statements- ▁lower- ▁should- ▁team- ▁being- in- c- ▁need- ▁across- ▁made- ▁opportunity- ▁line- ▁important- ▁down- ▁third- e- ▁rate- ▁- ▁during- ▁long- ▁people- ar- ▁re- ▁fourth- ▁strategy- ▁portfolio- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁price- ▁progress- ▁around- ▁A- p- r- ▁working- ▁share- ▁management- ▁me- ▁demand- ▁investment- ▁no- ▁due- ▁additional- ▁give- ▁actually- ▁come- ▁high- ▁great- ▁while- ▁only- ▁even- ▁seeing- ▁plan- ▁few- ▁margin- ▁same- ▁looking- ▁here- ▁S- ▁drive- ▁development- ▁start- ▁grow- ▁result- ▁costs- ▁different- ▁current- le- ▁seen- ▁change- ▁doing- ▁further- ▁3- ▁coming- ation- ▁service- ▁who- ▁guidance- ▁positive- ▁data- ▁earnings- o- ▁position- ▁C- ▁process- ▁technology- ▁key- ▁turn- ▁full- g- looking- ▁past- ▁investments- ▁That- ▁said- ▁support- ▁improve- ▁overall- S- ▁basis- ▁environment- ▁expected- or- ▁balance- ▁question- u- ▁increased- ▁again- ▁move- ▁focused- ▁help- ▁within- ▁sort- 'on'- ▁got- ur- ▁potential- ▁services- ▁before- ▁large- ▁remain- ▁businesses- ▁pricing- ▁months- ▁These- ▁side- ▁making- ▁Q- ▁F- ▁done- ▁put- ▁something- ▁ability- ▁program- ▁interest- ▁experience- ▁strategic- ▁already- ▁platform- ▁sure- ▁production- ▁based- ▁use- ▁best- ▁feel- ▁such- ▁information- ▁segment- ▁acquisition- ▁mentioned- ▁period- ▁Now- ▁talk- ▁model- ▁maybe- ▁expectations- ▁early- ▁several- ▁You- ▁operations- ▁given- ▁deliver- ▁s- ▁base- ▁order- ▁assets- ▁pleased- term- ▁rates- ▁my- ▁changes- ▁tax- ▁place- ▁build- C- es- ▁benefit- ▁each- ▁couple- an- ▁growing- ▁improvement- ▁including- ▁under- ▁projects- ▁certain- ▁related- ▁flow- ▁initiatives- ▁addition- ▁fact- b- ion- a- ▁commercial- ▁companies- ▁activity- ▁driven- ▁areas- ers- ▁getting- ▁existing- ▁mix- ▁brand- ▁term- ▁margins- ▁volume- ▁levels- ▁pretty- ▁thing- ▁mean- ▁release- ic- ▁continues- ▁income- ▁course- ▁capacity- ▁big- P- it- ▁factors- ▁might- l- ▁competitive- ri- ▁clients- ▁probably- ▁net- ▁project- ▁always- ▁With- ▁does- en- ▁There- E- ▁risk- ▁B- ▁review- ▁every- ▁leverage- ▁Thank- able- ▁marketing- ▁amount- ▁off- ▁quite- ▁quarters- ▁saw- ▁update- ▁its- ▁P- ▁less- ment- ▁prices- ▁offset- ▁why- ▁view- ▁supply- ▁available- ▁world- ▁building- ▁after- ▁credit- ▁E- ▁having- ro- I- ▁recent- ▁de- ▁top- ▁success- ▁real- ▁between- ▁set- ▁prior- ▁efforts- ▁core- ▁global- ▁let- ▁digital- ▁quality- k- ▁Or- ▁conference- se- ▁area- ▁operational- ▁earlier- il- ▁T- ▁shareholders- ▁return- ra- ▁far- ▁system- ▁understand- ▁low- ▁range- ▁pipeline- ▁trying- ▁actual- ▁contract- ▁expenses- ▁primarily- ▁continuing- ▁another- ▁structure- ▁While- ▁certainly- ▁whether- ▁e- ▁solutions- ▁approach- ▁day- f- ▁own- ▁inventory- ▁questions- ▁outlook- ▁ahead- ▁For- to- ate- ▁taking- ▁improved- ▁presentation- ul- ▁expense- R- A- T- el- ▁thank- ▁non- ▁If- ▁major- ▁retail- ▁confident- ▁profitability- ch- ▁fiscal- ▁capabilities- ▁create- ▁timing- ▁group- ▁add- ▁expand- ▁un- ▁p- ▁materially- li- ▁clear- ▁risks- M- ▁total- ent- ▁b- ▁increasing- ▁expansion- O- ▁4- ▁ago- ▁On- ▁consumer- ▁specific- ▁distribution- ▁D- ▁solid- ▁obviously- ▁excited- ▁hard- ▁space- ▁driving- ▁moving- D- ▁benefits- ▁What- ▁f- ▁invest- ▁talked- ▁differ- ▁acquisitions- ▁China- ▁revenues- ▁partners- ▁strength- ▁plans- ▁Yes- ▁sheet- ▁bring- la- ▁begin- ▁tell- ▁perspective- ▁keep- ▁particularly- at- th- ▁small- ▁increases- up- ▁1- ▁5- ▁debt- i- ▁They- ▁sense- ▁stores- ▁transaction- ▁U- ▁close- ▁versus- ▁asset- ▁R- ▁compared- ▁per- ▁improving- ▁network- ▁measures- '1'- ▁longer- ▁programs- ive- ▁patients- ▁run- ▁consistent- ▁open- ▁average- ▁significantly- as- L- ▁trends- ▁beginning- ▁control- ▁numbers- ▁scale- ▁needs- ▁care- ▁G- ▁currently- ry- ▁since- ▁conditions- ▁trend- ▁decline- ▁organization- ▁c- et- ▁innovation- ▁detail- ▁pay- ▁difficult- ▁include- ▁advantage- ▁profit- ▁N- ▁deal- ▁points- ▁execution- ▁anything- ▁towards- ▁volumes- ▁cause- ▁together- ▁access- ▁material- ▁larger- ▁However- ▁spend- ▁starting- ▁efficiency- ▁uncertainties- ▁reduce- ▁example- ▁remains- ▁record- ▁At- ▁throughout- ▁later- ▁comments- ▁ongoing- ▁fully- ▁gas- ▁store- ▁greater- ▁organic- ▁yet- ▁events- ▁along- ▁M- ▁successful- ol- ▁short- ▁2017- ▁To- ▁announced- ▁con- est- h- ter- ▁morning- ▁note- ▁sell- ▁discuss- ▁find- ▁Europe- ne- te- ▁started- ▁brands- ▁allow- ▁returns- ▁transition- ▁case- ▁particular- ▁track- ▁front- ▁achieve- ▁talking- ▁become- ▁manage- ▁similar- ▁decision- ▁oil- im- ▁international- ▁infrastructure- ▁health- ▁momentum- ▁providing- ized- ▁Okay- ▁recently- ies- ▁completed- ▁job- ▁press- ▁direct- ▁economic- ▁Re- ▁book- ▁shift- ▁associated- ▁improvements- ce- ▁try- ▁discussed- ▁guess- ity- ▁activities- '2'- ▁play- ▁report- ▁impacted- ▁size- ▁everyone- ▁previously- ▁systems- ▁2018- ig- ▁confidence- ▁anticipate- ▁pressure- ▁offering- ▁6- ▁remarks- ▁effect- ▁reduction- G- ▁issues- um- ▁integration- ▁offer- ▁reason- lo- ▁lines- ▁too- ▁partner- ▁stock- ▁launch- ▁board- ▁Before- ▁meet- ▁O- ▁used- ▁positioned- ▁cycle- ▁delivering- ▁investors- ▁energy- ▁website- ▁equity- ated- ▁incremental- ▁against- ▁segments- ▁subject- ck- ▁rest- age- ▁2016- ▁teams- ▁items- ▁slightly- ▁local- ▁percentage- ▁quickly- ▁guys- ▁power- ▁multiple- ▁money- ▁near- ▁L- ▁single- ▁Slide- ge- ▁contracts- de- ▁beyond- ▁adjusted- ▁target- ▁actions- ▁co- ▁channel- x- ▁leadership- ▁selling- ▁equipment- ▁develop- ▁clearly- ▁especially- B- ▁possible- ating- ▁address- ▁unique- ▁generate- ▁spending- ▁relative- '%'- ▁using- ▁answer- year- ting- ▁annual- ▁remind- ▁comment- ▁date- ▁dis- ▁general- ▁once- ▁maintain- ▁serve- ▁combination- ▁without- ▁st- ▁facility- ▁manufacturing- F- w- ▁execute- ▁complete- ▁means- ▁client- ▁hand- ▁employees- ▁either- ▁resources- ▁design- ▁One- ▁free- ▁comes- ▁issue- ▁ensure- ▁attractive- ▁show- ▁reflect- ▁included- ▁taken- ▁content- ▁challenges- ▁online- ▁loan- ▁details- ▁type- ▁final- ▁month- ant- ▁v- end- ▁various- ally- ▁investing- ▁regarding- ▁leading- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁public- id- ▁whole- ▁pre- ▁moment- ▁meaningful- ▁t- ▁situation- ▁All- ▁comp- ▁wanted- ▁step- us- ▁happen- ▁chain- ▁New- ▁clinical- V- ▁thinking- ▁forecast- tion- z- ▁productivity- ▁he- ▁corporate- na- co- ▁d- ▁solution- ▁relationships- ru- ▁regulatory- ▁stronger- ▁thought- ▁largest- ▁committed- ir- ▁goal- ▁enhance- ▁government- ▁sale- ▁marketplace- ▁discussion- ization- ▁profitable- ▁deals- ▁relatively- ▁cloud- ▁delivered- ▁First- ▁portion- ▁H- ut- ▁hope- ▁anticipated- ta- '3'- lu- ▁favorable- ▁season- ▁lead- ▁savings- ▁likely- ▁EBITDA- un- ▁entire- ▁When- ▁respect- ▁provided- GAAP- ▁Well- ▁prepared- ▁least- ▁bottom- ▁consumers- ▁underlying- ▁highly- ▁transformation- ▁normal- ▁operate- ▁Can- ▁category- ▁delivery- ▁bank- ▁flat- ▁days- ad- ▁flexibility- ▁combined- ▁dividend- ▁Let- ▁experienced- line- ▁ways- ▁closing- ma- ▁account- ▁purchase- ▁built- '4'- ▁majority- nt- ▁week- ▁slide- ance- ver- ▁orders- ▁critical- ▁agreement- ▁gives- ▁gain- am- ure- ▁challenging- ▁expanding- ▁though- ▁efficient- ▁ratio- ▁commitment- ▁haven- ▁effective- ▁came- ▁accelerate- ▁generation- ▁home- ▁initial- ▁upon- ▁generally- ▁am- ▁quarterly- ▁test- ▁buy- ▁doesn- ▁required- ▁strategies- ia- ct- ▁competitors- ▁currency- ▁ramp- ▁During- ▁pro- vi- ▁region- ▁country- ▁everything- ine- ti- ▁decrease- ▁K- ▁largely- ▁12- ▁stay- ▁St- ▁facilities- ▁active- ▁competition- ▁loss- ▁pace- ▁Do- ▁patient- ▁profile- ize- rs- ▁unit- ▁behind- ▁extremely- ▁provides- ▁smaller- ▁million- ▁enough- ▁property- ▁ourselves- ▁enterprise- ▁mid- ▁enable- over- ▁relationship- ▁weeks- ▁ever- ▁stable- ▁office- ▁sector- ▁Please- ▁allows- ▁premium- ▁following- ac- ▁sustainable- ted- ▁planning- ▁fair- tra- ▁win- ▁categories- ▁reported- ▁trade- ▁happy- ▁software- ▁specifically- ▁effort- '0'- ▁recovery- ▁away- ▁sub- ph- ▁field- ▁internal- ▁contribution- ci- ▁assumptions- ▁includes- ▁traditional- ▁his- ▁speak- ▁reach- ▁reduced- ▁running- ▁rather- me- ▁loans- ▁life- ▁achieved- ▁individual- ▁center- mi- ho- ▁accounts- ▁technologies- ▁transactions- ▁wondering- ▁exactly- ▁GAAP- tic- ▁state- ▁follow- ▁metrics- ▁J- ▁h- ▁obligation- K- ▁assume- ▁present- po- ▁meeting- ▁natural- ▁factor- ▁offerings- ▁above- and- ness- ▁Co- ▁faster- sh- ▁appropriate- ial- em- ▁applications- ▁mobile- ▁units- ▁added- ▁di- ▁won- ▁efficiencies- ▁weather- U- ▁received- ▁safety- ▁10- ▁private- ▁basically- ▁exciting- ▁estate- ▁Ma- ▁double- izing- ▁study- ▁directly- ▁consider- ▁partially- ▁reflects- ▁tend- ▁channels- ▁V- ▁seems- ▁changed- ▁industrial- ▁parts- ▁discussions- N- ▁insurance- ▁developing- ▁outside- ▁accounting- ▁footprint- ▁shareholder- ▁Thanks- ▁statement- ▁plant- ▁restructuring- ▁took- ▁8- ▁highlight- ab- ▁changing- ▁labor- ▁response- out- ▁completion- ▁substantial- ▁De- ▁firm- ▁makes- ▁capability- ▁joining- ▁form- ical- ▁January- ▁approval- op- ▁traffic- ▁expectation- ▁reasons- ▁integrated- ▁mind- ▁cover- ▁Asia- ▁robust- per- ▁opening- ▁despite- ▁fund- ▁adding- ▁December- ens- ▁drivers- ▁creating- ▁decisions- ▁healthy- ▁force- ▁refer- ▁fuel- ▁processes- ▁options- ty- ▁He- ▁land- ▁No- ha- ▁happening- ▁gains- based- ▁managing- ▁disconnect- ▁fleet- ▁found- ▁w- ▁therefore- he- ▁W- ▁late- pe- ▁potentially- ▁typically- ▁direction- ▁predict- ▁backlog- ▁community- ▁engagement- ▁Just- is- ▁ultimately- ▁yield- ▁driver- ▁main- ▁advertising- ▁executing- ▁primary- ▁platforms- bi- ▁almost- ▁ex- ▁conversion- ▁phase- ▁light- ▁understanding- ▁optimistic- ▁nature- side- ▁mo- ▁idea- ▁exchange- ▁20- ▁planned- di- ▁filings- ▁saying- ▁security- ld- ▁comfortable- ▁bringing- ▁fall- ▁historical- ▁effectively- ▁foundation- ▁necessary- ▁goes- ▁please- ▁never- ▁putting- ▁excellent- ▁needed- ▁2019- ▁visibility- ▁proud- com- ▁ask- ▁highlights- om- ▁tremendous- ▁countries- ▁limited- ub- ▁disciplined- ▁slow- ▁liquidity- ▁losses- ▁pass- ▁broad- ▁else- ▁How- ▁special- ▁standpoint- ▁encouraged- ▁cases- con- ▁7- ▁food- land- time- ▁bigger- ▁lease- ous- ▁difference- ors- ▁comparable- ▁recognize- fi- ▁funding- ▁June- ▁launched- ▁times- ▁targets- ▁volatility- ▁September- ▁extent- ▁March- ▁standard- ie- ▁financing- ▁path- ▁expanded- ▁read- ▁ma- ▁role- ▁maintenance- ▁broader- ▁remaining- ▁capture- ence- ▁utilization- ▁franchise- ▁g- ▁members- iv- ▁operation- ▁sold- ▁detailed- ▁partnership- v- ▁fee- ▁hold- ▁regions- ▁types- ▁Because- ag- ning- ▁fixed- ight- ▁represent- ▁budget- ▁intend- ▁reducing- pi- ▁although- ▁proposition- ▁ready- ▁others- ard- ▁approximately- ▁exposure- ▁focusing- ot- ▁Some- ▁economy- ▁research- ▁optimize- ▁safe- ▁stand- ▁acquired- ▁remainder- ▁appreciate- ▁Turning- ator- ▁produce- ▁locations- ▁CapEx- ▁dollars- ▁properties- ▁media- ▁9- ▁reflected- ▁bo- ▁fees- ▁below- ▁finally- ▁pull- ▁allocation- ▁2015- ▁interesting- ▁water- ng- ▁fit- ▁biggest- ▁nice- ▁fairly- ca- ke- ▁went- ▁event- ▁tools- ▁highest- ▁perhaps- ▁treatment- ▁successfully- ary- ▁stage- ric- ▁hit- ▁inflation- ▁domestic- ▁live- ▁closely- ▁po- ▁summary- ▁engine- ▁Looking- ▁led- H- ▁history- ▁requirements- ▁Good- ▁buying- lic- ▁national- ▁increasingly- ▁legacy- ▁car- ▁necessarily- ▁Finally- ▁ro- ring- ▁commodity- ▁schedule- we- ▁outstanding- ▁attention- ▁somewhat- ▁reporting- ▁shows- ▁game- ▁soon- ▁deep- va- ling- ▁giving- ▁simply- ▁priority- ▁Brazil- ▁policy- ▁strengthen- ▁everybody- ▁pick- ist- ▁talent- ping- ▁trial- ian- ▁mainly- ▁European- ▁goals- ▁evaluate- ▁takes- ▁drug- go- ▁convert- ▁Al- ▁regard- ▁expertise- ▁name- ▁maintaining- ▁ch- ▁en- ▁flows- ▁list- ▁respond- ▁closed- ▁correct- ▁component- ▁itself- ▁paid- ▁prospects- ▁Ca- ▁dollar- bo- ▁innovative- ▁license- ▁implementation- ▁gross- ▁drilling- ▁discipline- ▁expecting- ▁steps- ▁n- ▁Mi- ▁Canada- ▁room- mb- ▁Although- ▁priorities- ▁piece- ▁initiative- ▁developed- ▁leader- ow- ▁yes- ▁mortgage- ▁professional- ▁testing- ▁adoption- ▁compensation- ▁historically- ▁10-- one- ▁definitely- ▁2017.- der- ▁matter- nd- for- ▁table- ▁funds- bu- ex- ▁advance- ▁attract- ▁periods- ▁Ro- ▁Also- ▁October- ▁April- ▁speed- ▁vertical- ▁challenge- rm- ▁rent- ▁created- ▁realize- ▁shares- ▁occur- ▁perform- ▁contain- ▁learning- ▁true- 'no'- ▁happened- ▁touch- ▁multi- ▁drop- ▁undertake- ▁pursue- ▁operator- ▁app- ative- ▁foreign- ▁payments- hi- ▁card- '00'- od- ▁centers- ite- ▁targeted- ▁site- ▁'17- ▁culture- ▁Are- ▁context- ▁importantly- ▁Ex- ▁actively- ▁analysis- ▁described- ▁Given- ip- ▁application- ▁worked- ▁presence- ▁aggressive- ▁deployment- ▁post- ▁resulted- ▁SEC- ▁payment- ▁medical- ▁compete- ▁announcement- ▁resulting- ▁reconciliation- ake- ▁conclude- ▁steady- ner- ▁East- way- ▁action- ▁complex- ▁geographic- ▁affect- ▁July- ▁ra- ction- ▁Investor- ▁count- ▁remember- ▁summer- ▁helping- ▁training- ▁nothing- ▁stream- ▁middle- ▁generated- ▁huge- ▁break- ▁involve- ▁designed- ▁noted- ap- ▁relates- ok- ▁tough- ▁upside- ability- 'off'- ▁seasonal- ten- ▁modest- ▁La- ▁joint- ▁coverage- os- ▁technical- ▁participation- ▁becoming- ▁dynamics- ped- ▁players- ▁30- ▁Day- ▁retailers- ▁emerging- ▁holiday- ▁synergies- ▁South- ish- ▁deposit- ▁measure- ▁2018.- ▁among- ▁dynamic- ▁regional- ▁invested- ▁push- ▁Additionally- ▁trading- ▁heard- ▁implemented- ▁leveraging- ▁discount- und- ▁May- ably- ▁story- ▁gone- log- ▁advanced- ▁choice- ▁exit- ▁America- ▁'18- ▁positions- ward- ber- ▁road- ▁upgrade- ified- ▁capitalize- ▁walk- ▁Mar- ▁relevant- ▁affected- ▁Pa- ▁Over- ▁Con- ▁i- ▁recognized- ▁materials- ries- ▁variety- ▁often- ▁independent- ▁Securities- ▁reminder- ▁reasonable- ▁managed- ▁commission- ▁November- ▁Overall- ▁helpful- ▁transform- ▁moved- ▁otherwise- ▁providers- ▁Services- ▁India- ▁imp- ▁sh- ▁adjustments- ▁models- ▁division- mer- ▁ground- ▁Second- ▁fast- ▁wide- ▁news- ▁demonstrate- ▁enhanced- ff- ▁must- ▁issued- ▁retain- ▁objectives- ▁generating- ▁face- ▁recover- ick- ▁My- ▁closer- ▁effects- ▁communities- ▁function- ible- ▁source- ▁vision- ▁reflecting- ▁renewal- ▁campaign- ▁chart- ▁common- ▁February- ▁charge- ▁hear- ▁reference- ▁headwinds- ▁decided- ▁absolutely- ▁banking- ▁excess- ▁easier- ▁performing- ▁California- ▁seem- ster- ▁identified- ▁reductions- ▁represents- ▁began- ▁movement- ▁uncertainty- ron- ▁analytics- ▁Pro- ▁extend- ▁se- act- by- ▁roll- ▁ship- ▁banks- vo- ▁18- ▁essentially- ging- ▁York- ▁recognition- ▁protect- ▁investor- ▁evidence- ▁suggest- ▁looks- day- ▁happens- X- ▁identify- ▁incentive- ▁finance- ▁Be- ▁subscription- ▁interested- ▁developments- ▁bookings- gen- ▁cannot- ec- ▁class- all- ▁Se- ual- ▁looked- ▁sites- ▁turning- ▁users- ▁impacts- ▁stated- ▁require- market- ▁estimate- ▁established- ▁outcomes- ▁external- ions- ▁Di- '5'- ▁population- ▁underwriting- ▁easy- ▁consolidation- ▁maximize- ▁repurchase- ▁head- ▁carry- ▁truck- ▁problem- ▁left- qui- ▁consistently- ▁figure- ▁provider- ▁venture- ▁helped- ▁compelling- ▁Commission- ▁paying- ▁conservative- ▁Te- ▁components- nce- ▁spot- ▁partnerships- ▁aware- ▁mark- ▁bar- ▁penetration- ▁Mexico- be- port- ▁projections- ▁Moving- ach- ue- ▁engineering- ▁allowed- Q- ▁operators- ▁shown- ▁agreements- ▁achieving- less- ▁Vi- ▁law- ▁indicated- ▁raw- ▁ba- ice- ▁presented- ton- ▁West- ▁deploy- ▁An- ▁rapidly- ▁wins- ▁brought- ▁thoughts- ▁outcome- vis- ▁reform- ▁mention- ▁video- ▁demonstrated- ▁Wa- ▁folks- ▁separate- ▁collection- ▁August- ▁smart- ▁limit- ▁encouraging- ▁machine- ▁prudent- ▁differentiated- ▁toward- ▁auto- ▁sequential- ▁disease- ▁degree- par- ▁filed- ▁receive- ▁option- gra- ▁recorded- ▁exceptional- ▁grew- ities- ▁frankly- ▁tight- ▁valuation- ▁section- ea- ▁Mo- ft- digit- ▁ones- wa- ▁calls- ▁seasonality- ▁trust- ▁supported- ▁evolve- ▁considered- ▁plants- ▁finding- ▁accelerated- ▁showing- ▁From- ▁objective- ▁federal- ▁personal- ▁quick- ▁substantially- ▁devices- ▁senior- ▁John- ful- ▁met- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁suppliers- do- ▁curious- ▁remained- ▁concludes- ▁Form- ▁fill- du- ▁realized- ▁confirm- ▁retention- ▁staff- ▁Those- ▁explain- ▁elements- ▁Group- ▁Of- ill- ▁involved- ▁enter- ▁dedicated- commerce- ▁estimates- amp- ▁securities- ▁Le- ▁inter- ▁contributed- ▁positioning- ▁promotional- ▁felt- ▁Me- ▁Australia- ▁consolidated- ▁benefited- ▁comprehensive- ▁acquire- ▁o- ▁repeat- ▁rep- ▁Today- ▁legal- ▁contribute- ▁rental- ▁leasing- ▁Sp- ▁specialty- ▁claims- ▁feedback- ▁leaders- ▁Chinese- ▁utilize- ▁truly- ▁shared- fe- ▁supporting- ba- ▁visit- ▁15- ▁taxes- ▁Exchange- ▁excellence- ify- ▁original- ▁residential- ▁stuff- ▁traction- fa- ▁participate- ▁raise- ▁signed- ▁refine- ▁provision- ▁decade- ▁nearly- ▁establish- ▁Mike- ▁spread- ▁belief- ▁hospital- ▁wholesale- related- ▁mine- cor- ▁merger- ▁aggressively- ▁cross- ▁themselves- ▁variable- ▁proven- ▁projected- ▁deposits- ▁whatever- ▁apply- ▁implement- ▁package- ▁availability- ▁2016,- ▁automotive- ▁Again- ▁simple- ▁lending- ▁gave- ▁Ho- ▁macro- ▁shop- fer- ▁allowing- ni- ▁vehicle- ay- ▁location- ▁Page- ▁By- ▁conclusion- ▁ho- que- ▁skill- ▁social- ▁Su- W- ▁worth- ▁commentary- ▁afternoon- ▁recurring- ▁digits- ▁Li- ▁studies- ▁holding- ▁cautious- ▁Market- ▁introduction- ▁updated- ▁Lo- ▁held- ▁optimization- ier- ▁Texas- ▁stages- ▁deferred- ▁concept- ▁conversations- ▁cut- ▁creation- ulation- ▁adjust- ▁economics- ▁engaged- ▁picture- ▁features- ▁speaking- ▁page- ▁Obviously- ▁Any- ▁collaboration- ▁assess- ▁transportation- ▁processing- ▁welcome- ▁posted- ▁IT- ▁journey- man- ▁structural- ▁declines- ▁overview- ▁En- ▁known- ▁completely- tain- ▁internally- ▁hire- ga- ▁constant- air- ▁reserve- ▁strengthening- ▁export- ▁efficiently- ▁mostly- ▁Car- ▁mitigate- ▁Bank- ▁indication- che- oc- ▁disruption- ▁gentlemen- ep- ▁fundamentals- ▁connect- ▁practices- ▁lost- ▁hedge- ▁participating- ▁match- ▁accelerating- ▁user- ▁secure- ound- lin- serv- ger- ▁shipments- ▁Ar- ▁manner- ▁Ne- ak- ▁bio- ▁slower- ▁gr- ▁forth- ency- ▁exclude- ▁performed- ▁clean- ▁sometimes- ▁curve- ▁expressed- ▁recall- ▁minutes- ▁alternative- ▁sources- ▁advise- ▁11- ▁calendar- io- ▁After- ▁log- ▁frame- ▁keeping- ▁consideration- ▁states- ▁mis- ▁guarantee- ▁globally- ▁behavior- ▁draw- ▁evaluating- rg- ▁superior- ▁valuable- ▁dividends- ud- ▁announce- ▁Ac- ▁called- ▁compare- ▁subsequent- ▁executive- ath- ▁signs- ▁peers- ▁resource- ▁Financial- ▁weak- ▁comparison- ▁exist- ▁sp- ▁trans- ▁aim- ▁introduced- ▁awareness- ▁launches- ▁storage- ▁notice- ▁housing- ▁weakness- ▁compliance- ▁monitor- store- ▁hopefully- ▁encourage- ▁knowledge- ▁however- ▁element- ▁brief- ▁upcoming- ▁align- ▁bid- ▁extended- ang- ▁adopt- ▁finish- ▁contained- the- ▁Po- comp- ▁modern- av- ▁engage- ▁parties- ▁sharing- ▁pursuing- ▁strongly- ▁wait- ▁old- ▁rig- ned- Y- ▁peak- ▁cell- ▁gap- ▁connection- ▁Not- ▁slides- ▁transfer- ▁acceleration- ▁commitments- ▁plus- ▁Ra- ▁proceeds- ▁Could- ▁helps- ▁'19- ▁travel- ▁sustain- ▁evolution- ▁Management- ▁2019.- ▁reinvest- ▁'16- ▁stability- ▁American- ▁broadly- ▁regular- ▁Based- ▁enjoy- ▁Ba- ▁fl- ▁foot- ▁vehicles- ▁charges- ▁diversified- ▁pressures- ▁standards- ▁opposed- ▁meaning- ▁document- ▁medium- ▁block- ▁Actual- ▁highlighted- ▁disclosure- ▁te- ▁contributions- ▁considering- ▁shipping- ▁asked- ▁concluded- AR- ▁setting- ev- ▁implementing- ▁stop- ▁sign- ▁enhancing- ▁circumstances- ▁executed- ▁message- ▁bad- ▁scenario- ▁Since- ▁audience- ▁device- ▁topic- ▁inside- ▁balanced- ▁geographies- ▁sufficient- ▁50- ▁offers- ▁ad- ▁Jo- ▁sit- ▁shape- ▁wells- ▁shopping- ▁moderate- ▁Ad- ▁ended- ▁Bo- ▁item- ▁pilot- ▁thanks- ▁discussing- ▁publicly- ▁custom- king- ▁targeting- ▁profits- ▁concerned- ▁rising- ▁Act- ▁insight- ▁roughly- ▁landscape- pro- back- ee- ▁slight- ification- ▁words- ▁seek- ▁integrate- ever- ▁influence- ▁mission- ane- ▁settlement- ▁managers- ▁industries- ▁aspects- ▁extension- ▁Steve- ▁fundamental- ▁translate- ▁mining- ▁sc- ory- ▁becomes- '6'- ▁matters- ▁approved- ▁automation- ▁ownership- ▁heavy- ▁winter- cel- net- ▁Most- ▁aircraft- ris- ▁rating- ▁leave- ▁chance- ▁replace- ▁central- ▁Africa- ▁enables- ▁aligned- ▁j- ▁electric- ▁negatively- ▁education- ▁assuming- ▁assist- ▁winning- ▁physicians- ▁Z- ▁caution- ▁evolving- ▁check- ome- ▁enabling- au- ix- ▁intention- ▁Energy- ▁drove- ▁Despite- ▁wind- ▁begun- ▁drill- ▁physical- ▁cap- ▁conduct- ▁reserves- load- ▁reports- ▁rise- ▁bond- ▁practice- ran- ▁importance- ▁places- ▁continuous- ▁Mark- ▁family- ▁Sa- ▁Internet- ▁typical- ▁Ha- ▁achievement- ▁Then- ▁Germany- ▁trajectory- ▁opened- ▁Ve- ▁Product- ▁react- ▁mature- wi- ▁lack- ▁learn- ▁employee- ▁attribute- ▁Com- ▁wage- ▁method- ▁spring- ▁act- ▁adjustment- ▁tra- ▁Ga- class- ▁reality- ▁label- ▁load- ▁rolling- ▁prove- sis- ▁Florida- '8'- ▁deeper- ▁qu- ▁handle- ▁strategically- ▁10%- ▁phone- ▁surge- ▁works- ▁Solutions- ▁implied- ▁two- iti- ▁origination- of- ▁rigs- ▁inventories- ▁consecutive- ▁loyalty- ▁connected- ▁floor- ▁love- ▁sustained- ▁lift- ▁electronic- ▁sounds- gan- ▁opportunistic- ctor- ▁Latin- ▁determine- ▁utility- ▁organizations- ▁box- ▁caused- ▁delay- ib- ▁steel- ▁flexible- ▁assortment- ▁search- fin- ▁fashion- ▁gets- ▁Great- ▁13- CO- ▁enabled- ▁replacement- pa- ▁agencies- ▁examples- ▁Both- ler- ▁underway- ▁owners- ▁rapid- ▁hearing- ▁k- ▁reached- ▁David- ▁pieces- ▁receivable- mission- ▁occupancy- ▁yields- ▁tool- ▁extra- ▁heavily- ▁outlined- da- ▁protection- ▁More- ▁her- uch- ▁experiencing- ▁vast- ▁restaurant- ▁absolute- ▁excluding- ▁diversification- tle- if- ▁stakeholders- ▁broker- ▁Pri- ▁starts- ▁thus- ▁spoke- ship- ▁gotten- ▁OEM- ▁therapy- ▁clarity- ▁Last- ▁unusual- ▁desire- ▁replay- ▁train- board- ▁request- gi- ▁North- ile- ▁adapt- ▁International- ▁reimbursement- ▁dramatically- '7'- ▁2020- ▁extensive- ▁latest- ▁selective- ▁logistics- ▁purpose- ▁watch- ▁depend- ▁spec- ▁yesterday- ▁leases- ▁groups- ▁Comp- ▁consumption- ▁Even- val- ▁regards- ▁weaker- cy- ▁guide- ▁eye- ▁views- her- ▁entered- ▁Ladies- ▁14- ▁financials- ▁soft- ▁Capital- ▁she- ▁depreciation- ▁asking- ▁li- ▁choose- ▁wish- ▁exceeded- ▁Sure- j- ▁assessment- ▁introduce- ▁daily- ▁print- ▁figures- ▁restaurants- ▁impacting- AS- ▁City- ▁permit- ▁imagine- ack- ▁Middle- ▁sectors- ▁carefully- ▁trials- ▁hiring- ▁usage- ium- ▁provisions- ▁problems- ▁contributor- quality- ▁occurred- ▁reward- ▁liquid- ▁declined- ▁Tom- ▁producing- ▁proportion- ▁contributing- ▁depends- ▁framework- ▁guests- down- ▁networks- ▁State- ▁X- cent- ▁rail- ▁expenditures- ▁Coast- ▁diversify- ▁agency- ▁System- ▁downturn- ▁productive- ▁attributable- ase- ▁Western- ▁freight- ▁App- ▁Another- ▁closure- ▁hotel- ▁ca- ▁unless- ▁lag- ▁temporary- ▁cycles- ▁treat- ▁insights- ▁format- ▁series- ▁immediately- ▁inform- ▁returning- ▁scope- ▁brings- ▁originally- ▁Have- ▁updates- ▁coal- ▁complexity- ▁sequentially- ▁collect- ▁ensuring- ▁Other- ▁gaining- use- ▁powerful- ▁serving- led- ▁communication- ▁grown- ▁requires- ▁select- ▁condition- ▁metric- ▁supplier- '9'- ▁usually- uck- ▁exceed- ▁import- ology- ▁diverse- ▁Chris- ▁rules- stream- ▁cancer- ▁r- ▁launching- ▁webcast- ▁et- ▁shortly- ▁farm- ▁concern- ▁him- ▁ten- ▁political- ▁Chief- ▁attending- ▁accomplish- ▁hundred- ▁human- ▁Officer- ▁tri- ▁paper- ▁followed- ▁allocate- ide- ▁department- ▁pain- ▁map- ▁ecosystem- vent- ▁distributors- ▁90- ▁emphasize- ▁usual- ▁bill- cept- row- ▁host- ▁revise- ▁laid- ▁learned- ▁strongest- ▁reliability- ▁promise- ▁perfect- ▁elevated- ▁busy- ▁satisfaction- ▁optimizing- ▁Next- ▁briefly- ▁Jim- ▁subscriber- ▁monitoring- ▁hurricane- ▁coupled- ▁numerous- ▁manufacturers- ▁express- ▁Business- ▁switch- ▁environmental- rate- ny- ▁duration- ▁carriers- ▁proprietary- ▁repair- ▁earn- ▁Wi- ▁installation- ▁alternatives- ▁scheduled- ▁advantages- ▁tenants- ▁20%- ▁produced- ▁exclusive- ▁Health- ▁decide- ▁harbor- ▁addressing- ▁fewer- ▁initially- ▁Air- ▁broaden- ▁rational- ▁suite- lay- ▁summarize- ▁file- ▁solve- ▁pension- ▁installed- ▁waiting- ▁exercise- ▁gen- ▁Ta- ▁merchandise- ▁adverse- ▁leads- ▁facing- ▁vendors- ▁instrument- ▁hardware- ▁Hav- ▁grade- ▁minimum- party- ▁except- ▁appeal- ▁reiterate- ▁indications- ▁par- ▁dependent- ▁associates- ▁institutional- through- ▁hours- ▁deployed- ▁San- ▁metal- ▁tariffs- ▁mill- ▁declining- ▁dealers- ▁indicate- ney- ▁careful- ▁dedication- ▁input- ▁decreased- ▁100- ▁milestones- ▁President- ▁differences- ▁16- ▁showed- ▁Am- ▁competitor- ▁agents- ▁Global- ▁intended- ▁emphasis- ▁stick- ▁Y- ▁5%- ▁cl- ▁lean- ▁immediate- low- ▁Through- ▁magnitude- ▁supplemental- ▁cetera- ▁feeling- ▁positively- ▁secured- ▁hotels- point- ▁ramping- ▁buyers- ▁mode- ▁contact- ious- ▁normalized- ▁pool- ▁rec- ▁enhancements- ▁accretive- ▁accurate- ▁personnel- ▁Ch- ▁constantly- ▁policies- ▁hospitals- ▁sound- ▁concerns- mark- ▁negotiations- ▁conversation- ▁covered- ▁bought- ▁awards- ▁differentiate- ▁frac- ▁eliminate- ▁lowest- ▁lo- ▁super- ▁administration- ▁nicely- ▁dealer- ▁Power- ▁Many- ▁quantify- ▁delays- ▁somebody- ▁France- ▁length- ▁turnaround- ▁door- ▁normally- ▁packaging- ▁screen- ▁deliveries- ▁proposal- ▁cars- ▁wireless- ▁pure- ▁signal- ▁purchasing- ▁okay- ▁homes- ▁40- ▁aspect- ▁useful- ▁outperform- ▁agree- ▁playing- ▁maintained- ▁shifting- ▁incorporate- ▁laws- ▁incredibly- ▁favor- ▁merchant- ▁surprise- ugh- ▁headwind- ▁Therefore- ▁billing- ▁player- ▁instead- ▁intelligence- ai- ▁demonstrates- ▁volatile- ▁assumption- ▁liability- den- ▁expensive- ▁Tra- ▁Mon- ▁delayed- ▁organizational- ▁sand- ▁defined- ▁fiber- ▁fresh- ▁amortization- wood- ▁hoping- ▁science- ▁progressing- ▁enrollment- ▁shut- ▁possibility- ▁feature- ▁describe- 5%- ▁relating- ▁possibly- ▁Op- ▁finished- ▁fruit- ▁released- ▁tracking- ▁Life- ▁status- ▁vary- ▁benefiting- ▁arrangement- ▁placed- ▁Rob- ▁Pacific- ▁principle- ▁students- ▁migration- ▁appear- ▁50%- ▁catch- ▁tried- ▁house- ▁display- ▁tied- ▁Third- ▁reinforce- app- ▁breadth- ▁Part- ▁lives- ▁storm- ▁lay- than- ▁green- ▁communications- 0,000- wide- ▁slowdown- ▁determined- ▁mechanism- ▁evaluation- ▁crude- ▁functions- ▁simplify- ▁Tim- ▁Consumer- ▁licensing- ▁person- ▁avoid- ▁preferred- ▁supplement- ▁sourcing- ▁Once- ▁milestone- ▁formula- ▁disclaim- ▁depth- ▁turned- ▁organically- ▁embedded- ▁explore- ▁instance- ▁obtain- ▁completing- ▁wrap- ▁buyback- ▁pump- ▁Going- ists- ▁Right- ▁Home- ▁updating- ▁kick- ▁surprised- ▁afford- ▁responsible- ▁incurred- ▁sharp- ▁integrating- ▁rolled- ▁filing- quarter- qua- ▁60- ▁Cha- ▁opinion- ▁promotions- ▁indicators- ▁pushing- ▁intent- ame- ▁impressive- ▁bulk- pac- ▁heart- ▁exploration- field- ▁branch- ▁fire- ▁spreads- ▁fix- ▁criteria- ▁drag- ▁Maybe- ox- house- ▁basic- ▁lose- ▁exact- ▁aggregate- date- leading- ▁concerning- ▁accomplished- ▁17- ▁pattern- ▁renewable- ▁feed- ▁dealing- ▁Houston- ▁promote- ▁divisions- ▁percent- ▁gold- ▁regulations- MS- ▁patent- ▁split- ▁differently- ▁Americas- ▁patterns- ▁school- ▁terminal- istic- ▁weighted- ▁spectrum- ▁sponsor- ▁FX- ▁unchanged- ▁expert- ▁0- ▁seeking- ▁member- ▁comparisons- ▁unfavorable- ▁churn- ▁absorb- ▁combine- ▁overhead- matic- ▁creative- ▁join- ▁serious- ▁lock- ▁formal- ▁stress- ▁participants- ▁guest- ▁Jeff- ▁transparency- ▁cat- ▁reliable- ▁estimated- ▁via- ▁purposes- ▁acquiring- ▁appears- ju- ▁calculation- ▁inherent- ▁institutions- ▁analysts- ▁offshore- ▁unlock- ▁elect- ▁located- ▁resolution- ▁minimal- ▁Dan- ▁relation- ▁easily- ▁softness- ral- ▁entering- ▁dose- ▁gather- ▁op- ▁rely- ▁Commercial- ▁square- ▁plenty- ▁impairment- ▁FDA- ▁Sea- ▁CEO- ▁functionality- ▁revised- ▁monthly- ER- ▁disclosed- ▁analyze- ▁raising- ▁sustainability- ▁Importantly- ▁Tri- ▁written- work- ▁Where- ▁someone- ▁port- ▁complement- ▁Trans- ▁entirely- ▁Phase- ▁Industrial- ▁micro- ▁minute- like- ▁thoughtful- ▁fluctuation- ▁partly- RA- ▁considerable- ▁diversity- ▁smooth- ▁persist- ▁prepare- ▁producers- ▁19- ▁AS- ▁reverse- ▁stabilize- ▁fine- ▁eventually- ▁ran- ▁save- ism- ▁Customer- ▁airline- ▁effectiveness- ▁colleagues- ▁self- ▁Pe- ▁realization- ▁administrative- ▁maturity- ▁doubt- ▁tenant- ▁introducing- ▁regulators- ▁straight- ax- ▁recruit- ▁wonder- ▁mass- ▁solar- ▁rollout- ▁Uni- ▁Cor- ▁remove- TA- ▁exception- ▁capable- ▁frequency- ▁borrowing- ▁acreage- ▁architecture- ▁rule- ▁Bill- ▁th- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁knew- ▁published- ▁Man- ▁Hu- ▁election- ▁talented- ▁according- PA- ▁proposed- ▁distinct- ▁consulting- ▁retailer- ▁globe- ▁Under- ▁tighten- ▁refinancing- ▁Pu- ▁thousands- ▁consequence- ▁interaction- ▁Inter- state- ▁seasonally- ▁communicate- ▁park- ▁Matt- ▁characterize- ▁dramatic- ▁write- ▁man- ▁promotion- ▁Private- ▁indicator- ▁3%- forward- ▁Amazon- ▁incredible- ▁older- ▁anybody- ▁deploying- ▁permanent- ▁clinic- ▁servicing- ▁wonderful- ▁Following- ▁TV- ▁owned- ▁Scott- ▁nor- ▁Russia- ▁connectivity- ▁comfort- ▁dialogue- ▁install- ▁concentration- ▁seamless- ▁Michael- ▁demonstrating- ▁warrant- ▁entry- ▁EPS- ▁reflection- ▁legislation- ▁gear- ▁accordance- ▁backdrop- ▁latter- RO- ▁levers- ▁differentiation- ▁minor- ▁damage- ▁Certain- ▁preparing- ▁interact- ▁emerge- IC- ▁engaging- ▁Col- ▁route- ▁retirement- ▁upper- ▁prevent- ▁70- ▁headcount- ▁hybrid- ▁litigation- ▁2%- ▁Permian- ▁utilizing- ▁assure- chi- ▁candidates- ▁narrow- ▁utilities- ker- ▁continuously- ▁meaningfully- ▁layer- ▁National- AN- ▁facilitate- ▁Got- ▁respective- ▁negotiate- ▁massive- ▁referring- ▁Revenue- ▁physician- CE- performance- ▁Like- ▁Retail- ▁Dave- ▁city- ▁Reg- ▁measured- ▁Gulf- ▁menu- ▁vessels- ▁Bob- SA- ▁Every- ▁competing- ▁attend- ▁worse- ▁equal- ▁window- place- ▁commence- ▁procedures- ▁chemical- ▁applied- performing- ▁greatest- ▁distributor- ▁appropriately- ew- ▁pillar- ▁communicated- ▁adjusting- ▁branches- ▁regulation- ▁defense- ▁procurement- ▁factory- ▁offsetting- ▁cities- ▁selected- ▁uptick- ▁merchandising- ▁tail- ▁automate- ▁Central- ▁fantastic- ▁synergy- press- ▁transmission- IS- ▁selection- ▁reaching- ▁generic- ▁observe- ▁became- train- ▁payers- ▁Gra- pay- ▁purchased- ▁round- ▁challenged- ▁modestly- ▁Care- ▁calculate- ▁proactive- ▁divest- ▁relate- ▁streamline- ▁reinsurance- ▁advertisers- ▁receiving- body- ▁passion- ▁stat- AM- ▁ticket- ▁workforce- ▁4%- bra- ▁Forward- ▁vendor- ▁promising- ▁heading- ▁mu- ▁General- ▁disposition- ▁dry- ▁basin- ▁extraordinary- holder- ▁fundamentally- ▁claim- ▁liabilities- ▁Bar- ▁listening- ▁faced- ▁tender- ▁elaborate- ▁preference- ▁upward- ▁stack- ▁Mer- ▁succeed- DA- ▁Medicare- ▁wrong- ▁reset- ▁strengthened- ▁Regarding- ▁harder- ▁bunch- ▁voice- ▁living- ▁night- ▁version- ▁threat- ble- ▁continually- ▁waste- ▁illustrate- location- ▁blend- ▁renovation- ▁jump- ▁terrific- ▁Dr- cost- ▁crop- ▁regardless- ▁Operating- ▁medicine- ▁honest- ▁High- ▁edge- ▁ultimate- ▁placement- ▁disposal- ▁pivot- ▁responsibility- ▁initiated- ▁predictable- ▁shortage- ▁cadence- ▁audit- IN- ▁wave- ▁Service- ▁navigate- ene- ▁adequate- ▁extending- ▁definition- ▁sports- ▁explained- ▁Paul- ▁served- ▁north- ▁raised- 'ON'- ▁lenders- ▁index- ▁counter- ▁manager- ▁borrow- ▁grant- ▁assurance- ▁behalf- ▁upfront- ▁entertainment- fu- light- ▁beneficial- ▁hedging- ▁bridge- ▁Further- ▁rebound- ▁broadcast- ▁publish- ▁essential- ▁uniquely- stock- ▁advancing- ▁innovate- ▁warehouse- ▁sophisticated- ▁offered- ▁indeed- ▁worldwide- ▁joined- ▁women- ▁carrier- AP- ▁Hi- wise- ▁precise- ▁score- ▁Brian- MA- fo- ▁anticipating- ▁satisfied- ▁court- ▁none- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁settle- ▁comm- ▁consistency- ▁compression- ▁agenda- ▁Connect- driven- ▁continuation- ▁secondary- ▁link- ▁funded- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁Sha- ▁prefer- ▁preliminary- ▁Northern- ▁tap- ▁Va- ▁realizing- ▁AR- ▁lab- ▁efficacy- ▁anyone- ▁Factors- ▁pending- ▁Joe- ▁occurring- ▁boost- ▁rebuild- ▁gaming- ▁affecting- ▁digit- ▁panel- ▁sensor- ▁excitement- ▁30%- ▁Food- ▁beverage- ▁constraints- ▁preparation- ▁bundle- month- ▁Each- ▁listen- ▁equation- ▁agent- ▁allowance- ▁Per- ▁characteristics- ▁Additional- ▁earning- ▁conjunction- ▁severe- zz- ▁London- OS- ▁pushed- ▁somewhere- ▁incur- ▁nation- ▁EBIT- ▁translation- ▁25- ▁15%- ▁rid- level- ▁watching- ▁optimal- ▁hopeful- ▁obvious- ▁clarify- ▁identifying- ▁diligently- tech- ▁lap- ▁alignment- TE- ▁anywhere- ▁noise- ▁evident- ▁picking- ▁Ge- ▁ambition- ▁requirement- ▁mile- ▁divestiture- ▁optimism- ▁constitute- ▁reputation- ▁agreed- ounce- ▁staffing- ▁demographic- ▁acceptance- ▁jurisdiction- ▁frequent- ▁Rich- ▁attack- ▁sellers- ▁validate- ▁pharma- ▁intense- ▁distributed- ▁World- ▁title- ▁employ- scale- ▁1%- ▁enormous- ▁compound- how- ▁onetime- ▁6%- ▁word- generation- ▁Does- ▁define- ▁affordable- ▁aftermarket- ▁complicated- ▁families- ▁slowing- ▁disclose- ▁la- ▁signing- ▁suffer- ▁Plan- ▁spin- ▁background- ▁realign- ▁competitiveness- ▁Growth- ▁transparent- ▁alone- ▁math- ▁Gu- ▁currencies- value- ▁accomplishments- ▁stabilized- ▁Street- ▁equally- ▁Black- ▁manufacture- ▁represented- ▁benchmark- ▁contemplate- ▁variability- ▁task- ▁consolidate- ▁exceeding- ▁virtually- ▁sum- ▁Har- ▁appetite- ▁Will- ▁cable- hand- aw- ▁maximizing- ▁philosophy- ▁harvest- ▁unknown- xi- ▁fulfill- win- ▁qualified- ▁employer- ▁Center- ▁buyer- ▁Board- stone- ▁shorter- ▁satellite- ▁midpoint- channel- ▁graph- ▁linked- ▁leg- ▁deck- ▁corresponding- ▁tire- ▁renewed- J- ▁familiar- ▁zone- Z- ▁destination- ▁container- ▁Na- ▁24- ▁OpEx- ▁She- IT- ▁complementary- EX- ▁film- ▁tech- ▁interim- cycle- ▁Korea- ▁Brand- ▁bonus- ▁proceed- ▁Would- ▁classes- ▁pickup- ▁friend- ▁exploring- ▁gradually- ▁fortunate- ▁attach- ▁representative- ▁200- ▁warm- ▁collective- margin- ▁Sun- ▁burn- ▁prospective- ▁pad- ▁horizon- ▁recruiting- ▁prime- ▁addressable- ▁contractual- ▁Digital- ▁reliance- ▁bidding- ▁reaction- ▁entity- ▁Mr- ▁tangible- ade- ▁Basin- ▁appreciation- mail- ▁decent- risk- ▁personally- ▁Kevin- ▁awarded- ▁burden- ▁stabilization- ▁macroeconomic- ▁ingredient- ▁pipe- ▁Risk- ▁copy- ▁neutral- ▁student- ▁franchisees- ▁bucket- ▁inflection- ▁send- ▁guided- ▁cold- ▁covenant- ▁surface- ▁softer- ▁television- ▁measurement- ▁reasonably- ▁hub- ▁funnel- tribut- ka- ▁circ- ▁advisory- ▁occasion- ▁session- ▁sentiment- ▁constructive- ▁sensitive- ▁restrict- ▁accepted- ▁catalyst- cast- EN- ▁crew- ▁proceeding- ▁proactively- ▁adjacent- room- ▁downward- ▁amazing- ▁trigger- ▁auction- ▁revision- ▁Clearly- ▁testament- ▁language- ▁tank- ▁survey- ▁bright- ▁earned- ▁8%- ▁deliberate- ▁accordingly- ▁Chi- ▁grid- ▁arise- ▁Secondly- ▁2014- ▁diligence- ▁referred- ▁headline- premise- ▁lie- ▁mandate- ▁deepen- added- ▁diagnostic- price- ▁Pay- ▁therapeutic- ▁healthcare- ▁wider- source- ▁royalty- ▁Data- ville- ▁construct- ▁virtual- ▁acknowledge- ▁Reform- ▁renew- ▁indicative- ▁supportive- ▁module- ▁Eastern- ▁compensate- ▁consult- ▁FY- ▁underpin- ▁cyclical- ▁monetize- ▁sample- ▁applicable- ▁understood- ▁cutting- ▁attempt- ▁registration- ▁campus- ▁flavor- ▁steadily- ▁sight- ▁treated- ▁anticipation- ▁accept- ▁properly- ▁tailwind- ▁committee- ▁shelf- ▁capturing- ▁style- ▁concentrated- ▁recycling- ▁Lu- ▁deduct- ▁memory- ▁cheap- ▁REIT- ▁noncash- ▁40%- ▁urban- ▁entities- ▁Lastly- ▁programming- ridge- ▁tower- ▁visible- ▁refining- ▁billion- ▁composition- ▁Work- ▁swing- ▁letter- ▁nuclear- ▁IoT- ▁resolved- ▁announcing- ▁equivalent- town- ▁Spain- ▁Greg- ▁historic- ▁Partner- ▁heat- ▁seat- ▁kept- ▁gu- ▁economies- ▁Italy- ▁literally- ▁repositioning- ▁commit- ▁Brexit- ▁pack- ▁discontinued- ▁resilient- ▁functional- ▁tariff- ▁certainty- ▁messaging- ▁turnover- ▁Ka- ▁Ti- ▁Investment- ▁Similar- sourcing- ▁Frank- ▁satisfy- ▁artificial- ▁discovery- ▁authorities- ▁commodities- ▁prioritize- ▁south- ▁pet- ▁losing- ▁ideal- ▁territories- ▁yourself- ▁laser- ▁employment- ▁pound- ▁indirect- ▁pharmaceutical- ▁fight- ▁sorry- ▁Excluding- ▁bullish- ▁separation- ▁detect- tune- ▁redevelopment- ▁rich- ▁augment- ▁strive- ▁strict- ancy- ▁Technology- ▁payroll- ▁radio- ▁Washington- ▁flu- ▁affiliate- ▁concession- ▁predominantly- ▁reflective- ▁technological- ▁quicker- ▁amongst- ▁row- ▁Conference- ▁Southeast- ▁parent- grade- ▁differential- ▁Department- ▁attrition- ▁pause- water- ▁membership- ▁Litigation- ▁regulated- ▁personalized- ▁prescription- ▁cautionary- ▁handful- ▁tie- ▁El- ▁Carolina- ▁corner- ▁lever- ▁poor- ▁7%- ▁scheme- ▁ease- ▁sizable- ▁enroll- ▁fell- ▁carried- ▁chosen- ▁meantime- ▁hitting- ▁database- ▁Port- ▁Corporate- ▁balancing- ▁delever- ▁payout- ▁broadband- ▁official- ▁Che- ▁swap- ▁vote- ▁Water- ▁hu- ▁issuance- ▁prospect- ▁Furthermore- ▁military- ▁shrink- ility- ▁Enterprise- ▁controlling- ▁intellectual- ▁alluded- ▁endpoint- ▁carbon- ▁inject- ▁materialize- ▁Year- ▁bus- ▁Should- ivity- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁discover- ▁lumpy- ▁transport- ▁absorption- ▁semiconductor- je- ▁mutual- ▁popular- ▁audio- ▁code- ▁shipment- ▁Bio- ▁Ki- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁principal- ▁People- ▁'15- ▁LNG- ▁overcome- ▁Total- ▁manufacturer- ▁convinced- oriented- ▁scalable- ▁Hong- ▁bump- ▁hydro- ▁intensity- ▁Medical- ▁Gene- ▁disappointed- ▁copper- ▁takeaway- ▁Park- ▁Kong- ▁judgment- ▁restructure- ▁float- ▁penetrate- ▁Pi- ▁validation- ▁Direct- ▁Network- ▁Media- ▁repayment- ▁description- ▁maximum- Point- ▁output- service- ▁image- ▁household- ▁methodology- ▁Chicago- ▁spite- ▁Ken- ▁Argentina- ▁territory- ▁suit- ▁Performance- ▁CFO- ▁lend- ▁consist- ▁amendment- ▁elsewhere- ▁apparel- ▁foreseeable- ▁principally- view- ▁Information- ▁outlet- fusion- ▁aerospace- ▁relentless- ▁omni- single- ▁undu- ▁hurdle- ▁scaling- ▁rank- ▁cohort- ▁quote- ▁recap- ▁fun- ▁three- ▁throughput- ▁wire- ▁basket- ▁smartphone- ▁Cloud- ▁motor- ▁governance- brand- ▁sensitivity- ▁therapies- ▁fluid- ▁resolve- ▁Delaware- ▁Google- ▁Why- ▁art- ▁Hurricane- ▁lifetime- ▁sa- ▁observation- ▁inflationary- ▁Ju- ▁variation- ▁disruptive- ▁electricity- ▁profitably- ▁interpret- ▁barrier- ▁investigation- ▁scientific- ▁Vice- ▁constrained- ▁delighted- ▁German- ▁casual- ▁expenditure- ▁body- focused- ▁causing- ▁downstream- ▁submission- ▁Number- ▁hour- ▁refinance- ▁municipal- ▁advancement- ▁suppose- ▁gradual- ▁Everyone- ▁MA- ▁favorably- ▁comprise- ▁Due- ▁considerably- ▁securing- hold- ▁domain- ▁unfortunately- ▁vessel- ▁proof- ▁stake- ▁mobility- ▁Class- ▁listeners- ▁protocol- ▁tumor- ▁scrap- ▁shipped- ▁responsive- ▁Northeast- ▁explanation- ▁remarkable- ▁outflow- ▁accommodate- ▁mindful- ▁niche- ▁prepayment- ▁appendix- ▁Auto- ▁SaaS- ▁myself- ▁animal- ▁peer- ▁redeploy- ▁passenger- ▁Key- ▁Project- ▁battery- ▁embrace- ▁monetization- ▁ample- ▁luxury- ▁Company- spec- ▁normalize- ▁disrupt- ▁strike- ▁weekend- ▁threshold- ▁exhibit- ▁weigh- ▁combining- ▁diesel- ▁duty- ▁recommendation- ▁pharmacy- ▁temp- print- ▁enthusiasm- ▁conventional- ▁remodel- ▁subsidiaries- ▁surrounding- ▁leaving- ▁Specifically- ▁parallel- ▁chip- ▁consume- ▁compute- ▁incident- ▁movie- ▁fulfillment- ▁chose- ▁deflation- ▁consultants- ▁thorough- ▁conscious- ▁strides- ▁remote- ▁fastest- ▁relief- ▁recoveries- ▁interface- ▁enthusiastic- ▁Rico- ▁preserve- ▁Beyond- ▁Corporation- ▁airport- ▁dozen- ▁missed- ▁resilience- ▁variance- ▁pretax- ▁street- ▁Consistent- ▁underground- ▁lifestyle- ▁submitted- ▁collaborative- ▁supplies- ▁whilst- ▁honor- standing- ▁acute- ▁density- ▁controlled- ▁breakdown- ▁surprising- ▁educate- media- ▁extract- ▁Jack- ▁agile- ▁Things- ▁rigorous- ▁Peter- ▁predictions- ▁subsidiary- ▁proper- ▁negotiation- turn- ▁consolidating- ▁acceptable- ▁Insurance- ▁optionality- ▁Analyst- ▁EMEA- ▁Two- ▁discrete- ▁struggle- ▁termination- making- ▁impression- ▁loyal- ▁accountability- ▁tier- power- ▁urgency- ▁throw- ▁reposition- range- ▁algorithm- ▁crisis- ▁sudden- ▁resonate- ▁pleasure- ▁advice- ibility- ▁impressed- ▁80%- ▁proxy- ▁surgical- ▁Medicaid- ▁identity- ▁Vegas- product- ▁analytic- ▁9%- ▁district- ▁discretionary- ▁accident- ▁molecule- ▁doctors- ▁failure- ▁pathway- ▁blue- ▁100%- ▁array- ▁exposed- ▁protein- ▁unfold- ▁everywhere- ▁inclusion- ▁worry- ▁alliance- ▁unexpected- ▁corporation- ▁Eagle- ▁upgrading- ▁flight- ▁60%- ▁granular- ▁Alberta- ▁Christmas- ▁white- ▁empower- ▁inspection- ▁novel- ▁precision- ▁ROI- effective- ▁stockholders- ▁Jersey- ▁SKU- ▁absence- ▁negotiating- ▁twice- ▁certification- ▁consumable- ▁derivative- ▁perception- ▁underscore- centric- ▁Specialty- ▁guiding- ▁integrity- ▁nonrecurring- ▁stretch- ▁mini- ▁defend- ▁resume- ▁Green- ▁receipt- ▁dilution- ▁replacing- ▁comparative- ▁substitute- ▁ladies- ▁younger- ▁collateral- ▁fifth- cycl- ▁climate- ▁disappointing- ▁keen- balance- ▁Japanese- growing- ▁Fourth- ▁determination- ▁hyper- ▁mineral- ▁authorization- ▁thrilled- ▁undertaking- ▁script- fold- ▁rationalization- ▁hurt- ▁midstream- sale- ▁Look- ▁comparing- ▁secular- ▁holistic- ▁Construction- ▁robotic- ▁intelligent- ▁velocity- ▁beauty- ▁regime- ▁Smart- ▁invite- ▁dimension- ▁blood- ▁reorganization- ▁unlikely- ▁master- ▁workflow- ▁demo- ▁anniversary- ▁diluted- ▁inorganic- ▁submit- ▁Quarter- ▁cancellation- ▁French- adjusted- ▁cultural- ▁preclinical- ▁concentrate- gress- ▁Security- ▁strip- ▁anchor- ▁Annual- ▁deleveraging- ▁Long- ▁Midwest- ▁relevance- ▁Boston- ▁sweet- ▁Gold- ▁geo- ▁bolster- ▁extreme- ▁overlap- ▁breakeven- ▁headquarters- ▁adult- ▁Doug- ▁vital- ▁agility- ▁Building- ▁revolving- ▁technique- ▁intangible- ▁reservoir- ▁stabilizing- ▁noncore- ▁concrete- ▁reconcile- ▁procedure- ▁immune- ▁Blue- ▁recommend- ▁Mobile- ▁academic- ▁multifamily- ▁practical- ▁Congress- ▁computing- ▁Results- ▁accretion- ▁casino- ▁reversal- ▁arrive- ▁revolver- ▁IPO- ▁referral- ▁convenient- ▁parameters- ▁deterioration- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁uplift- ▁fail- ▁bankruptcy- ▁text- ▁viable- ▁visual- ▁marine- ▁valid- ▁contingent- ▁recession- ▁Federal- ▁apartment- ▁distribute- ▁nimble- ▁suspect- ▁Phil- ▁character- ▁Colorado- ▁solely- ▁modification- ▁outdoor- ▁foresee- ▁articulate- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁Valley- ▁Virginia- ▁possibilities- ▁flood- ▁temperature- ▁alter- current- ▁experiment- ▁restrictions- ▁retire- ▁accuracy- ▁analyzing- ▁aluminum- ▁unprecedented- ▁expire- ▁glad- ▁powder- ▁spike- ▁tomorrow- growth- ▁avenue- ▁guidelines- ▁anymore- ▁eliminating- ▁telecom- ▁poised- ▁resort- ▁Hawaii- ▁likelihood- ▁simplification- ▁Engine- ▁gift- ▁correlation- ▁qualification- ▁redesign- ▁aspiration- ▁triple- ▁chunk- q- ▁underwrite- ▁Colombia- ▁redemption- ▁snow- ▁pursuit- ▁apparent- ▁consent- ▁Adjust- ▁candidate- ▁Program- ▁foremost- ▁Demand- ▁outpace- ▁replicate- ▁saving- ▁Office- ▁Healthcare- efficient- ▁Earlier- ▁Ontario- ▁interconnect- ▁plate- ▁Strong- ▁doubling- ▁analyst- ▁plastic- ▁Brad- ▁Friday- ▁worried- ▁proving- ▁contrast- ▁Whether- ▁1995- ▁Credit- ▁treasury- ▁institution- contract- ▁tissue- ▁Technologies- ▁glass- ▁refund- ▁additive- ▁oncology- ▁regulator- ▁expiration- ▁forefront- ▁embark- ▁IFRS- ▁imaging- ▁coffee- ▁default- ▁placing- ▁entrepreneur- ▁fluctuate- plus- ▁Dallas- ▁consensus- ▁flagship- ▁fragmented- ▁generator- ▁ERP- ▁Executive- ▁hike- ▁Control- ▁advertise- ▁choosing- ▁coast- ▁Sweden- ▁judge- ▁Development- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Together- ▁conviction- ▁click- ▁reaffirm- ▁children- ▁venue- ▁stories- ▁decreasing- ▁heightened- ▁lumber- ▁Remember- ▁tactical- ▁worst- patient- ▁trouble- ▁accrue- ▁caught- ▁unsecured- ▁unmet- ▁Chairman- ▁pronounced- ▁music- ▁Ohio- ▁statistics- ▁uptake- ▁chronic- ▁Access- ▁harm- ▁Micro- ▁debate- ▁quantity- ▁River- ▁initiate- ▁severity- ▁diminish- ▁routine- ▁slip- ▁Unfortunately- ▁mechanical- ▁mistake- ▁ambitious- ▁lens- ▁probability- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁Microsoft- ▁Safety- ▁dispute- ▁communicating- ▁grocery- ▁simplified- ▁Across- ▁Public- ▁spirit- ▁Meeting- ▁grateful- ▁NIM- ▁studio- ▁Facebook- ▁residual- ▁banner- ▁bolt- ▁requiring- ▁Jason- ▁Gross- scrip- ▁allocating- ▁witness- ▁cluster- ▁Illinois- ▁restart- ▁immuno- ▁president- ▁surplus- ▁inefficiencies- ▁baked- ▁Reconciliation- ▁impossible- ▁teleconference- ▁perceive- ▁edit- ▁distinguish- ▁correlate- ▁authentic- ▁idle- ▁autonomous- ▁friction- ▁coupon- ▁ATM- ▁ancillary- ▁incumbent- ▁refocus- ▁overnight- ▁imperative- ▁Indonesia- ▁manifest- ▁govern- ▁promoting- ▁regain- ▁ruling- ▁pulp- ▁rebate- ▁neuro- ▁royalties- ▁transcript- ▁kids- ▁George- ▁filter- ▁diligent- ▁prescribe- ▁revolution- ▁Science- ▁British- ▁accrual- ▁cement- ▁Keep- ▁Phoenix- ▁Zealand- ▁dominant- ▁Broad- ▁Senior- ▁replenish- ▁Court- ▁appointment- ▁collaborate- ▁speculate- ▁Electric- ▁Norway- ▁genetic- ▁modify- ▁Transportation- ▁erosion- ▁resonating- ▁quota- ▁crucial- ▁opposite- ▁streamlining- ▁optical- ▁Chemical- ▁authority- ▁millennial- ▁Flex- ▁disaster- ▁shortfall- ▁1,000- ▁nursing- ▁Republic- ▁implies- ▁elevate- ▁equities- ▁Several- ▁annuity- ▁elimination- ▁landlord- ▁neighborhood- ▁curtail- ▁argue- ▁temporarily- ▁Atlanta- ▁crystal- ▁Lower- ▁Personal- ▁ordinary- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁albeit- ▁perpetual- ▁differentiating- ▁activation- ▁exploit- ▁reception- ▁systematic- ▁premature- ▁Navy- ▁revisit- abilities- ▁competencies- ▁integral- ▁skew- ▁photo- mount- ▁corn- ▁Netherlands- ▁article- ▁charging- ▁shaping- ▁activate- specific- ▁implant- ▁unrealized- ▁eager- ▁securitization- ▁Oklahoma- ▁accumulate- ▁phasing- ▁province- ▁Resources- ▁softening- ▁Automotive- ▁privilege- ▁depressed- ▁statistical- ▁inflows- ▁Electronic- ▁catastrophe- ▁prevail- ▁Arizona- ▁durable- ▁terminate- ▁RevPAR- ▁assembly- facing- ▁Though- ▁argument- ▁airplane- ▁fraud- ▁society- ▁Platform- ▁habit- ▁brick- ▁crack- ▁Michigan- ▁bandwidth- ▁applies- ▁delta- ▁qualitative- ▁determining- ▁grain- ▁leisure- ▁repricing- ▁amended- ▁'20- ▁inhibitor- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- ▁innovating- ▁encounter- ▁endeavor- ▁Defense- ▁excuse- ▁Communication- ▁pride- ▁buffer- ▁configuration- ▁clarification- ▁Target- ▁Craig- ▁Nevertheless- ▁silver- ▁Property- ▁Ultimately- ▁circuit- ▁instruct- ▁showcase- ▁energized- ▁severance- ▁trailing- ▁iconic- ▁tailored- ▁concluding- ▁Supply- ▁Seattle- ▁recapture- ▁vacation- ▁modified- ▁steep- ▁celebrate- ▁prepaid- ▁vacancy- ▁Natural- ▁achievable- ▁drink- ▁inclusive- ▁scheduling- ▁capacities- ▁mitigation- ▁investigator- ▁black- ▁Margin- ▁taste- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_unnorm_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.7distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm//lm_train_lm_en_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 58146dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm//lm_stats_en_bpe5000/train/text_shape.bpevalid_shape_file:- exp_unnorm//lm_stats_en_bpe5000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- s- ▁in- ▁that- ▁a- ''''- ▁our- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁be- ▁this- ▁We- re- ▁And- ▁will- '-'- t- ▁year- ▁quarter- ▁at- ing- ▁So- ▁more- ▁from- ▁business- ▁think- ▁not- ▁what- ▁some- d- ve- ▁us- ▁by- ▁about- ed- ▁there- ▁can- ▁growth- ▁new- ▁was- ▁which- ▁or- ▁do- ▁very- ▁an- '?'- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁all- ▁been- ▁just- ▁has- ▁these- ▁so- ▁well- ▁over- ▁those- ▁now- ll- ▁time- ly- n- ▁out- ▁where- ▁into- ▁customers- ▁like- ▁first- ▁results- m- ▁But- ▁other- ▁really- ▁how- ▁if- ▁up- ▁their- ▁expect- ▁forward- ▁company- ▁than- ▁last- ▁were- ▁look- ▁your- ▁through- ▁get- ▁any- ▁call- ▁one- ▁because- ▁strong- ▁In- ▁had- ▁believe- ▁sales- ▁when- ▁good- ▁second- ▁This- ▁As- ▁revenue- ▁then- er- ▁lot- ▁make- ▁performance- ▁product- ▁cost- ▁much- y- ▁financial- ▁capital- ▁value- ▁Our- ▁could- ▁years- ▁right- ▁impact- ▁terms- ▁want- ▁future- ▁don- ▁both- ▁It- ▁them- ▁today- ▁work- ▁little- ▁back- ▁customer- ▁next- ▁bit- ▁increase- al- ▁end- ▁take- ▁products- ▁number- ▁kind- ▁higher- ▁opportunities- ▁half- ▁able- ▁way- ▁markets- ▁may- ▁know- ▁significant- ▁operating- ▁better- ▁go- ▁focus- ▁say- ▁cash- ▁2- ▁part- ▁things- ▁still- ▁point- ▁provide- ▁most- ▁statements- ▁lower- ▁should- ▁team- ▁being- in- c- ▁need- ▁across- ▁made- ▁opportunity- ▁line- ▁important- ▁down- ▁third- e- ▁rate- ▁- ▁during- ▁long- ▁people- ar- ▁re- ▁fourth- ▁strategy- ▁portfolio- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁price- ▁progress- ▁around- ▁A- p- r- ▁working- ▁share- ▁management- ▁me- ▁demand- ▁investment- ▁no- ▁due- ▁additional- ▁give- ▁actually- ▁come- ▁high- ▁great- ▁while- ▁only- ▁even- ▁seeing- ▁plan- ▁few- ▁margin- ▁same- ▁looking- ▁here- ▁S- ▁drive- ▁development- ▁start- ▁grow- ▁result- ▁costs- ▁different- ▁current- le- ▁seen- ▁change- ▁doing- ▁further- ▁3- ▁coming- ation- ▁service- ▁who- ▁guidance- ▁positive- ▁data- ▁earnings- o- ▁position- ▁C- ▁process- ▁technology- ▁key- ▁turn- ▁full- g- looking- ▁past- ▁investments- ▁That- ▁said- ▁support- ▁improve- ▁overall- S- ▁basis- ▁environment- ▁expected- or- ▁balance- ▁question- u- ▁increased- ▁again- ▁move- ▁focused- ▁help- ▁within- ▁sort- 'on'- ▁got- ur- ▁potential- ▁services- ▁before- ▁large- ▁remain- ▁businesses- ▁pricing- ▁months- ▁These- ▁side- ▁making- ▁Q- ▁F- ▁done- ▁put- ▁something- ▁ability- ▁program- ▁interest- ▁experience- ▁strategic- ▁already- ▁platform- ▁sure- ▁production- ▁based- ▁use- ▁best- ▁feel- ▁such- ▁information- ▁segment- ▁acquisition- ▁mentioned- ▁period- ▁Now- ▁talk- ▁model- ▁maybe- ▁expectations- ▁early- ▁several- ▁You- ▁operations- ▁given- ▁deliver- ▁s- ▁base- ▁order- ▁assets- ▁pleased- term- ▁rates- ▁my- ▁changes- ▁tax- ▁place- ▁build- C- es- ▁benefit- ▁each- ▁couple- an- ▁growing- ▁improvement- ▁including- ▁under- ▁projects- ▁certain- ▁related- ▁flow- ▁initiatives- ▁addition- ▁fact- b- ion- a- ▁commercial- ▁companies- ▁activity- ▁driven- ▁areas- ers- ▁getting- ▁existing- ▁mix- ▁brand- ▁term- ▁margins- ▁volume- ▁levels- ▁pretty- ▁thing- ▁mean- ▁release- ic- ▁continues- ▁income- ▁course- ▁capacity- ▁big- P- it- ▁factors- ▁might- l- ▁competitive- ri- ▁clients- ▁probably- ▁net- ▁project- ▁always- ▁With- ▁does- en- ▁There- E- ▁risk- ▁B- ▁review- ▁every- ▁leverage- ▁Thank- able- ▁marketing- ▁amount- ▁off- ▁quite- ▁quarters- ▁saw- ▁update- ▁its- ▁P- ▁less- ment- ▁prices- ▁offset- ▁why- ▁view- ▁supply- ▁available- ▁world- ▁building- ▁after- ▁credit- ▁E- ▁having- ro- I- ▁recent- ▁de- ▁top- ▁success- ▁real- ▁between- ▁set- ▁prior- ▁efforts- ▁core- ▁global- ▁let- ▁digital- ▁quality- k- ▁Or- ▁conference- se- ▁area- ▁operational- ▁earlier- il- ▁T- ▁shareholders- ▁return- ra- ▁far- ▁system- ▁understand- ▁low- ▁range- ▁pipeline- ▁trying- ▁actual- ▁contract- ▁expenses- ▁primarily- ▁continuing- ▁another- ▁structure- ▁While- ▁certainly- ▁whether- ▁e- ▁solutions- ▁approach- ▁day- f- ▁own- ▁inventory- ▁questions- ▁outlook- ▁ahead- ▁For- to- ate- ▁taking- ▁improved- ▁presentation- ul- ▁expense- R- A- T- el- ▁thank- ▁non- ▁If- ▁major- ▁retail- ▁confident- ▁profitability- ch- ▁fiscal- ▁capabilities- ▁create- ▁timing- ▁group- ▁add- ▁expand- ▁un- ▁p- ▁materially- li- ▁clear- ▁risks- M- ▁total- ent- ▁b- ▁increasing- ▁expansion- O- ▁4- ▁ago- ▁On- ▁consumer- ▁specific- ▁distribution- ▁D- ▁solid- ▁obviously- ▁excited- ▁hard- ▁space- ▁driving- ▁moving- D- ▁benefits- ▁What- ▁f- ▁invest- ▁talked- ▁differ- ▁acquisitions- ▁China- ▁revenues- ▁partners- ▁strength- ▁plans- ▁Yes- ▁sheet- ▁bring- la- ▁begin- ▁tell- ▁perspective- ▁keep- ▁particularly- at- th- ▁small- ▁increases- up- ▁1- ▁5- ▁debt- i- ▁They- ▁sense- ▁stores- ▁transaction- ▁U- ▁close- ▁versus- ▁asset- ▁R- ▁compared- ▁per- ▁improving- ▁network- ▁measures- '1'- ▁longer- ▁programs- ive- ▁patients- ▁run- ▁consistent- ▁open- ▁average- ▁significantly- as- L- ▁trends- ▁beginning- ▁control- ▁numbers- ▁scale- ▁needs- ▁care- ▁G- ▁currently- ry- ▁since- ▁conditions- ▁trend- ▁decline- ▁organization- ▁c- et- ▁innovation- ▁detail- ▁pay- ▁difficult- ▁include- ▁advantage- ▁profit- ▁N- ▁deal- ▁points- ▁execution- ▁anything- ▁towards- ▁volumes- ▁cause- ▁together- ▁access- ▁material- ▁larger- ▁However- ▁spend- ▁starting- ▁efficiency- ▁uncertainties- ▁reduce- ▁example- ▁remains- ▁record- ▁At- ▁throughout- ▁later- ▁comments- ▁ongoing- ▁fully- ▁gas- ▁store- ▁greater- ▁organic- ▁yet- ▁events- ▁along- ▁M- ▁successful- ol- ▁short- ▁2017- ▁To- ▁announced- ▁con- est- h- ter- ▁morning- ▁note- ▁sell- ▁discuss- ▁find- ▁Europe- ne- te- ▁started- ▁brands- ▁allow- ▁returns- ▁transition- ▁case- ▁particular- ▁track- ▁front- ▁achieve- ▁talking- ▁become- ▁manage- ▁similar- ▁decision- ▁oil- im- ▁international- ▁infrastructure- ▁health- ▁momentum- ▁providing- ized- ▁Okay- ▁recently- ies- ▁completed- ▁job- ▁press- ▁direct- ▁economic- ▁Re- ▁book- ▁shift- ▁associated- ▁improvements- ce- ▁try- ▁discussed- ▁guess- ity- ▁activities- '2'- ▁play- ▁report- ▁impacted- ▁size- ▁everyone- ▁previously- ▁systems- ▁2018- ig- ▁confidence- ▁anticipate- ▁pressure- ▁offering- ▁6- ▁remarks- ▁effect- ▁reduction- G- ▁issues- um- ▁integration- ▁offer- ▁reason- lo- ▁lines- ▁too- ▁partner- ▁stock- ▁launch- ▁board- ▁Before- ▁meet- ▁O- ▁used- ▁positioned- ▁cycle- ▁delivering- ▁investors- ▁energy- ▁website- ▁equity- ated- ▁incremental- ▁against- ▁segments- ▁subject- ck- ▁rest- age- ▁2016- ▁teams- ▁items- ▁slightly- ▁local- ▁percentage- ▁quickly- ▁guys- ▁power- ▁multiple- ▁money- ▁near- ▁L- ▁single- ▁Slide- ge- ▁contracts- de- ▁beyond- ▁adjusted- ▁target- ▁actions- ▁co- ▁channel- x- ▁leadership- ▁selling- ▁equipment- ▁develop- ▁clearly- ▁especially- B- ▁possible- ating- ▁address- ▁unique- ▁generate- ▁spending- ▁relative- '%'- ▁using- ▁answer- year- ting- ▁annual- ▁remind- ▁comment- ▁date- ▁dis- ▁general- ▁once- ▁maintain- ▁serve- ▁combination- ▁without- ▁st- ▁facility- ▁manufacturing- F- w- ▁execute- ▁complete- ▁means- ▁client- ▁hand- ▁employees- ▁either- ▁resources- ▁design- ▁One- ▁free- ▁comes- ▁issue- ▁ensure- ▁attractive- ▁show- ▁reflect- ▁included- ▁taken- ▁content- ▁challenges- ▁online- ▁loan- ▁details- ▁type- ▁final- ▁month- ant- ▁v- end- ▁various- ally- ▁investing- ▁regarding- ▁leading- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁public- id- ▁whole- ▁pre- ▁moment- ▁meaningful- ▁t- ▁situation- ▁All- ▁comp- ▁wanted- ▁step- us- ▁happen- ▁chain- ▁New- ▁clinical- V- ▁thinking- ▁forecast- tion- z- ▁productivity- ▁he- ▁corporate- na- co- ▁d- ▁solution- ▁relationships- ru- ▁regulatory- ▁stronger- ▁thought- ▁largest- ▁committed- ir- ▁goal- ▁enhance- ▁government- ▁sale- ▁marketplace- ▁discussion- ization- ▁profitable- ▁deals- ▁relatively- ▁cloud- ▁delivered- ▁First- ▁portion- ▁H- ut- ▁hope- ▁anticipated- ta- '3'- lu- ▁favorable- ▁season- ▁lead- ▁savings- ▁likely- ▁EBITDA- un- ▁entire- ▁When- ▁respect- ▁provided- GAAP- ▁Well- ▁prepared- ▁least- ▁bottom- ▁consumers- ▁underlying- ▁highly- ▁transformation- ▁normal- ▁operate- ▁Can- ▁category- ▁delivery- ▁bank- ▁flat- ▁days- ad- ▁flexibility- ▁combined- ▁dividend- ▁Let- ▁experienced- line- ▁ways- ▁closing- ma- ▁account- ▁purchase- ▁built- '4'- ▁majority- nt- ▁week- ▁slide- ance- ver- ▁orders- ▁critical- ▁agreement- ▁gives- ▁gain- am- ure- ▁challenging- ▁expanding- ▁though- ▁efficient- ▁ratio- ▁commitment- ▁haven- ▁effective- ▁came- ▁accelerate- ▁generation- ▁home- ▁initial- ▁upon- ▁generally- ▁am- ▁quarterly- ▁test- ▁buy- ▁doesn- ▁required- ▁strategies- ia- ct- ▁competitors- ▁currency- ▁ramp- ▁During- ▁pro- vi- ▁region- ▁country- ▁everything- ine- ti- ▁decrease- ▁K- ▁largely- ▁12- ▁stay- ▁St- ▁facilities- ▁active- ▁competition- ▁loss- ▁pace- ▁Do- ▁patient- ▁profile- ize- rs- ▁unit- ▁behind- ▁extremely- ▁provides- ▁smaller- ▁million- ▁enough- ▁property- ▁ourselves- ▁enterprise- ▁mid- ▁enable- over- ▁relationship- ▁weeks- ▁ever- ▁stable- ▁office- ▁sector- ▁Please- ▁allows- ▁premium- ▁following- ac- ▁sustainable- ted- ▁planning- ▁fair- tra- ▁win- ▁categories- ▁reported- ▁trade- ▁happy- ▁software- ▁specifically- ▁effort- '0'- ▁recovery- ▁away- ▁sub- ph- ▁field- ▁internal- ▁contribution- ci- ▁assumptions- ▁includes- ▁traditional- ▁his- ▁speak- ▁reach- ▁reduced- ▁running- ▁rather- me- ▁loans- ▁life- ▁achieved- ▁individual- ▁center- mi- ho- ▁accounts- ▁technologies- ▁transactions- ▁wondering- ▁exactly- ▁GAAP- tic- ▁state- ▁follow- ▁metrics- ▁J- ▁h- ▁obligation- K- ▁assume- ▁present- po- ▁meeting- ▁natural- ▁factor- ▁offerings- ▁above- and- ness- ▁Co- ▁faster- sh- ▁appropriate- ial- em- ▁applications- ▁mobile- ▁units- ▁added- ▁di- ▁won- ▁efficiencies- ▁weather- U- ▁received- ▁safety- ▁10- ▁private- ▁basically- ▁exciting- ▁estate- ▁Ma- ▁double- izing- ▁study- ▁directly- ▁consider- ▁partially- ▁reflects- ▁tend- ▁channels- ▁V- ▁seems- ▁changed- ▁industrial- ▁parts- ▁discussions- N- ▁insurance- ▁developing- ▁outside- ▁accounting- ▁footprint- ▁shareholder- ▁Thanks- ▁statement- ▁plant- ▁restructuring- ▁took- ▁8- ▁highlight- ab- ▁changing- ▁labor- ▁response- out- ▁completion- ▁substantial- ▁De- ▁firm- ▁makes- ▁capability- ▁joining- ▁form- ical- ▁January- ▁approval- op- ▁traffic- ▁expectation- ▁reasons- ▁integrated- ▁mind- ▁cover- ▁Asia- ▁robust- per- ▁opening- ▁despite- ▁fund- ▁adding- ▁December- ens- ▁drivers- ▁creating- ▁decisions- ▁healthy- ▁force- ▁refer- ▁fuel- ▁processes- ▁options- ty- ▁He- ▁land- ▁No- ha- ▁happening- ▁gains- based- ▁managing- ▁disconnect- ▁fleet- ▁found- ▁w- ▁therefore- he- ▁W- ▁late- pe- ▁potentially- ▁typically- ▁direction- ▁predict- ▁backlog- ▁community- ▁engagement- ▁Just- is- ▁ultimately- ▁yield- ▁driver- ▁main- ▁advertising- ▁executing- ▁primary- ▁platforms- bi- ▁almost- ▁ex- ▁conversion- ▁phase- ▁light- ▁understanding- ▁optimistic- ▁nature- side- ▁mo- ▁idea- ▁exchange- ▁20- ▁planned- di- ▁filings- ▁saying- ▁security- ld- ▁comfortable- ▁bringing- ▁fall- ▁historical- ▁effectively- ▁foundation- ▁necessary- ▁goes- ▁please- ▁never- ▁putting- ▁excellent- ▁needed- ▁2019- ▁visibility- ▁proud- com- ▁ask- ▁highlights- om- ▁tremendous- ▁countries- ▁limited- ub- ▁disciplined- ▁slow- ▁liquidity- ▁losses- ▁pass- ▁broad- ▁else- ▁How- ▁special- ▁standpoint- ▁encouraged- ▁cases- con- ▁7- ▁food- land- time- ▁bigger- ▁lease- ous- ▁difference- ors- ▁comparable- ▁recognize- fi- ▁funding- ▁June- ▁launched- ▁times- ▁targets- ▁volatility- ▁September- ▁extent- ▁March- ▁standard- ie- ▁financing- ▁path- ▁expanded- ▁read- ▁ma- ▁role- ▁maintenance- ▁broader- ▁remaining- ▁capture- ence- ▁utilization- ▁franchise- ▁g- ▁members- iv- ▁operation- ▁sold- ▁detailed- ▁partnership- v- ▁fee- ▁hold- ▁regions- ▁types- ▁Because- ag- ning- ▁fixed- ight- ▁represent- ▁budget- ▁intend- ▁reducing- pi- ▁although- ▁proposition- ▁ready- ▁others- ard- ▁approximately- ▁exposure- ▁focusing- ot- ▁Some- ▁economy- ▁research- ▁optimize- ▁safe- ▁stand- ▁acquired- ▁remainder- ▁appreciate- ▁Turning- ator- ▁produce- ▁locations- ▁CapEx- ▁dollars- ▁properties- ▁media- ▁9- ▁reflected- ▁bo- ▁fees- ▁below- ▁finally- ▁pull- ▁allocation- ▁2015- ▁interesting- ▁water- ng- ▁fit- ▁biggest- ▁nice- ▁fairly- ca- ke- ▁went- ▁event- ▁tools- ▁highest- ▁perhaps- ▁treatment- ▁successfully- ary- ▁stage- ric- ▁hit- ▁inflation- ▁domestic- ▁live- ▁closely- ▁po- ▁summary- ▁engine- ▁Looking- ▁led- H- ▁history- ▁requirements- ▁Good- ▁buying- lic- ▁national- ▁increasingly- ▁legacy- ▁car- ▁necessarily- ▁Finally- ▁ro- ring- ▁commodity- ▁schedule- we- ▁outstanding- ▁attention- ▁somewhat- ▁reporting- ▁shows- ▁game- ▁soon- ▁deep- va- ling- ▁giving- ▁simply- ▁priority- ▁Brazil- ▁policy- ▁strengthen- ▁everybody- ▁pick- ist- ▁talent- ping- ▁trial- ian- ▁mainly- ▁European- ▁goals- ▁evaluate- ▁takes- ▁drug- go- ▁convert- ▁Al- ▁regard- ▁expertise- ▁name- ▁maintaining- ▁ch- ▁en- ▁flows- ▁list- ▁respond- ▁closed- ▁correct- ▁component- ▁itself- ▁paid- ▁prospects- ▁Ca- ▁dollar- bo- ▁innovative- ▁license- ▁implementation- ▁gross- ▁drilling- ▁discipline- ▁expecting- ▁steps- ▁n- ▁Mi- ▁Canada- ▁room- mb- ▁Although- ▁priorities- ▁piece- ▁initiative- ▁developed- ▁leader- ow- ▁yes- ▁mortgage- ▁professional- ▁testing- ▁adoption- ▁compensation- ▁historically- ▁10-- one- ▁definitely- ▁2017.- der- ▁matter- nd- for- ▁table- ▁funds- bu- ex- ▁advance- ▁attract- ▁periods- ▁Ro- ▁Also- ▁October- ▁April- ▁speed- ▁vertical- ▁challenge- rm- ▁rent- ▁created- ▁realize- ▁shares- ▁occur- ▁perform- ▁contain- ▁learning- ▁true- 'no'- ▁happened- ▁touch- ▁multi- ▁drop- ▁undertake- ▁pursue- ▁operator- ▁app- ative- ▁foreign- ▁payments- hi- ▁card- '00'- od- ▁centers- ite- ▁targeted- ▁site- ▁'17- ▁culture- ▁Are- ▁context- ▁importantly- ▁Ex- ▁actively- ▁analysis- ▁described- ▁Given- ip- ▁application- ▁worked- ▁presence- ▁aggressive- ▁deployment- ▁post- ▁resulted- ▁SEC- ▁payment- ▁medical- ▁compete- ▁announcement- ▁resulting- ▁reconciliation- ake- ▁conclude- ▁steady- ner- ▁East- way- ▁action- ▁complex- ▁geographic- ▁affect- ▁July- ▁ra- ction- ▁Investor- ▁count- ▁remember- ▁summer- ▁helping- ▁training- ▁nothing- ▁stream- ▁middle- ▁generated- ▁huge- ▁break- ▁involve- ▁designed- ▁noted- ap- ▁relates- ok- ▁tough- ▁upside- ability- 'off'- ▁seasonal- ten- ▁modest- ▁La- ▁joint- ▁coverage- os- ▁technical- ▁participation- ▁becoming- ▁dynamics- ped- ▁players- ▁30- ▁Day- ▁retailers- ▁emerging- ▁holiday- ▁synergies- ▁South- ish- ▁deposit- ▁measure- ▁2018.- ▁among- ▁dynamic- ▁regional- ▁invested- ▁push- ▁Additionally- ▁trading- ▁heard- ▁implemented- ▁leveraging- ▁discount- und- ▁May- ably- ▁story- ▁gone- log- ▁advanced- ▁choice- ▁exit- ▁America- ▁'18- ▁positions- ward- ber- ▁road- ▁upgrade- ified- ▁capitalize- ▁walk- ▁Mar- ▁relevant- ▁affected- ▁Pa- ▁Over- ▁Con- ▁i- ▁recognized- ▁materials- ries- ▁variety- ▁often- ▁independent- ▁Securities- ▁reminder- ▁reasonable- ▁managed- ▁commission- ▁November- ▁Overall- ▁helpful- ▁transform- ▁moved- ▁otherwise- ▁providers- ▁Services- ▁India- ▁imp- ▁sh- ▁adjustments- ▁models- ▁division- mer- ▁ground- ▁Second- ▁fast- ▁wide- ▁news- ▁demonstrate- ▁enhanced- ff- ▁must- ▁issued- ▁retain- ▁objectives- ▁generating- ▁face- ▁recover- ick- ▁My- ▁closer- ▁effects- ▁communities- ▁function- ible- ▁source- ▁vision- ▁reflecting- ▁renewal- ▁campaign- ▁chart- ▁common- ▁February- ▁charge- ▁hear- ▁reference- ▁headwinds- ▁decided- ▁absolutely- ▁banking- ▁excess- ▁easier- ▁performing- ▁California- ▁seem- ster- ▁identified- ▁reductions- ▁represents- ▁began- ▁movement- ▁uncertainty- ron- ▁analytics- ▁Pro- ▁extend- ▁se- act- by- ▁roll- ▁ship- ▁banks- vo- ▁18- ▁essentially- ging- ▁York- ▁recognition- ▁protect- ▁investor- ▁evidence- ▁suggest- ▁looks- day- ▁happens- X- ▁identify- ▁incentive- ▁finance- ▁Be- ▁subscription- ▁interested- ▁developments- ▁bookings- gen- ▁cannot- ec- ▁class- all- ▁Se- ual- ▁looked- ▁sites- ▁turning- ▁users- ▁impacts- ▁stated- ▁require- market- ▁estimate- ▁established- ▁outcomes- ▁external- ions- ▁Di- '5'- ▁population- ▁underwriting- ▁easy- ▁consolidation- ▁maximize- ▁repurchase- ▁head- ▁carry- ▁truck- ▁problem- ▁left- qui- ▁consistently- ▁figure- ▁provider- ▁venture- ▁helped- ▁compelling- ▁Commission- ▁paying- ▁conservative- ▁Te- ▁components- nce- ▁spot- ▁partnerships- ▁aware- ▁mark- ▁bar- ▁penetration- ▁Mexico- be- port- ▁projections- ▁Moving- ach- ue- ▁engineering- ▁allowed- Q- ▁operators- ▁shown- ▁agreements- ▁achieving- less- ▁Vi- ▁law- ▁indicated- ▁raw- ▁ba- ice- ▁presented- ton- ▁West- ▁deploy- ▁An- ▁rapidly- ▁wins- ▁brought- ▁thoughts- ▁outcome- vis- ▁reform- ▁mention- ▁video- ▁demonstrated- ▁Wa- ▁folks- ▁separate- ▁collection- ▁August- ▁smart- ▁limit- ▁encouraging- ▁machine- ▁prudent- ▁differentiated- ▁toward- ▁auto- ▁sequential- ▁disease- ▁degree- par- ▁filed- ▁receive- ▁option- gra- ▁recorded- ▁exceptional- ▁grew- ities- ▁frankly- ▁tight- ▁valuation- ▁section- ea- ▁Mo- ft- digit- ▁ones- wa- ▁calls- ▁seasonality- ▁trust- ▁supported- ▁evolve- ▁considered- ▁plants- ▁finding- ▁accelerated- ▁showing- ▁From- ▁objective- ▁federal- ▁personal- ▁quick- ▁substantially- ▁devices- ▁senior- ▁John- ful- ▁met- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁suppliers- do- ▁curious- ▁remained- ▁concludes- ▁Form- ▁fill- du- ▁realized- ▁confirm- ▁retention- ▁staff- ▁Those- ▁explain- ▁elements- ▁Group- ▁Of- ill- ▁involved- ▁enter- ▁dedicated- commerce- ▁estimates- amp- ▁securities- ▁Le- ▁inter- ▁contributed- ▁positioning- ▁promotional- ▁felt- ▁Me- ▁Australia- ▁consolidated- ▁benefited- ▁comprehensive- ▁acquire- ▁o- ▁repeat- ▁rep- ▁Today- ▁legal- ▁contribute- ▁rental- ▁leasing- ▁Sp- ▁specialty- ▁claims- ▁feedback- ▁leaders- ▁Chinese- ▁utilize- ▁truly- ▁shared- fe- ▁supporting- ba- ▁visit- ▁15- ▁taxes- ▁Exchange- ▁excellence- ify- ▁original- ▁residential- ▁stuff- ▁traction- fa- ▁participate- ▁raise- ▁signed- ▁refine- ▁provision- ▁decade- ▁nearly- ▁establish- ▁Mike- ▁spread- ▁belief- ▁hospital- ▁wholesale- related- ▁mine- cor- ▁merger- ▁aggressively- ▁cross- ▁themselves- ▁variable- ▁proven- ▁projected- ▁deposits- ▁whatever- ▁apply- ▁implement- ▁package- ▁availability- ▁2016,- ▁automotive- ▁Again- ▁simple- ▁lending- ▁gave- ▁Ho- ▁macro- ▁shop- fer- ▁allowing- ni- ▁vehicle- ay- ▁location- ▁Page- ▁By- ▁conclusion- ▁ho- que- ▁skill- ▁social- ▁Su- W- ▁worth- ▁commentary- ▁afternoon- ▁recurring- ▁digits- ▁Li- ▁studies- ▁holding- ▁cautious- ▁Market- ▁introduction- ▁updated- ▁Lo- ▁held- ▁optimization- ier- ▁Texas- ▁stages- ▁deferred- ▁concept- ▁conversations- ▁cut- ▁creation- ulation- ▁adjust- ▁economics- ▁engaged- ▁picture- ▁features- ▁speaking- ▁page- ▁Obviously- ▁Any- ▁collaboration- ▁assess- ▁transportation- ▁processing- ▁welcome- ▁posted- ▁IT- ▁journey- man- ▁structural- ▁declines- ▁overview- ▁En- ▁known- ▁completely- tain- ▁internally- ▁hire- ga- ▁constant- air- ▁reserve- ▁strengthening- ▁export- ▁efficiently- ▁mostly- ▁Car- ▁mitigate- ▁Bank- ▁indication- che- oc- ▁disruption- ▁gentlemen- ep- ▁fundamentals- ▁connect- ▁practices- ▁lost- ▁hedge- ▁participating- ▁match- ▁accelerating- ▁user- ▁secure- ound- lin- serv- ger- ▁shipments- ▁Ar- ▁manner- ▁Ne- ak- ▁bio- ▁slower- ▁gr- ▁forth- ency- ▁exclude- ▁performed- ▁clean- ▁sometimes- ▁curve- ▁expressed- ▁recall- ▁minutes- ▁alternative- ▁sources- ▁advise- ▁11- ▁calendar- io- ▁After- ▁log- ▁frame- ▁keeping- ▁consideration- ▁states- ▁mis- ▁guarantee- ▁globally- ▁behavior- ▁draw- ▁evaluating- rg- ▁superior- ▁valuable- ▁dividends- ud- ▁announce- ▁Ac- ▁called- ▁compare- ▁subsequent- ▁executive- ath- ▁signs- ▁peers- ▁resource- ▁Financial- ▁weak- ▁comparison- ▁exist- ▁sp- ▁trans- ▁aim- ▁introduced- ▁awareness- ▁launches- ▁storage- ▁notice- ▁housing- ▁weakness- ▁compliance- ▁monitor- store- ▁hopefully- ▁encourage- ▁knowledge- ▁however- ▁element- ▁brief- ▁upcoming- ▁align- ▁bid- ▁extended- ang- ▁adopt- ▁finish- ▁contained- the- ▁Po- comp- ▁modern- av- ▁engage- ▁parties- ▁sharing- ▁pursuing- ▁strongly- ▁wait- ▁old- ▁rig- ned- Y- ▁peak- ▁cell- ▁gap- ▁connection- ▁Not- ▁slides- ▁transfer- ▁acceleration- ▁commitments- ▁plus- ▁Ra- ▁proceeds- ▁Could- ▁helps- ▁'19- ▁travel- ▁sustain- ▁evolution- ▁Management- ▁2019.- ▁reinvest- ▁'16- ▁stability- ▁American- ▁broadly- ▁regular- ▁Based- ▁enjoy- ▁Ba- ▁fl- ▁foot- ▁vehicles- ▁charges- ▁diversified- ▁pressures- ▁standards- ▁opposed- ▁meaning- ▁document- ▁medium- ▁block- ▁Actual- ▁highlighted- ▁disclosure- ▁te- ▁contributions- ▁considering- ▁shipping- ▁asked- ▁concluded- AR- ▁setting- ev- ▁implementing- ▁stop- ▁sign- ▁enhancing- ▁circumstances- ▁executed- ▁message- ▁bad- ▁scenario- ▁Since- ▁audience- ▁device- ▁topic- ▁inside- ▁balanced- ▁geographies- ▁sufficient- ▁50- ▁offers- ▁ad- ▁Jo- ▁sit- ▁shape- ▁wells- ▁shopping- ▁moderate- ▁Ad- ▁ended- ▁Bo- ▁item- ▁pilot- ▁thanks- ▁discussing- ▁publicly- ▁custom- king- ▁targeting- ▁profits- ▁concerned- ▁rising- ▁Act- ▁insight- ▁roughly- ▁landscape- pro- back- ee- ▁slight- ification- ▁words- ▁seek- ▁integrate- ever- ▁influence- ▁mission- ane- ▁settlement- ▁managers- ▁industries- ▁aspects- ▁extension- ▁Steve- ▁fundamental- ▁translate- ▁mining- ▁sc- ory- ▁becomes- '6'- ▁matters- ▁approved- ▁automation- ▁ownership- ▁heavy- ▁winter- cel- net- ▁Most- ▁aircraft- ris- ▁rating- ▁leave- ▁chance- ▁replace- ▁central- ▁Africa- ▁enables- ▁aligned- ▁j- ▁electric- ▁negatively- ▁education- ▁assuming- ▁assist- ▁winning- ▁physicians- ▁Z- ▁caution- ▁evolving- ▁check- ome- ▁enabling- au- ix- ▁intention- ▁Energy- ▁drove- ▁Despite- ▁wind- ▁begun- ▁drill- ▁physical- ▁cap- ▁conduct- ▁reserves- load- ▁reports- ▁rise- ▁bond- ▁practice- ran- ▁importance- ▁places- ▁continuous- ▁Mark- ▁family- ▁Sa- ▁Internet- ▁typical- ▁Ha- ▁achievement- ▁Then- ▁Germany- ▁trajectory- ▁opened- ▁Ve- ▁Product- ▁react- ▁mature- wi- ▁lack- ▁learn- ▁employee- ▁attribute- ▁Com- ▁wage- ▁method- ▁spring- ▁act- ▁adjustment- ▁tra- ▁Ga- class- ▁reality- ▁label- ▁load- ▁rolling- ▁prove- sis- ▁Florida- '8'- ▁deeper- ▁qu- ▁handle- ▁strategically- ▁10%- ▁phone- ▁surge- ▁works- ▁Solutions- ▁implied- ▁two- iti- ▁origination- of- ▁rigs- ▁inventories- ▁consecutive- ▁loyalty- ▁connected- ▁floor- ▁love- ▁sustained- ▁lift- ▁electronic- ▁sounds- gan- ▁opportunistic- ctor- ▁Latin- ▁determine- ▁utility- ▁organizations- ▁box- ▁caused- ▁delay- ib- ▁steel- ▁flexible- ▁assortment- ▁search- fin- ▁fashion- ▁gets- ▁Great- ▁13- CO- ▁enabled- ▁replacement- pa- ▁agencies- ▁examples- ▁Both- ler- ▁underway- ▁owners- ▁rapid- ▁hearing- ▁k- ▁reached- ▁David- ▁pieces- ▁receivable- mission- ▁occupancy- ▁yields- ▁tool- ▁extra- ▁heavily- ▁outlined- da- ▁protection- ▁More- ▁her- uch- ▁experiencing- ▁vast- ▁restaurant- ▁absolute- ▁excluding- ▁diversification- tle- if- ▁stakeholders- ▁broker- ▁Pri- ▁starts- ▁thus- ▁spoke- ship- ▁gotten- ▁OEM- ▁therapy- ▁clarity- ▁Last- ▁unusual- ▁desire- ▁replay- ▁train- board- ▁request- gi- ▁North- ile- ▁adapt- ▁International- ▁reimbursement- ▁dramatically- '7'- ▁2020- ▁extensive- ▁latest- ▁selective- ▁logistics- ▁purpose- ▁watch- ▁depend- ▁spec- ▁yesterday- ▁leases- ▁groups- ▁Comp- ▁consumption- ▁Even- val- ▁regards- ▁weaker- cy- ▁guide- ▁eye- ▁views- her- ▁entered- ▁Ladies- ▁14- ▁financials- ▁soft- ▁Capital- ▁she- ▁depreciation- ▁asking- ▁li- ▁choose- ▁wish- ▁exceeded- ▁Sure- j- ▁assessment- ▁introduce- ▁daily- ▁print- ▁figures- ▁restaurants- ▁impacting- AS- ▁City- ▁permit- ▁imagine- ack- ▁Middle- ▁sectors- ▁carefully- ▁trials- ▁hiring- ▁usage- ium- ▁provisions- ▁problems- ▁contributor- quality- ▁occurred- ▁reward- ▁liquid- ▁declined- ▁Tom- ▁producing- ▁proportion- ▁contributing- ▁depends- ▁framework- ▁guests- down- ▁networks- ▁State- ▁X- cent- ▁rail- ▁expenditures- ▁Coast- ▁diversify- ▁agency- ▁System- ▁downturn- ▁productive- ▁attributable- ase- ▁Western- ▁freight- ▁App- ▁Another- ▁closure- ▁hotel- ▁ca- ▁unless- ▁lag- ▁temporary- ▁cycles- ▁treat- ▁insights- ▁format- ▁series- ▁immediately- ▁inform- ▁returning- ▁scope- ▁brings- ▁originally- ▁Have- ▁updates- ▁coal- ▁complexity- ▁sequentially- ▁collect- ▁ensuring- ▁Other- ▁gaining- use- ▁powerful- ▁serving- led- ▁communication- ▁grown- ▁requires- ▁select- ▁condition- ▁metric- ▁supplier- '9'- ▁usually- uck- ▁exceed- ▁import- ology- ▁diverse- ▁Chris- ▁rules- stream- ▁cancer- ▁r- ▁launching- ▁webcast- ▁et- ▁shortly- ▁farm- ▁concern- ▁him- ▁ten- ▁political- ▁Chief- ▁attending- ▁accomplish- ▁hundred- ▁human- ▁Officer- ▁tri- ▁paper- ▁followed- ▁allocate- ide- ▁department- ▁pain- ▁map- ▁ecosystem- vent- ▁distributors- ▁90- ▁emphasize- ▁usual- ▁bill- cept- row- ▁host- ▁revise- ▁laid- ▁learned- ▁strongest- ▁reliability- ▁promise- ▁perfect- ▁elevated- ▁busy- ▁satisfaction- ▁optimizing- ▁Next- ▁briefly- ▁Jim- ▁subscriber- ▁monitoring- ▁hurricane- ▁coupled- ▁numerous- ▁manufacturers- ▁express- ▁Business- ▁switch- ▁environmental- rate- ny- ▁duration- ▁carriers- ▁proprietary- ▁repair- ▁earn- ▁Wi- ▁installation- ▁alternatives- ▁scheduled- ▁advantages- ▁tenants- ▁20%- ▁produced- ▁exclusive- ▁Health- ▁decide- ▁harbor- ▁addressing- ▁fewer- ▁initially- ▁Air- ▁broaden- ▁rational- ▁suite- lay- ▁summarize- ▁file- ▁solve- ▁pension- ▁installed- ▁waiting- ▁exercise- ▁gen- ▁Ta- ▁merchandise- ▁adverse- ▁leads- ▁facing- ▁vendors- ▁instrument- ▁hardware- ▁Hav- ▁grade- ▁minimum- party- ▁except- ▁appeal- ▁reiterate- ▁indications- ▁par- ▁dependent- ▁associates- ▁institutional- through- ▁hours- ▁deployed- ▁San- ▁metal- ▁tariffs- ▁mill- ▁declining- ▁dealers- ▁indicate- ney- ▁careful- ▁dedication- ▁input- ▁decreased- ▁100- ▁milestones- ▁President- ▁differences- ▁16- ▁showed- ▁Am- ▁competitor- ▁agents- ▁Global- ▁intended- ▁emphasis- ▁stick- ▁Y- ▁5%- ▁cl- ▁lean- ▁immediate- low- ▁Through- ▁magnitude- ▁supplemental- ▁cetera- ▁feeling- ▁positively- ▁secured- ▁hotels- point- ▁ramping- ▁buyers- ▁mode- ▁contact- ious- ▁normalized- ▁pool- ▁rec- ▁enhancements- ▁accretive- ▁accurate- ▁personnel- ▁Ch- ▁constantly- ▁policies- ▁hospitals- ▁sound- ▁concerns- mark- ▁negotiations- ▁conversation- ▁covered- ▁bought- ▁awards- ▁differentiate- ▁frac- ▁eliminate- ▁lowest- ▁lo- ▁super- ▁administration- ▁nicely- ▁dealer- ▁Power- ▁Many- ▁quantify- ▁delays- ▁somebody- ▁France- ▁length- ▁turnaround- ▁door- ▁normally- ▁packaging- ▁screen- ▁deliveries- ▁proposal- ▁cars- ▁wireless- ▁pure- ▁signal- ▁purchasing- ▁okay- ▁homes- ▁40- ▁aspect- ▁useful- ▁outperform- ▁agree- ▁playing- ▁maintained- ▁shifting- ▁incorporate- ▁laws- ▁incredibly- ▁favor- ▁merchant- ▁surprise- ugh- ▁headwind- ▁Therefore- ▁billing- ▁player- ▁instead- ▁intelligence- ai- ▁demonstrates- ▁volatile- ▁assumption- ▁liability- den- ▁expensive- ▁Tra- ▁Mon- ▁delayed- ▁organizational- ▁sand- ▁defined- ▁fiber- ▁fresh- ▁amortization- wood- ▁hoping- ▁science- ▁progressing- ▁enrollment- ▁shut- ▁possibility- ▁feature- ▁describe- 5%- ▁relating- ▁possibly- ▁Op- ▁finished- ▁fruit- ▁released- ▁tracking- ▁Life- ▁status- ▁vary- ▁benefiting- ▁arrangement- ▁placed- ▁Rob- ▁Pacific- ▁principle- ▁students- ▁migration- ▁appear- ▁50%- ▁catch- ▁tried- ▁house- ▁display- ▁tied- ▁Third- ▁reinforce- app- ▁breadth- ▁Part- ▁lives- ▁storm- ▁lay- than- ▁green- ▁communications- 0,000- wide- ▁slowdown- ▁determined- ▁mechanism- ▁evaluation- ▁crude- ▁functions- ▁simplify- ▁Tim- ▁Consumer- ▁licensing- ▁person- ▁avoid- ▁preferred- ▁supplement- ▁sourcing- ▁Once- ▁milestone- ▁formula- ▁disclaim- ▁depth- ▁turned- ▁organically- ▁embedded- ▁explore- ▁instance- ▁obtain- ▁completing- ▁wrap- ▁buyback- ▁pump- ▁Going- ists- ▁Right- ▁Home- ▁updating- ▁kick- ▁surprised- ▁afford- ▁responsible- ▁incurred- ▁sharp- ▁integrating- ▁rolled- ▁filing- quarter- qua- ▁60- ▁Cha- ▁opinion- ▁promotions- ▁indicators- ▁pushing- ▁intent- ame- ▁impressive- ▁bulk- pac- ▁heart- ▁exploration- field- ▁branch- ▁fire- ▁spreads- ▁fix- ▁criteria- ▁drag- ▁Maybe- ox- house- ▁basic- ▁lose- ▁exact- ▁aggregate- date- leading- ▁concerning- ▁accomplished- ▁17- ▁pattern- ▁renewable- ▁feed- ▁dealing- ▁Houston- ▁promote- ▁divisions- ▁percent- ▁gold- ▁regulations- MS- ▁patent- ▁split- ▁differently- ▁Americas- ▁patterns- ▁school- ▁terminal- istic- ▁weighted- ▁spectrum- ▁sponsor- ▁FX- ▁unchanged- ▁expert- ▁0- ▁seeking- ▁member- ▁comparisons- ▁unfavorable- ▁churn- ▁absorb- ▁combine- ▁overhead- matic- ▁creative- ▁join- ▁serious- ▁lock- ▁formal- ▁stress- ▁participants- ▁guest- ▁Jeff- ▁transparency- ▁cat- ▁reliable- ▁estimated- ▁via- ▁purposes- ▁acquiring- ▁appears- ju- ▁calculation- ▁inherent- ▁institutions- ▁analysts- ▁offshore- ▁unlock- ▁elect- ▁located- ▁resolution- ▁minimal- ▁Dan- ▁relation- ▁easily- ▁softness- ral- ▁entering- ▁dose- ▁gather- ▁op- ▁rely- ▁Commercial- ▁square- ▁plenty- ▁impairment- ▁FDA- ▁Sea- ▁CEO- ▁functionality- ▁revised- ▁monthly- ER- ▁disclosed- ▁analyze- ▁raising- ▁sustainability- ▁Importantly- ▁Tri- ▁written- work- ▁Where- ▁someone- ▁port- ▁complement- ▁Trans- ▁entirely- ▁Phase- ▁Industrial- ▁micro- ▁minute- like- ▁thoughtful- ▁fluctuation- ▁partly- RA- ▁considerable- ▁diversity- ▁smooth- ▁persist- ▁prepare- ▁producers- ▁19- ▁AS- ▁reverse- ▁stabilize- ▁fine- ▁eventually- ▁ran- ▁save- ism- ▁Customer- ▁airline- ▁effectiveness- ▁colleagues- ▁self- ▁Pe- ▁realization- ▁administrative- ▁maturity- ▁doubt- ▁tenant- ▁introducing- ▁regulators- ▁straight- ax- ▁recruit- ▁wonder- ▁mass- ▁solar- ▁rollout- ▁Uni- ▁Cor- ▁remove- TA- ▁exception- ▁capable- ▁frequency- ▁borrowing- ▁acreage- ▁architecture- ▁rule- ▁Bill- ▁th- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁knew- ▁published- ▁Man- ▁Hu- ▁election- ▁talented- ▁according- PA- ▁proposed- ▁distinct- ▁consulting- ▁retailer- ▁globe- ▁Under- ▁tighten- ▁refinancing- ▁Pu- ▁thousands- ▁consequence- ▁interaction- ▁Inter- state- ▁seasonally- ▁communicate- ▁park- ▁Matt- ▁characterize- ▁dramatic- ▁write- ▁man- ▁promotion- ▁Private- ▁indicator- ▁3%- forward- ▁Amazon- ▁incredible- ▁older- ▁anybody- ▁deploying- ▁permanent- ▁clinic- ▁servicing- ▁wonderful- ▁Following- ▁TV- ▁owned- ▁Scott- ▁nor- ▁Russia- ▁connectivity- ▁comfort- ▁dialogue- ▁install- ▁concentration- ▁seamless- ▁Michael- ▁demonstrating- ▁warrant- ▁entry- ▁EPS- ▁reflection- ▁legislation- ▁gear- ▁accordance- ▁backdrop- ▁latter- RO- ▁levers- ▁differentiation- ▁minor- ▁damage- ▁Certain- ▁preparing- ▁interact- ▁emerge- IC- ▁engaging- ▁Col- ▁route- ▁retirement- ▁upper- ▁prevent- ▁70- ▁headcount- ▁hybrid- ▁litigation- ▁2%- ▁Permian- ▁utilizing- ▁assure- chi- ▁candidates- ▁narrow- ▁utilities- ker- ▁continuously- ▁meaningfully- ▁layer- ▁National- AN- ▁facilitate- ▁Got- ▁respective- ▁negotiate- ▁massive- ▁referring- ▁Revenue- ▁physician- CE- performance- ▁Like- ▁Retail- ▁Dave- ▁city- ▁Reg- ▁measured- ▁Gulf- ▁menu- ▁vessels- ▁Bob- SA- ▁Every- ▁competing- ▁attend- ▁worse- ▁equal- ▁window- place- ▁commence- ▁procedures- ▁chemical- ▁applied- performing- ▁greatest- ▁distributor- ▁appropriately- ew- ▁pillar- ▁communicated- ▁adjusting- ▁branches- ▁regulation- ▁defense- ▁procurement- ▁factory- ▁offsetting- ▁cities- ▁selected- ▁uptick- ▁merchandising- ▁tail- ▁automate- ▁Central- ▁fantastic- ▁synergy- press- ▁transmission- IS- ▁selection- ▁reaching- ▁generic- ▁observe- ▁became- train- ▁payers- ▁Gra- pay- ▁purchased- ▁round- ▁challenged- ▁modestly- ▁Care- ▁calculate- ▁proactive- ▁divest- ▁relate- ▁streamline- ▁reinsurance- ▁advertisers- ▁receiving- body- ▁passion- ▁stat- AM- ▁ticket- ▁workforce- ▁4%- bra- ▁Forward- ▁vendor- ▁promising- ▁heading- ▁mu- ▁General- ▁disposition- ▁dry- ▁basin- ▁extraordinary- holder- ▁fundamentally- ▁claim- ▁liabilities- ▁Bar- ▁listening- ▁faced- ▁tender- ▁elaborate- ▁preference- ▁upward- ▁stack- ▁Mer- ▁succeed- DA- ▁Medicare- ▁wrong- ▁reset- ▁strengthened- ▁Regarding- ▁harder- ▁bunch- ▁voice- ▁living- ▁night- ▁version- ▁threat- ble- ▁continually- ▁waste- ▁illustrate- location- ▁blend- ▁renovation- ▁jump- ▁terrific- ▁Dr- cost- ▁crop- ▁regardless- ▁Operating- ▁medicine- ▁honest- ▁High- ▁edge- ▁ultimate- ▁placement- ▁disposal- ▁pivot- ▁responsibility- ▁initiated- ▁predictable- ▁shortage- ▁cadence- ▁audit- IN- ▁wave- ▁Service- ▁navigate- ene- ▁adequate- ▁extending- ▁definition- ▁sports- ▁explained- ▁Paul- ▁served- ▁north- ▁raised- 'ON'- ▁lenders- ▁index- ▁counter- ▁manager- ▁borrow- ▁grant- ▁assurance- ▁behalf- ▁upfront- ▁entertainment- fu- light- ▁beneficial- ▁hedging- ▁bridge- ▁Further- ▁rebound- ▁broadcast- ▁publish- ▁essential- ▁uniquely- stock- ▁advancing- ▁innovate- ▁warehouse- ▁sophisticated- ▁offered- ▁indeed- ▁worldwide- ▁joined- ▁women- ▁carrier- AP- ▁Hi- wise- ▁precise- ▁score- ▁Brian- MA- fo- ▁anticipating- ▁satisfied- ▁court- ▁none- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁settle- ▁comm- ▁consistency- ▁compression- ▁agenda- ▁Connect- driven- ▁continuation- ▁secondary- ▁link- ▁funded- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁Sha- ▁prefer- ▁preliminary- ▁Northern- ▁tap- ▁Va- ▁realizing- ▁AR- ▁lab- ▁efficacy- ▁anyone- ▁Factors- ▁pending- ▁Joe- ▁occurring- ▁boost- ▁rebuild- ▁gaming- ▁affecting- ▁digit- ▁panel- ▁sensor- ▁excitement- ▁30%- ▁Food- ▁beverage- ▁constraints- ▁preparation- ▁bundle- month- ▁Each- ▁listen- ▁equation- ▁agent- ▁allowance- ▁Per- ▁characteristics- ▁Additional- ▁earning- ▁conjunction- ▁severe- zz- ▁London- OS- ▁pushed- ▁somewhere- ▁incur- ▁nation- ▁EBIT- ▁translation- ▁25- ▁15%- ▁rid- level- ▁watching- ▁optimal- ▁hopeful- ▁obvious- ▁clarify- ▁identifying- ▁diligently- tech- ▁lap- ▁alignment- TE- ▁anywhere- ▁noise- ▁evident- ▁picking- ▁Ge- ▁ambition- ▁requirement- ▁mile- ▁divestiture- ▁optimism- ▁constitute- ▁reputation- ▁agreed- ounce- ▁staffing- ▁demographic- ▁acceptance- ▁jurisdiction- ▁frequent- ▁Rich- ▁attack- ▁sellers- ▁validate- ▁pharma- ▁intense- ▁distributed- ▁World- ▁title- ▁employ- scale- ▁1%- ▁enormous- ▁compound- how- ▁onetime- ▁6%- ▁word- generation- ▁Does- ▁define- ▁affordable- ▁aftermarket- ▁complicated- ▁families- ▁slowing- ▁disclose- ▁la- ▁signing- ▁suffer- ▁Plan- ▁spin- ▁background- ▁realign- ▁competitiveness- ▁Growth- ▁transparent- ▁alone- ▁math- ▁Gu- ▁currencies- value- ▁accomplishments- ▁stabilized- ▁Street- ▁equally- ▁Black- ▁manufacture- ▁represented- ▁benchmark- ▁contemplate- ▁variability- ▁task- ▁consolidate- ▁exceeding- ▁virtually- ▁sum- ▁Har- ▁appetite- ▁Will- ▁cable- hand- aw- ▁maximizing- ▁philosophy- ▁harvest- ▁unknown- xi- ▁fulfill- win- ▁qualified- ▁employer- ▁Center- ▁buyer- ▁Board- stone- ▁shorter- ▁satellite- ▁midpoint- channel- ▁graph- ▁linked- ▁leg- ▁deck- ▁corresponding- ▁tire- ▁renewed- J- ▁familiar- ▁zone- Z- ▁destination- ▁container- ▁Na- ▁24- ▁OpEx- ▁She- IT- ▁complementary- EX- ▁film- ▁tech- ▁interim- cycle- ▁Korea- ▁Brand- ▁bonus- ▁proceed- ▁Would- ▁classes- ▁pickup- ▁friend- ▁exploring- ▁gradually- ▁fortunate- ▁attach- ▁representative- ▁200- ▁warm- ▁collective- margin- ▁Sun- ▁burn- ▁prospective- ▁pad- ▁horizon- ▁recruiting- ▁prime- ▁addressable- ▁contractual- ▁Digital- ▁reliance- ▁bidding- ▁reaction- ▁entity- ▁Mr- ▁tangible- ade- ▁Basin- ▁appreciation- mail- ▁decent- risk- ▁personally- ▁Kevin- ▁awarded- ▁burden- ▁stabilization- ▁macroeconomic- ▁ingredient- ▁pipe- ▁Risk- ▁copy- ▁neutral- ▁student- ▁franchisees- ▁bucket- ▁inflection- ▁send- ▁guided- ▁cold- ▁covenant- ▁surface- ▁softer- ▁television- ▁measurement- ▁reasonably- ▁hub- ▁funnel- tribut- ka- ▁circ- ▁advisory- ▁occasion- ▁session- ▁sentiment- ▁constructive- ▁sensitive- ▁restrict- ▁accepted- ▁catalyst- cast- EN- ▁crew- ▁proceeding- ▁proactively- ▁adjacent- room- ▁downward- ▁amazing- ▁trigger- ▁auction- ▁revision- ▁Clearly- ▁testament- ▁language- ▁tank- ▁survey- ▁bright- ▁earned- ▁8%- ▁deliberate- ▁accordingly- ▁Chi- ▁grid- ▁arise- ▁Secondly- ▁2014- ▁diligence- ▁referred- ▁headline- premise- ▁lie- ▁mandate- ▁deepen- added- ▁diagnostic- price- ▁Pay- ▁therapeutic- ▁healthcare- ▁wider- source- ▁royalty- ▁Data- ville- ▁construct- ▁virtual- ▁acknowledge- ▁Reform- ▁renew- ▁indicative- ▁supportive- ▁module- ▁Eastern- ▁compensate- ▁consult- ▁FY- ▁underpin- ▁cyclical- ▁monetize- ▁sample- ▁applicable- ▁understood- ▁cutting- ▁attempt- ▁registration- ▁campus- ▁flavor- ▁steadily- ▁sight- ▁treated- ▁anticipation- ▁accept- ▁properly- ▁tailwind- ▁committee- ▁shelf- ▁capturing- ▁style- ▁concentrated- ▁recycling- ▁Lu- ▁deduct- ▁memory- ▁cheap- ▁REIT- ▁noncash- ▁40%- ▁urban- ▁entities- ▁Lastly- ▁programming- ridge- ▁tower- ▁visible- ▁refining- ▁billion- ▁composition- ▁Work- ▁swing- ▁letter- ▁nuclear- ▁IoT- ▁resolved- ▁announcing- ▁equivalent- town- ▁Spain- ▁Greg- ▁historic- ▁Partner- ▁heat- ▁seat- ▁kept- ▁gu- ▁economies- ▁Italy- ▁literally- ▁repositioning- ▁commit- ▁Brexit- ▁pack- ▁discontinued- ▁resilient- ▁functional- ▁tariff- ▁certainty- ▁messaging- ▁turnover- ▁Ka- ▁Ti- ▁Investment- ▁Similar- sourcing- ▁Frank- ▁satisfy- ▁artificial- ▁discovery- ▁authorities- ▁commodities- ▁prioritize- ▁south- ▁pet- ▁losing- ▁ideal- ▁territories- ▁yourself- ▁laser- ▁employment- ▁pound- ▁indirect- ▁pharmaceutical- ▁fight- ▁sorry- ▁Excluding- ▁bullish- ▁separation- ▁detect- tune- ▁redevelopment- ▁rich- ▁augment- ▁strive- ▁strict- ancy- ▁Technology- ▁payroll- ▁radio- ▁Washington- ▁flu- ▁affiliate- ▁concession- ▁predominantly- ▁reflective- ▁technological- ▁quicker- ▁amongst- ▁row- ▁Conference- ▁Southeast- ▁parent- grade- ▁differential- ▁Department- ▁attrition- ▁pause- water- ▁membership- ▁Litigation- ▁regulated- ▁personalized- ▁prescription- ▁cautionary- ▁handful- ▁tie- ▁El- ▁Carolina- ▁corner- ▁lever- ▁poor- ▁7%- ▁scheme- ▁ease- ▁sizable- ▁enroll- ▁fell- ▁carried- ▁chosen- ▁meantime- ▁hitting- ▁database- ▁Port- ▁Corporate- ▁balancing- ▁delever- ▁payout- ▁broadband- ▁official- ▁Che- ▁swap- ▁vote- ▁Water- ▁hu- ▁issuance- ▁prospect- ▁Furthermore- ▁military- ▁shrink- ility- ▁Enterprise- ▁controlling- ▁intellectual- ▁alluded- ▁endpoint- ▁carbon- ▁inject- ▁materialize- ▁Year- ▁bus- ▁Should- ivity- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁discover- ▁lumpy- ▁transport- ▁absorption- ▁semiconductor- je- ▁mutual- ▁popular- ▁audio- ▁code- ▁shipment- ▁Bio- ▁Ki- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁principal- ▁People- ▁'15- ▁LNG- ▁overcome- ▁Total- ▁manufacturer- ▁convinced- oriented- ▁scalable- ▁Hong- ▁bump- ▁hydro- ▁intensity- ▁Medical- ▁Gene- ▁disappointed- ▁copper- ▁takeaway- ▁Park- ▁Kong- ▁judgment- ▁restructure- ▁float- ▁penetrate- ▁Pi- ▁validation- ▁Direct- ▁Network- ▁Media- ▁repayment- ▁description- ▁maximum- Point- ▁output- service- ▁image- ▁household- ▁methodology- ▁Chicago- ▁spite- ▁Ken- ▁Argentina- ▁territory- ▁suit- ▁Performance- ▁CFO- ▁lend- ▁consist- ▁amendment- ▁elsewhere- ▁apparel- ▁foreseeable- ▁principally- view- ▁Information- ▁outlet- fusion- ▁aerospace- ▁relentless- ▁omni- single- ▁undu- ▁hurdle- ▁scaling- ▁rank- ▁cohort- ▁quote- ▁recap- ▁fun- ▁three- ▁throughput- ▁wire- ▁basket- ▁smartphone- ▁Cloud- ▁motor- ▁governance- brand- ▁sensitivity- ▁therapies- ▁fluid- ▁resolve- ▁Delaware- ▁Google- ▁Why- ▁art- ▁Hurricane- ▁lifetime- ▁sa- ▁observation- ▁inflationary- ▁Ju- ▁variation- ▁disruptive- ▁electricity- ▁profitably- ▁interpret- ▁barrier- ▁investigation- ▁scientific- ▁Vice- ▁constrained- ▁delighted- ▁German- ▁casual- ▁expenditure- ▁body- focused- ▁causing- ▁downstream- ▁submission- ▁Number- ▁hour- ▁refinance- ▁municipal- ▁advancement- ▁suppose- ▁gradual- ▁Everyone- ▁MA- ▁favorably- ▁comprise- ▁Due- ▁considerably- ▁securing- hold- ▁domain- ▁unfortunately- ▁vessel- ▁proof- ▁stake- ▁mobility- ▁Class- ▁listeners- ▁protocol- ▁tumor- ▁scrap- ▁shipped- ▁responsive- ▁Northeast- ▁explanation- ▁remarkable- ▁outflow- ▁accommodate- ▁mindful- ▁niche- ▁prepayment- ▁appendix- ▁Auto- ▁SaaS- ▁myself- ▁animal- ▁peer- ▁redeploy- ▁passenger- ▁Key- ▁Project- ▁battery- ▁embrace- ▁monetization- ▁ample- ▁luxury- ▁Company- spec- ▁normalize- ▁disrupt- ▁strike- ▁weekend- ▁threshold- ▁exhibit- ▁weigh- ▁combining- ▁diesel- ▁duty- ▁recommendation- ▁pharmacy- ▁temp- print- ▁enthusiasm- ▁conventional- ▁remodel- ▁subsidiaries- ▁surrounding- ▁leaving- ▁Specifically- ▁parallel- ▁chip- ▁consume- ▁compute- ▁incident- ▁movie- ▁fulfillment- ▁chose- ▁deflation- ▁consultants- ▁thorough- ▁conscious- ▁strides- ▁remote- ▁fastest- ▁relief- ▁recoveries- ▁interface- ▁enthusiastic- ▁Rico- ▁preserve- ▁Beyond- ▁Corporation- ▁airport- ▁dozen- ▁missed- ▁resilience- ▁variance- ▁pretax- ▁street- ▁Consistent- ▁underground- ▁lifestyle- ▁submitted- ▁collaborative- ▁supplies- ▁whilst- ▁honor- standing- ▁acute- ▁density- ▁controlled- ▁breakdown- ▁surprising- ▁educate- media- ▁extract- ▁Jack- ▁agile- ▁Things- ▁rigorous- ▁Peter- ▁predictions- ▁subsidiary- ▁proper- ▁negotiation- turn- ▁consolidating- ▁acceptable- ▁Insurance- ▁optionality- ▁Analyst- ▁EMEA- ▁Two- ▁discrete- ▁struggle- ▁termination- making- ▁impression- ▁loyal- ▁accountability- ▁tier- power- ▁urgency- ▁throw- ▁reposition- range- ▁algorithm- ▁crisis- ▁sudden- ▁resonate- ▁pleasure- ▁advice- ibility- ▁impressed- ▁80%- ▁proxy- ▁surgical- ▁Medicaid- ▁identity- ▁Vegas- product- ▁analytic- ▁9%- ▁district- ▁discretionary- ▁accident- ▁molecule- ▁doctors- ▁failure- ▁pathway- ▁blue- ▁100%- ▁array- ▁exposed- ▁protein- ▁unfold- ▁everywhere- ▁inclusion- ▁worry- ▁alliance- ▁unexpected- ▁corporation- ▁Eagle- ▁upgrading- ▁flight- ▁60%- ▁granular- ▁Alberta- ▁Christmas- ▁white- ▁empower- ▁inspection- ▁novel- ▁precision- ▁ROI- effective- ▁stockholders- ▁Jersey- ▁SKU- ▁absence- ▁negotiating- ▁twice- ▁certification- ▁consumable- ▁derivative- ▁perception- ▁underscore- centric- ▁Specialty- ▁guiding- ▁integrity- ▁nonrecurring- ▁stretch- ▁mini- ▁defend- ▁resume- ▁Green- ▁receipt- ▁dilution- ▁replacing- ▁comparative- ▁substitute- ▁ladies- ▁younger- ▁collateral- ▁fifth- cycl- ▁climate- ▁disappointing- ▁keen- balance- ▁Japanese- growing- ▁Fourth- ▁determination- ▁hyper- ▁mineral- ▁authorization- ▁thrilled- ▁undertaking- ▁script- fold- ▁rationalization- ▁hurt- ▁midstream- sale- ▁Look- ▁comparing- ▁secular- ▁holistic- ▁Construction- ▁robotic- ▁intelligent- ▁velocity- ▁beauty- ▁regime- ▁Smart- ▁invite- ▁dimension- ▁blood- ▁reorganization- ▁unlikely- ▁master- ▁workflow- ▁demo- ▁anniversary- ▁diluted- ▁inorganic- ▁submit- ▁Quarter- ▁cancellation- ▁French- adjusted- ▁cultural- ▁preclinical- ▁concentrate- gress- ▁Security- ▁strip- ▁anchor- ▁Annual- ▁deleveraging- ▁Long- ▁Midwest- ▁relevance- ▁Boston- ▁sweet- ▁Gold- ▁geo- ▁bolster- ▁extreme- ▁overlap- ▁breakeven- ▁headquarters- ▁adult- ▁Doug- ▁vital- ▁agility- ▁Building- ▁revolving- ▁technique- ▁intangible- ▁reservoir- ▁stabilizing- ▁noncore- ▁concrete- ▁reconcile- ▁procedure- ▁immune- ▁Blue- ▁recommend- ▁Mobile- ▁academic- ▁multifamily- ▁practical- ▁Congress- ▁computing- ▁Results- ▁accretion- ▁casino- ▁reversal- ▁arrive- ▁revolver- ▁IPO- ▁referral- ▁convenient- ▁parameters- ▁deterioration- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁uplift- ▁fail- ▁bankruptcy- ▁text- ▁viable- ▁visual- ▁marine- ▁valid- ▁contingent- ▁recession- ▁Federal- ▁apartment- ▁distribute- ▁nimble- ▁suspect- ▁Phil- ▁character- ▁Colorado- ▁solely- ▁modification- ▁outdoor- ▁foresee- ▁articulate- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁Valley- ▁Virginia- ▁possibilities- ▁flood- ▁temperature- ▁alter- current- ▁experiment- ▁restrictions- ▁retire- ▁accuracy- ▁analyzing- ▁aluminum- ▁unprecedented- ▁expire- ▁glad- ▁powder- ▁spike- ▁tomorrow- growth- ▁avenue- ▁guidelines- ▁anymore- ▁eliminating- ▁telecom- ▁poised- ▁resort- ▁Hawaii- ▁likelihood- ▁simplification- ▁Engine- ▁gift- ▁correlation- ▁qualification- ▁redesign- ▁aspiration- ▁triple- ▁chunk- q- ▁underwrite- ▁Colombia- ▁redemption- ▁snow- ▁pursuit- ▁apparent- ▁consent- ▁Adjust- ▁candidate- ▁Program- ▁foremost- ▁Demand- ▁outpace- ▁replicate- ▁saving- ▁Office- ▁Healthcare- efficient- ▁Earlier- ▁Ontario- ▁interconnect- ▁plate- ▁Strong- ▁doubling- ▁analyst- ▁plastic- ▁Brad- ▁Friday- ▁worried- ▁proving- ▁contrast- ▁Whether- ▁1995- ▁Credit- ▁treasury- ▁institution- contract- ▁tissue- ▁Technologies- ▁glass- ▁refund- ▁additive- ▁oncology- ▁regulator- ▁expiration- ▁forefront- ▁embark- ▁IFRS- ▁imaging- ▁coffee- ▁default- ▁placing- ▁entrepreneur- ▁fluctuate- plus- ▁Dallas- ▁consensus- ▁flagship- ▁fragmented- ▁generator- ▁ERP- ▁Executive- ▁hike- ▁Control- ▁advertise- ▁choosing- ▁coast- ▁Sweden- ▁judge- ▁Development- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Together- ▁conviction- ▁click- ▁reaffirm- ▁children- ▁venue- ▁stories- ▁decreasing- ▁heightened- ▁lumber- ▁Remember- ▁tactical- ▁worst- patient- ▁trouble- ▁accrue- ▁caught- ▁unsecured- ▁unmet- ▁Chairman- ▁pronounced- ▁music- ▁Ohio- ▁statistics- ▁uptake- ▁chronic- ▁Access- ▁harm- ▁Micro- ▁debate- ▁quantity- ▁River- ▁initiate- ▁severity- ▁diminish- ▁routine- ▁slip- ▁Unfortunately- ▁mechanical- ▁mistake- ▁ambitious- ▁lens- ▁probability- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁Microsoft- ▁Safety- ▁dispute- ▁communicating- ▁grocery- ▁simplified- ▁Across- ▁Public- ▁spirit- ▁Meeting- ▁grateful- ▁NIM- ▁studio- ▁Facebook- ▁residual- ▁banner- ▁bolt- ▁requiring- ▁Jason- ▁Gross- scrip- ▁allocating- ▁witness- ▁cluster- ▁Illinois- ▁restart- ▁immuno- ▁president- ▁surplus- ▁inefficiencies- ▁baked- ▁Reconciliation- ▁impossible- ▁teleconference- ▁perceive- ▁edit- ▁distinguish- ▁correlate- ▁authentic- ▁idle- ▁autonomous- ▁friction- ▁coupon- ▁ATM- ▁ancillary- ▁incumbent- ▁refocus- ▁overnight- ▁imperative- ▁Indonesia- ▁manifest- ▁govern- ▁promoting- ▁regain- ▁ruling- ▁pulp- ▁rebate- ▁neuro- ▁royalties- ▁transcript- ▁kids- ▁George- ▁filter- ▁diligent- ▁prescribe- ▁revolution- ▁Science- ▁British- ▁accrual- ▁cement- ▁Keep- ▁Phoenix- ▁Zealand- ▁dominant- ▁Broad- ▁Senior- ▁replenish- ▁Court- ▁appointment- ▁collaborate- ▁speculate- ▁Electric- ▁Norway- ▁genetic- ▁modify- ▁Transportation- ▁erosion- ▁resonating- ▁quota- ▁crucial- ▁opposite- ▁streamlining- ▁optical- ▁Chemical- ▁authority- ▁millennial- ▁Flex- ▁disaster- ▁shortfall- ▁1,000- ▁nursing- ▁Republic- ▁implies- ▁elevate- ▁equities- ▁Several- ▁annuity- ▁elimination- ▁landlord- ▁neighborhood- ▁curtail- ▁argue- ▁temporarily- ▁Atlanta- ▁crystal- ▁Lower- ▁Personal- ▁ordinary- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁albeit- ▁perpetual- ▁differentiating- ▁activation- ▁exploit- ▁reception- ▁systematic- ▁premature- ▁Navy- ▁revisit- abilities- ▁competencies- ▁integral- ▁skew- ▁photo- mount- ▁corn- ▁Netherlands- ▁article- ▁charging- ▁shaping- ▁activate- specific- ▁implant- ▁unrealized- ▁eager- ▁securitization- ▁Oklahoma- ▁accumulate- ▁phasing- ▁province- ▁Resources- ▁softening- ▁Automotive- ▁privilege- ▁depressed- ▁statistical- ▁inflows- ▁Electronic- ▁catastrophe- ▁prevail- ▁Arizona- ▁durable- ▁terminate- ▁RevPAR- ▁assembly- facing- ▁Though- ▁argument- ▁airplane- ▁fraud- ▁society- ▁Platform- ▁habit- ▁brick- ▁crack- ▁Michigan- ▁bandwidth- ▁applies- ▁delta- ▁qualitative- ▁determining- ▁grain- ▁leisure- ▁repricing- ▁amended- ▁'20- ▁inhibitor- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- ▁innovating- ▁encounter- ▁endeavor- ▁Defense- ▁excuse- ▁Communication- ▁pride- ▁buffer- ▁configuration- ▁clarification- ▁Target- ▁Craig- ▁Nevertheless- ▁silver- ▁Property- ▁Ultimately- ▁circuit- ▁instruct- ▁showcase- ▁energized- ▁severance- ▁trailing- ▁iconic- ▁tailored- ▁concluding- ▁Supply- ▁Seattle- ▁recapture- ▁vacation- ▁modified- ▁steep- ▁celebrate- ▁prepaid- ▁vacancy- ▁Natural- ▁achievable- ▁drink- ▁inclusive- ▁scheduling- ▁capacities- ▁mitigation- ▁investigator- ▁black- ▁Margin- ▁taste- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "description_zh": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout ddd205f05e4a323a0aeb5cae81604a7bb5abfa45pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Sun Feb 28 07:20:31 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.7`- pytorch version: `pytorch 1.7.1`- Git hash: `3572c4ecd74a9b1c77c639fce40e9318d254c5a6` - Commit date: `Thu Feb 25 18:52:24 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|95631|94.9|4.5|0.6|0.5|5.5|61.0||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|948632|94.9|4.5|0.6|0.5|5.5|61.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|554413|98.8|0.6|0.6|0.4|1.6|61.0||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|5502566|98.8|0.6|0.6|0.5|1.6|61.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|117813|95.4|2.7|1.9|1.1|5.7|61.0||decode_asr_lm_lm_train_lm_en_unnorm_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|1169320|95.5|2.7|1.8|1.2|5.7|61.4|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 59122dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/train/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/train/text_shape.bpevalid_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/valid/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/train_nodev_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/train_nodev_unnorm/text - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- s- ▁in- ▁that- ▁a- ''''- ▁our- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁be- ▁this- ▁We- re- ▁And- ▁will- '-'- t- ▁year- ▁quarter- ▁at- ing- ▁So- ▁more- ▁from- ▁business- ▁think- ▁not- ▁what- ▁some- d- ve- ▁us- ▁by- ▁about- ed- ▁there- ▁can- ▁growth- ▁new- ▁was- ▁which- ▁or- ▁do- ▁very- ▁an- '?'- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁all- ▁been- ▁just- ▁has- ▁these- ▁so- ▁well- ▁over- ▁those- ▁now- ll- ▁time- ly- n- ▁out- ▁where- ▁into- ▁customers- ▁like- ▁first- ▁results- m- ▁But- ▁other- ▁really- ▁how- ▁if- ▁up- ▁their- ▁expect- ▁forward- ▁company- ▁than- ▁last- ▁were- ▁look- ▁your- ▁through- ▁get- ▁any- ▁call- ▁one- ▁because- ▁strong- ▁In- ▁had- ▁believe- ▁sales- ▁when- ▁good- ▁second- ▁This- ▁As- ▁revenue- ▁then- er- ▁lot- ▁make- ▁performance- ▁product- ▁cost- ▁much- y- ▁financial- ▁capital- ▁value- ▁Our- ▁could- ▁years- ▁right- ▁impact- ▁terms- ▁want- ▁future- ▁don- ▁both- ▁It- ▁them- ▁today- ▁work- ▁little- ▁back- ▁customer- ▁next- ▁bit- ▁increase- al- ▁end- ▁take- ▁products- ▁number- ▁kind- ▁higher- ▁opportunities- ▁half- ▁able- ▁way- ▁markets- ▁may- ▁know- ▁significant- ▁operating- ▁better- ▁go- ▁focus- ▁say- ▁cash- ▁2- ▁part- ▁things- ▁still- ▁point- ▁provide- ▁most- ▁statements- ▁lower- ▁should- ▁team- ▁being- in- c- ▁need- ▁across- ▁made- ▁opportunity- ▁line- ▁important- ▁down- ▁third- e- ▁rate- ▁- ▁during- ▁long- ▁people- ar- ▁re- ▁fourth- ▁strategy- ▁portfolio- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁price- ▁progress- ▁around- ▁A- p- r- ▁working- ▁share- ▁management- ▁me- ▁demand- ▁investment- ▁no- ▁due- ▁additional- ▁give- ▁actually- ▁come- ▁high- ▁great- ▁while- ▁only- ▁even- ▁seeing- ▁plan- ▁few- ▁margin- ▁same- ▁looking- ▁here- ▁S- ▁drive- ▁development- ▁start- ▁grow- ▁result- ▁costs- ▁different- ▁current- le- ▁seen- ▁change- ▁doing- ▁further- ▁3- ▁coming- ation- ▁service- ▁who- ▁guidance- ▁positive- ▁data- ▁earnings- o- ▁position- ▁C- ▁process- ▁technology- ▁key- ▁turn- ▁full- g- looking- ▁past- ▁investments- ▁That- ▁said- ▁support- ▁improve- ▁overall- S- ▁basis- ▁environment- ▁expected- or- ▁balance- ▁question- u- ▁increased- ▁again- ▁move- ▁focused- ▁help- ▁within- ▁sort- 'on'- ▁got- ur- ▁potential- ▁services- ▁before- ▁large- ▁remain- ▁businesses- ▁pricing- ▁months- ▁These- ▁side- ▁making- ▁Q- ▁F- ▁done- ▁put- ▁something- ▁ability- ▁program- ▁interest- ▁experience- ▁strategic- ▁already- ▁platform- ▁sure- ▁production- ▁based- ▁use- ▁best- ▁feel- ▁such- ▁information- ▁segment- ▁acquisition- ▁mentioned- ▁period- ▁Now- ▁talk- ▁model- ▁maybe- ▁expectations- ▁early- ▁several- ▁You- ▁operations- ▁given- ▁deliver- ▁s- ▁base- ▁order- ▁assets- ▁pleased- term- ▁rates- ▁my- ▁changes- ▁tax- ▁place- ▁build- C- es- ▁benefit- ▁each- ▁couple- an- ▁growing- ▁improvement- ▁including- ▁under- ▁projects- ▁certain- ▁related- ▁flow- ▁initiatives- ▁addition- ▁fact- b- ion- a- ▁commercial- ▁companies- ▁activity- ▁driven- ▁areas- ers- ▁getting- ▁existing- ▁mix- ▁brand- ▁term- ▁margins- ▁volume- ▁levels- ▁pretty- ▁thing- ▁mean- ▁release- ic- ▁continues- ▁income- ▁course- ▁capacity- ▁big- P- it- ▁factors- ▁might- l- ▁competitive- ri- ▁clients- ▁probably- ▁net- ▁project- ▁always- ▁With- ▁does- en- ▁There- E- ▁risk- ▁B- ▁review- ▁every- ▁leverage- ▁Thank- able- ▁marketing- ▁amount- ▁off- ▁quite- ▁quarters- ▁saw- ▁update- ▁its- ▁P- ▁less- ment- ▁prices- ▁offset- ▁why- ▁view- ▁supply- ▁available- ▁world- ▁building- ▁after- ▁credit- ▁E- ▁having- ro- I- ▁recent- ▁de- ▁top- ▁success- ▁real- ▁between- ▁set- ▁prior- ▁efforts- ▁core- ▁global- ▁let- ▁digital- ▁quality- k- ▁Or- ▁conference- se- ▁area- ▁operational- ▁earlier- il- ▁T- ▁shareholders- ▁return- ra- ▁far- ▁system- ▁understand- ▁low- ▁range- ▁pipeline- ▁trying- ▁actual- ▁contract- ▁expenses- ▁primarily- ▁continuing- ▁another- ▁structure- ▁While- ▁certainly- ▁whether- ▁e- ▁solutions- ▁approach- ▁day- f- ▁own- ▁inventory- ▁questions- ▁outlook- ▁ahead- ▁For- to- ate- ▁taking- ▁improved- ▁presentation- ul- ▁expense- R- A- T- el- ▁thank- ▁non- ▁If- ▁major- ▁retail- ▁confident- ▁profitability- ch- ▁fiscal- ▁capabilities- ▁create- ▁timing- ▁group- ▁add- ▁expand- ▁un- ▁p- ▁materially- li- ▁clear- ▁risks- M- ▁total- ent- ▁b- ▁increasing- ▁expansion- O- ▁4- ▁ago- ▁On- ▁consumer- ▁specific- ▁distribution- ▁D- ▁solid- ▁obviously- ▁excited- ▁hard- ▁space- ▁driving- ▁moving- D- ▁benefits- ▁What- ▁f- ▁invest- ▁talked- ▁differ- ▁acquisitions- ▁China- ▁revenues- ▁partners- ▁strength- ▁plans- ▁Yes- ▁sheet- ▁bring- la- ▁begin- ▁tell- ▁perspective- ▁keep- ▁particularly- at- th- ▁small- ▁increases- up- ▁1- ▁5- ▁debt- i- ▁They- ▁sense- ▁stores- ▁transaction- ▁U- ▁close- ▁versus- ▁asset- ▁R- ▁compared- ▁per- ▁improving- ▁network- ▁measures- '1'- ▁longer- ▁programs- ive- ▁patients- ▁run- ▁consistent- ▁open- ▁average- ▁significantly- as- L- ▁trends- ▁beginning- ▁control- ▁numbers- ▁scale- ▁needs- ▁care- ▁G- ▁currently- ry- ▁since- ▁conditions- ▁trend- ▁decline- ▁organization- ▁c- et- ▁innovation- ▁detail- ▁pay- ▁difficult- ▁include- ▁advantage- ▁profit- ▁N- ▁deal- ▁points- ▁execution- ▁anything- ▁towards- ▁volumes- ▁cause- ▁together- ▁access- ▁material- ▁larger- ▁However- ▁spend- ▁starting- ▁efficiency- ▁uncertainties- ▁reduce- ▁example- ▁remains- ▁record- ▁At- ▁throughout- ▁later- ▁comments- ▁ongoing- ▁fully- ▁gas- ▁store- ▁greater- ▁organic- ▁yet- ▁events- ▁along- ▁M- ▁successful- ol- ▁short- ▁2017- ▁To- ▁announced- ▁con- est- h- ter- ▁morning- ▁note- ▁sell- ▁discuss- ▁find- ▁Europe- ne- te- ▁started- ▁brands- ▁allow- ▁returns- ▁transition- ▁case- ▁particular- ▁track- ▁front- ▁achieve- ▁talking- ▁become- ▁manage- ▁similar- ▁decision- ▁oil- im- ▁international- ▁infrastructure- ▁health- ▁momentum- ▁providing- ized- ▁Okay- ▁recently- ies- ▁completed- ▁job- ▁press- ▁direct- ▁economic- ▁Re- ▁book- ▁shift- ▁associated- ▁improvements- ce- ▁try- ▁discussed- ▁guess- ity- ▁activities- '2'- ▁play- ▁report- ▁impacted- ▁size- ▁everyone- ▁previously- ▁systems- ▁2018- ig- ▁confidence- ▁anticipate- ▁pressure- ▁offering- ▁6- ▁remarks- ▁effect- ▁reduction- G- ▁issues- um- ▁integration- ▁offer- ▁reason- lo- ▁lines- ▁too- ▁partner- ▁stock- ▁launch- ▁board- ▁Before- ▁meet- ▁O- ▁used- ▁positioned- ▁cycle- ▁delivering- ▁investors- ▁energy- ▁website- ▁equity- ated- ▁incremental- ▁against- ▁segments- ▁subject- ck- ▁rest- age- ▁2016- ▁teams- ▁items- ▁slightly- ▁local- ▁percentage- ▁quickly- ▁guys- ▁power- ▁multiple- ▁money- ▁near- ▁L- ▁single- ▁Slide- ge- ▁contracts- de- ▁beyond- ▁adjusted- ▁target- ▁actions- ▁co- ▁channel- x- ▁leadership- ▁selling- ▁equipment- ▁develop- ▁clearly- ▁especially- B- ▁possible- ating- ▁address- ▁unique- ▁generate- ▁spending- ▁relative- '%'- ▁using- ▁answer- year- ting- ▁annual- ▁remind- ▁comment- ▁date- ▁dis- ▁general- ▁once- ▁maintain- ▁serve- ▁combination- ▁without- ▁st- ▁facility- ▁manufacturing- F- w- ▁execute- ▁complete- ▁means- ▁client- ▁hand- ▁employees- ▁either- ▁resources- ▁design- ▁One- ▁free- ▁comes- ▁issue- ▁ensure- ▁attractive- ▁show- ▁reflect- ▁included- ▁taken- ▁content- ▁challenges- ▁online- ▁loan- ▁details- ▁type- ▁final- ▁month- ant- ▁v- end- ▁various- ally- ▁investing- ▁regarding- ▁leading- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁public- id- ▁whole- ▁pre- ▁moment- ▁meaningful- ▁t- ▁situation- ▁All- ▁comp- ▁wanted- ▁step- us- ▁happen- ▁chain- ▁New- ▁clinical- V- ▁thinking- ▁forecast- tion- z- ▁productivity- ▁he- ▁corporate- na- co- ▁d- ▁solution- ▁relationships- ru- ▁regulatory- ▁stronger- ▁thought- ▁largest- ▁committed- ir- ▁goal- ▁enhance- ▁government- ▁sale- ▁marketplace- ▁discussion- ization- ▁profitable- ▁deals- ▁relatively- ▁cloud- ▁delivered- ▁First- ▁portion- ▁H- ut- ▁hope- ▁anticipated- ta- '3'- lu- ▁favorable- ▁season- ▁lead- ▁savings- ▁likely- ▁EBITDA- un- ▁entire- ▁When- ▁respect- ▁provided- GAAP- ▁Well- ▁prepared- ▁least- ▁bottom- ▁consumers- ▁underlying- ▁highly- ▁transformation- ▁normal- ▁operate- ▁Can- ▁category- ▁delivery- ▁bank- ▁flat- ▁days- ad- ▁flexibility- ▁combined- ▁dividend- ▁Let- ▁experienced- line- ▁ways- ▁closing- ma- ▁account- ▁purchase- ▁built- '4'- ▁majority- nt- ▁week- ▁slide- ance- ver- ▁orders- ▁critical- ▁agreement- ▁gives- ▁gain- am- ure- ▁challenging- ▁expanding- ▁though- ▁efficient- ▁ratio- ▁commitment- ▁haven- ▁effective- ▁came- ▁accelerate- ▁generation- ▁home- ▁initial- ▁upon- ▁generally- ▁am- ▁quarterly- ▁test- ▁buy- ▁doesn- ▁required- ▁strategies- ia- ct- ▁competitors- ▁currency- ▁ramp- ▁During- ▁pro- vi- ▁region- ▁country- ▁everything- ine- ti- ▁decrease- ▁K- ▁largely- ▁12- ▁stay- ▁St- ▁facilities- ▁active- ▁competition- ▁loss- ▁pace- ▁Do- ▁patient- ▁profile- ize- rs- ▁unit- ▁behind- ▁extremely- ▁provides- ▁smaller- ▁million- ▁enough- ▁property- ▁ourselves- ▁enterprise- ▁mid- ▁enable- over- ▁relationship- ▁weeks- ▁ever- ▁stable- ▁office- ▁sector- ▁Please- ▁allows- ▁premium- ▁following- ac- ▁sustainable- ted- ▁planning- ▁fair- tra- ▁win- ▁categories- ▁reported- ▁trade- ▁happy- ▁software- ▁specifically- ▁effort- '0'- ▁recovery- ▁away- ▁sub- ph- ▁field- ▁internal- ▁contribution- ci- ▁assumptions- ▁includes- ▁traditional- ▁his- ▁speak- ▁reach- ▁reduced- ▁running- ▁rather- me- ▁loans- ▁life- ▁achieved- ▁individual- ▁center- mi- ho- ▁accounts- ▁technologies- ▁transactions- ▁wondering- ▁exactly- ▁GAAP- tic- ▁state- ▁follow- ▁metrics- ▁J- ▁h- ▁obligation- K- ▁assume- ▁present- po- ▁meeting- ▁natural- ▁factor- ▁offerings- ▁above- and- ness- ▁Co- ▁faster- sh- ▁appropriate- ial- em- ▁applications- ▁mobile- ▁units- ▁added- ▁di- ▁won- ▁efficiencies- ▁weather- U- ▁received- ▁safety- ▁10- ▁private- ▁basically- ▁exciting- ▁estate- ▁Ma- ▁double- izing- ▁study- ▁directly- ▁consider- ▁partially- ▁reflects- ▁tend- ▁channels- ▁V- ▁seems- ▁changed- ▁industrial- ▁parts- ▁discussions- N- ▁insurance- ▁developing- ▁outside- ▁accounting- ▁footprint- ▁shareholder- ▁Thanks- ▁statement- ▁plant- ▁restructuring- ▁took- ▁8- ▁highlight- ab- ▁changing- ▁labor- ▁response- out- ▁completion- ▁substantial- ▁De- ▁firm- ▁makes- ▁capability- ▁joining- ▁form- ical- ▁January- ▁approval- op- ▁traffic- ▁expectation- ▁reasons- ▁integrated- ▁mind- ▁cover- ▁Asia- ▁robust- per- ▁opening- ▁despite- ▁fund- ▁adding- ▁December- ens- ▁drivers- ▁creating- ▁decisions- ▁healthy- ▁force- ▁refer- ▁fuel- ▁processes- ▁options- ty- ▁He- ▁land- ▁No- ha- ▁happening- ▁gains- based- ▁managing- ▁disconnect- ▁fleet- ▁found- ▁w- ▁therefore- he- ▁W- ▁late- pe- ▁potentially- ▁typically- ▁direction- ▁predict- ▁backlog- ▁community- ▁engagement- ▁Just- is- ▁ultimately- ▁yield- ▁driver- ▁main- ▁advertising- ▁executing- ▁primary- ▁platforms- bi- ▁almost- ▁ex- ▁conversion- ▁phase- ▁light- ▁understanding- ▁optimistic- ▁nature- side- ▁mo- ▁idea- ▁exchange- ▁20- ▁planned- di- ▁filings- ▁saying- ▁security- ld- ▁comfortable- ▁bringing- ▁fall- ▁historical- ▁effectively- ▁foundation- ▁necessary- ▁goes- ▁please- ▁never- ▁putting- ▁excellent- ▁needed- ▁2019- ▁visibility- ▁proud- com- ▁ask- ▁highlights- om- ▁tremendous- ▁countries- ▁limited- ub- ▁disciplined- ▁slow- ▁liquidity- ▁losses- ▁pass- ▁broad- ▁else- ▁How- ▁special- ▁standpoint- ▁encouraged- ▁cases- con- ▁7- ▁food- land- time- ▁bigger- ▁lease- ous- ▁difference- ors- ▁comparable- ▁recognize- fi- ▁funding- ▁June- ▁launched- ▁times- ▁targets- ▁volatility- ▁September- ▁extent- ▁March- ▁standard- ie- ▁financing- ▁path- ▁expanded- ▁read- ▁ma- ▁role- ▁maintenance- ▁broader- ▁remaining- ▁capture- ence- ▁utilization- ▁franchise- ▁g- ▁members- iv- ▁operation- ▁sold- ▁detailed- ▁partnership- v- ▁fee- ▁hold- ▁regions- ▁types- ▁Because- ag- ning- ▁fixed- ight- ▁represent- ▁budget- ▁intend- ▁reducing- pi- ▁although- ▁proposition- ▁ready- ▁others- ard- ▁approximately- ▁exposure- ▁focusing- ot- ▁Some- ▁economy- ▁research- ▁optimize- ▁safe- ▁stand- ▁acquired- ▁remainder- ▁appreciate- ▁Turning- ator- ▁produce- ▁locations- ▁CapEx- ▁dollars- ▁properties- ▁media- ▁9- ▁reflected- ▁bo- ▁fees- ▁below- ▁finally- ▁pull- ▁allocation- ▁2015- ▁interesting- ▁water- ng- ▁fit- ▁biggest- ▁nice- ▁fairly- ca- ke- ▁went- ▁event- ▁tools- ▁highest- ▁perhaps- ▁treatment- ▁successfully- ary- ▁stage- ric- ▁hit- ▁inflation- ▁domestic- ▁live- ▁closely- ▁po- ▁summary- ▁engine- ▁Looking- ▁led- H- ▁history- ▁requirements- ▁Good- ▁buying- lic- ▁national- ▁increasingly- ▁legacy- ▁car- ▁necessarily- ▁Finally- ▁ro- ring- ▁commodity- ▁schedule- we- ▁outstanding- ▁attention- ▁somewhat- ▁reporting- ▁shows- ▁game- ▁soon- ▁deep- va- ling- ▁giving- ▁simply- ▁priority- ▁Brazil- ▁policy- ▁strengthen- ▁everybody- ▁pick- ist- ▁talent- ping- ▁trial- ian- ▁mainly- ▁European- ▁goals- ▁evaluate- ▁takes- ▁drug- go- ▁convert- ▁Al- ▁regard- ▁expertise- ▁name- ▁maintaining- ▁ch- ▁en- ▁flows- ▁list- ▁respond- ▁closed- ▁correct- ▁component- ▁itself- ▁paid- ▁prospects- ▁Ca- ▁dollar- bo- ▁innovative- ▁license- ▁implementation- ▁gross- ▁drilling- ▁discipline- ▁expecting- ▁steps- ▁n- ▁Mi- ▁Canada- ▁room- mb- ▁Although- ▁priorities- ▁piece- ▁initiative- ▁developed- ▁leader- ow- ▁yes- ▁mortgage- ▁professional- ▁testing- ▁adoption- ▁compensation- ▁historically- ▁10-- one- ▁definitely- ▁2017.- der- ▁matter- nd- for- ▁table- ▁funds- bu- ex- ▁advance- ▁attract- ▁periods- ▁Ro- ▁Also- ▁October- ▁April- ▁speed- ▁vertical- ▁challenge- rm- ▁rent- ▁created- ▁realize- ▁shares- ▁occur- ▁perform- ▁contain- ▁learning- ▁true- 'no'- ▁happened- ▁touch- ▁multi- ▁drop- ▁undertake- ▁pursue- ▁operator- ▁app- ative- ▁foreign- ▁payments- hi- ▁card- '00'- od- ▁centers- ite- ▁targeted- ▁site- ▁'17- ▁culture- ▁Are- ▁context- ▁importantly- ▁Ex- ▁actively- ▁analysis- ▁described- ▁Given- ip- ▁application- ▁worked- ▁presence- ▁aggressive- ▁deployment- ▁post- ▁resulted- ▁SEC- ▁payment- ▁medical- ▁compete- ▁announcement- ▁resulting- ▁reconciliation- ake- ▁conclude- ▁steady- ner- ▁East- way- ▁action- ▁complex- ▁geographic- ▁affect- ▁July- ▁ra- ction- ▁Investor- ▁count- ▁remember- ▁summer- ▁helping- ▁training- ▁nothing- ▁stream- ▁middle- ▁generated- ▁huge- ▁break- ▁involve- ▁designed- ▁noted- ap- ▁relates- ok- ▁tough- ▁upside- ability- 'off'- ▁seasonal- ten- ▁modest- ▁La- ▁joint- ▁coverage- os- ▁technical- ▁participation- ▁becoming- ▁dynamics- ped- ▁players- ▁30- ▁Day- ▁retailers- ▁emerging- ▁holiday- ▁synergies- ▁South- ish- ▁deposit- ▁measure- ▁2018.- ▁among- ▁dynamic- ▁regional- ▁invested- ▁push- ▁Additionally- ▁trading- ▁heard- ▁implemented- ▁leveraging- ▁discount- und- ▁May- ably- ▁story- ▁gone- log- ▁advanced- ▁choice- ▁exit- ▁America- ▁'18- ▁positions- ward- ber- ▁road- ▁upgrade- ified- ▁capitalize- ▁walk- ▁Mar- ▁relevant- ▁affected- ▁Pa- ▁Over- ▁Con- ▁i- ▁recognized- ▁materials- ries- ▁variety- ▁often- ▁independent- ▁Securities- ▁reminder- ▁reasonable- ▁managed- ▁commission- ▁November- ▁Overall- ▁helpful- ▁transform- ▁moved- ▁otherwise- ▁providers- ▁Services- ▁India- ▁imp- ▁sh- ▁adjustments- ▁models- ▁division- mer- ▁ground- ▁Second- ▁fast- ▁wide- ▁news- ▁demonstrate- ▁enhanced- ff- ▁must- ▁issued- ▁retain- ▁objectives- ▁generating- ▁face- ▁recover- ick- ▁My- ▁closer- ▁effects- ▁communities- ▁function- ible- ▁source- ▁vision- ▁reflecting- ▁renewal- ▁campaign- ▁chart- ▁common- ▁February- ▁charge- ▁hear- ▁reference- ▁headwinds- ▁decided- ▁absolutely- ▁banking- ▁excess- ▁easier- ▁performing- ▁California- ▁seem- ster- ▁identified- ▁reductions- ▁represents- ▁began- ▁movement- ▁uncertainty- ron- ▁analytics- ▁Pro- ▁extend- ▁se- act- by- ▁roll- ▁ship- ▁banks- vo- ▁18- ▁essentially- ging- ▁York- ▁recognition- ▁protect- ▁investor- ▁evidence- ▁suggest- ▁looks- day- ▁happens- X- ▁identify- ▁incentive- ▁finance- ▁Be- ▁subscription- ▁interested- ▁developments- ▁bookings- gen- ▁cannot- ec- ▁class- all- ▁Se- ual- ▁looked- ▁sites- ▁turning- ▁users- ▁impacts- ▁stated- ▁require- market- ▁estimate- ▁established- ▁outcomes- ▁external- ions- ▁Di- '5'- ▁population- ▁underwriting- ▁easy- ▁consolidation- ▁maximize- ▁repurchase- ▁head- ▁carry- ▁truck- ▁problem- ▁left- qui- ▁consistently- ▁figure- ▁provider- ▁venture- ▁helped- ▁compelling- ▁Commission- ▁paying- ▁conservative- ▁Te- ▁components- nce- ▁spot- ▁partnerships- ▁aware- ▁mark- ▁bar- ▁penetration- ▁Mexico- be- port- ▁projections- ▁Moving- ach- ue- ▁engineering- ▁allowed- Q- ▁operators- ▁shown- ▁agreements- ▁achieving- less- ▁Vi- ▁law- ▁indicated- ▁raw- ▁ba- ice- ▁presented- ton- ▁West- ▁deploy- ▁An- ▁rapidly- ▁wins- ▁brought- ▁thoughts- ▁outcome- vis- ▁reform- ▁mention- ▁video- ▁demonstrated- ▁Wa- ▁folks- ▁separate- ▁collection- ▁August- ▁smart- ▁limit- ▁encouraging- ▁machine- ▁prudent- ▁differentiated- ▁toward- ▁auto- ▁sequential- ▁disease- ▁degree- par- ▁filed- ▁receive- ▁option- gra- ▁recorded- ▁exceptional- ▁grew- ities- ▁frankly- ▁tight- ▁valuation- ▁section- ea- ▁Mo- ft- digit- ▁ones- wa- ▁calls- ▁seasonality- ▁trust- ▁supported- ▁evolve- ▁considered- ▁plants- ▁finding- ▁accelerated- ▁showing- ▁From- ▁objective- ▁federal- ▁personal- ▁quick- ▁substantially- ▁devices- ▁senior- ▁John- ful- ▁met- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁suppliers- do- ▁curious- ▁remained- ▁concludes- ▁Form- ▁fill- du- ▁realized- ▁confirm- ▁retention- ▁staff- ▁Those- ▁explain- ▁elements- ▁Group- ▁Of- ill- ▁involved- ▁enter- ▁dedicated- commerce- ▁estimates- amp- ▁securities- ▁Le- ▁inter- ▁contributed- ▁positioning- ▁promotional- ▁felt- ▁Me- ▁Australia- ▁consolidated- ▁benefited- ▁comprehensive- ▁acquire- ▁o- ▁repeat- ▁rep- ▁Today- ▁legal- ▁contribute- ▁rental- ▁leasing- ▁Sp- ▁specialty- ▁claims- ▁feedback- ▁leaders- ▁Chinese- ▁utilize- ▁truly- ▁shared- fe- ▁supporting- ba- ▁visit- ▁15- ▁taxes- ▁Exchange- ▁excellence- ify- ▁original- ▁residential- ▁stuff- ▁traction- fa- ▁participate- ▁raise- ▁signed- ▁refine- ▁provision- ▁decade- ▁nearly- ▁establish- ▁Mike- ▁spread- ▁belief- ▁hospital- ▁wholesale- related- ▁mine- cor- ▁merger- ▁aggressively- ▁cross- ▁themselves- ▁variable- ▁proven- ▁projected- ▁deposits- ▁whatever- ▁apply- ▁implement- ▁package- ▁availability- ▁2016,- ▁automotive- ▁Again- ▁simple- ▁lending- ▁gave- ▁Ho- ▁macro- ▁shop- fer- ▁allowing- ni- ▁vehicle- ay- ▁location- ▁Page- ▁By- ▁conclusion- ▁ho- que- ▁skill- ▁social- ▁Su- W- ▁worth- ▁commentary- ▁afternoon- ▁recurring- ▁digits- ▁Li- ▁studies- ▁holding- ▁cautious- ▁Market- ▁introduction- ▁updated- ▁Lo- ▁held- ▁optimization- ier- ▁Texas- ▁stages- ▁deferred- ▁concept- ▁conversations- ▁cut- ▁creation- ulation- ▁adjust- ▁economics- ▁engaged- ▁picture- ▁features- ▁speaking- ▁page- ▁Obviously- ▁Any- ▁collaboration- ▁assess- ▁transportation- ▁processing- ▁welcome- ▁posted- ▁IT- ▁journey- man- ▁structural- ▁declines- ▁overview- ▁En- ▁known- ▁completely- tain- ▁internally- ▁hire- ga- ▁constant- air- ▁reserve- ▁strengthening- ▁export- ▁efficiently- ▁mostly- ▁Car- ▁mitigate- ▁Bank- ▁indication- che- oc- ▁disruption- ▁gentlemen- ep- ▁fundamentals- ▁connect- ▁practices- ▁lost- ▁hedge- ▁participating- ▁match- ▁accelerating- ▁user- ▁secure- ound- lin- serv- ger- ▁shipments- ▁Ar- ▁manner- ▁Ne- ak- ▁bio- ▁slower- ▁gr- ▁forth- ency- ▁exclude- ▁performed- ▁clean- ▁sometimes- ▁curve- ▁expressed- ▁recall- ▁minutes- ▁alternative- ▁sources- ▁advise- ▁11- ▁calendar- io- ▁After- ▁log- ▁frame- ▁keeping- ▁consideration- ▁states- ▁mis- ▁guarantee- ▁globally- ▁behavior- ▁draw- ▁evaluating- rg- ▁superior- ▁valuable- ▁dividends- ud- ▁announce- ▁Ac- ▁called- ▁compare- ▁subsequent- ▁executive- ath- ▁signs- ▁peers- ▁resource- ▁Financial- ▁weak- ▁comparison- ▁exist- ▁sp- ▁trans- ▁aim- ▁introduced- ▁awareness- ▁launches- ▁storage- ▁notice- ▁housing- ▁weakness- ▁compliance- ▁monitor- store- ▁hopefully- ▁encourage- ▁knowledge- ▁however- ▁element- ▁brief- ▁upcoming- ▁align- ▁bid- ▁extended- ang- ▁adopt- ▁finish- ▁contained- the- ▁Po- comp- ▁modern- av- ▁engage- ▁parties- ▁sharing- ▁pursuing- ▁strongly- ▁wait- ▁old- ▁rig- ned- Y- ▁peak- ▁cell- ▁gap- ▁connection- ▁Not- ▁slides- ▁transfer- ▁acceleration- ▁commitments- ▁plus- ▁Ra- ▁proceeds- ▁Could- ▁helps- ▁'19- ▁travel- ▁sustain- ▁evolution- ▁Management- ▁2019.- ▁reinvest- ▁'16- ▁stability- ▁American- ▁broadly- ▁regular- ▁Based- ▁enjoy- ▁Ba- ▁fl- ▁foot- ▁vehicles- ▁charges- ▁diversified- ▁pressures- ▁standards- ▁opposed- ▁meaning- ▁document- ▁medium- ▁block- ▁Actual- ▁highlighted- ▁disclosure- ▁te- ▁contributions- ▁considering- ▁shipping- ▁asked- ▁concluded- AR- ▁setting- ev- ▁implementing- ▁stop- ▁sign- ▁enhancing- ▁circumstances- ▁executed- ▁message- ▁bad- ▁scenario- ▁Since- ▁audience- ▁device- ▁topic- ▁inside- ▁balanced- ▁geographies- ▁sufficient- ▁50- ▁offers- ▁ad- ▁Jo- ▁sit- ▁shape- ▁wells- ▁shopping- ▁moderate- ▁Ad- ▁ended- ▁Bo- ▁item- ▁pilot- ▁thanks- ▁discussing- ▁publicly- ▁custom- king- ▁targeting- ▁profits- ▁concerned- ▁rising- ▁Act- ▁insight- ▁roughly- ▁landscape- pro- back- ee- ▁slight- ification- ▁words- ▁seek- ▁integrate- ever- ▁influence- ▁mission- ane- ▁settlement- ▁managers- ▁industries- ▁aspects- ▁extension- ▁Steve- ▁fundamental- ▁translate- ▁mining- ▁sc- ory- ▁becomes- '6'- ▁matters- ▁approved- ▁automation- ▁ownership- ▁heavy- ▁winter- cel- net- ▁Most- ▁aircraft- ris- ▁rating- ▁leave- ▁chance- ▁replace- ▁central- ▁Africa- ▁enables- ▁aligned- ▁j- ▁electric- ▁negatively- ▁education- ▁assuming- ▁assist- ▁winning- ▁physicians- ▁Z- ▁caution- ▁evolving- ▁check- ome- ▁enabling- au- ix- ▁intention- ▁Energy- ▁drove- ▁Despite- ▁wind- ▁begun- ▁drill- ▁physical- ▁cap- ▁conduct- ▁reserves- load- ▁reports- ▁rise- ▁bond- ▁practice- ran- ▁importance- ▁places- ▁continuous- ▁Mark- ▁family- ▁Sa- ▁Internet- ▁typical- ▁Ha- ▁achievement- ▁Then- ▁Germany- ▁trajectory- ▁opened- ▁Ve- ▁Product- ▁react- ▁mature- wi- ▁lack- ▁learn- ▁employee- ▁attribute- ▁Com- ▁wage- ▁method- ▁spring- ▁act- ▁adjustment- ▁tra- ▁Ga- class- ▁reality- ▁label- ▁load- ▁rolling- ▁prove- sis- ▁Florida- '8'- ▁deeper- ▁qu- ▁handle- ▁strategically- ▁10%- ▁phone- ▁surge- ▁works- ▁Solutions- ▁implied- ▁two- iti- ▁origination- of- ▁rigs- ▁inventories- ▁consecutive- ▁loyalty- ▁connected- ▁floor- ▁love- ▁sustained- ▁lift- ▁electronic- ▁sounds- gan- ▁opportunistic- ctor- ▁Latin- ▁determine- ▁utility- ▁organizations- ▁box- ▁caused- ▁delay- ib- ▁steel- ▁flexible- ▁assortment- ▁search- fin- ▁fashion- ▁gets- ▁Great- ▁13- CO- ▁enabled- ▁replacement- pa- ▁agencies- ▁examples- ▁Both- ler- ▁underway- ▁owners- ▁rapid- ▁hearing- ▁k- ▁reached- ▁David- ▁pieces- ▁receivable- mission- ▁occupancy- ▁yields- ▁tool- ▁extra- ▁heavily- ▁outlined- da- ▁protection- ▁More- ▁her- uch- ▁experiencing- ▁vast- ▁restaurant- ▁absolute- ▁excluding- ▁diversification- tle- if- ▁stakeholders- ▁broker- ▁Pri- ▁starts- ▁thus- ▁spoke- ship- ▁gotten- ▁OEM- ▁therapy- ▁clarity- ▁Last- ▁unusual- ▁desire- ▁replay- ▁train- board- ▁request- gi- ▁North- ile- ▁adapt- ▁International- ▁reimbursement- ▁dramatically- '7'- ▁2020- ▁extensive- ▁latest- ▁selective- ▁logistics- ▁purpose- ▁watch- ▁depend- ▁spec- ▁yesterday- ▁leases- ▁groups- ▁Comp- ▁consumption- ▁Even- val- ▁regards- ▁weaker- cy- ▁guide- ▁eye- ▁views- her- ▁entered- ▁Ladies- ▁14- ▁financials- ▁soft- ▁Capital- ▁she- ▁depreciation- ▁asking- ▁li- ▁choose- ▁wish- ▁exceeded- ▁Sure- j- ▁assessment- ▁introduce- ▁daily- ▁print- ▁figures- ▁restaurants- ▁impacting- AS- ▁City- ▁permit- ▁imagine- ack- ▁Middle- ▁sectors- ▁carefully- ▁trials- ▁hiring- ▁usage- ium- ▁provisions- ▁problems- ▁contributor- quality- ▁occurred- ▁reward- ▁liquid- ▁declined- ▁Tom- ▁producing- ▁proportion- ▁contributing- ▁depends- ▁framework- ▁guests- down- ▁networks- ▁State- ▁X- cent- ▁rail- ▁expenditures- ▁Coast- ▁diversify- ▁agency- ▁System- ▁downturn- ▁productive- ▁attributable- ase- ▁Western- ▁freight- ▁App- ▁Another- ▁closure- ▁hotel- ▁ca- ▁unless- ▁lag- ▁temporary- ▁cycles- ▁treat- ▁insights- ▁format- ▁series- ▁immediately- ▁inform- ▁returning- ▁scope- ▁brings- ▁originally- ▁Have- ▁updates- ▁coal- ▁complexity- ▁sequentially- ▁collect- ▁ensuring- ▁Other- ▁gaining- use- ▁powerful- ▁serving- led- ▁communication- ▁grown- ▁requires- ▁select- ▁condition- ▁metric- ▁supplier- '9'- ▁usually- uck- ▁exceed- ▁import- ology- ▁diverse- ▁Chris- ▁rules- stream- ▁cancer- ▁r- ▁launching- ▁webcast- ▁et- ▁shortly- ▁farm- ▁concern- ▁him- ▁ten- ▁political- ▁Chief- ▁attending- ▁accomplish- ▁hundred- ▁human- ▁Officer- ▁tri- ▁paper- ▁followed- ▁allocate- ide- ▁department- ▁pain- ▁map- ▁ecosystem- vent- ▁distributors- ▁90- ▁emphasize- ▁usual- ▁bill- cept- row- ▁host- ▁revise- ▁laid- ▁learned- ▁strongest- ▁reliability- ▁promise- ▁perfect- ▁elevated- ▁busy- ▁satisfaction- ▁optimizing- ▁Next- ▁briefly- ▁Jim- ▁subscriber- ▁monitoring- ▁hurricane- ▁coupled- ▁numerous- ▁manufacturers- ▁express- ▁Business- ▁switch- ▁environmental- rate- ny- ▁duration- ▁carriers- ▁proprietary- ▁repair- ▁earn- ▁Wi- ▁installation- ▁alternatives- ▁scheduled- ▁advantages- ▁tenants- ▁20%- ▁produced- ▁exclusive- ▁Health- ▁decide- ▁harbor- ▁addressing- ▁fewer- ▁initially- ▁Air- ▁broaden- ▁rational- ▁suite- lay- ▁summarize- ▁file- ▁solve- ▁pension- ▁installed- ▁waiting- ▁exercise- ▁gen- ▁Ta- ▁merchandise- ▁adverse- ▁leads- ▁facing- ▁vendors- ▁instrument- ▁hardware- ▁Hav- ▁grade- ▁minimum- party- ▁except- ▁appeal- ▁reiterate- ▁indications- ▁par- ▁dependent- ▁associates- ▁institutional- through- ▁hours- ▁deployed- ▁San- ▁metal- ▁tariffs- ▁mill- ▁declining- ▁dealers- ▁indicate- ney- ▁careful- ▁dedication- ▁input- ▁decreased- ▁100- ▁milestones- ▁President- ▁differences- ▁16- ▁showed- ▁Am- ▁competitor- ▁agents- ▁Global- ▁intended- ▁emphasis- ▁stick- ▁Y- ▁5%- ▁cl- ▁lean- ▁immediate- low- ▁Through- ▁magnitude- ▁supplemental- ▁cetera- ▁feeling- ▁positively- ▁secured- ▁hotels- point- ▁ramping- ▁buyers- ▁mode- ▁contact- ious- ▁normalized- ▁pool- ▁rec- ▁enhancements- ▁accretive- ▁accurate- ▁personnel- ▁Ch- ▁constantly- ▁policies- ▁hospitals- ▁sound- ▁concerns- mark- ▁negotiations- ▁conversation- ▁covered- ▁bought- ▁awards- ▁differentiate- ▁frac- ▁eliminate- ▁lowest- ▁lo- ▁super- ▁administration- ▁nicely- ▁dealer- ▁Power- ▁Many- ▁quantify- ▁delays- ▁somebody- ▁France- ▁length- ▁turnaround- ▁door- ▁normally- ▁packaging- ▁screen- ▁deliveries- ▁proposal- ▁cars- ▁wireless- ▁pure- ▁signal- ▁purchasing- ▁okay- ▁homes- ▁40- ▁aspect- ▁useful- ▁outperform- ▁agree- ▁playing- ▁maintained- ▁shifting- ▁incorporate- ▁laws- ▁incredibly- ▁favor- ▁merchant- ▁surprise- ugh- ▁headwind- ▁Therefore- ▁billing- ▁player- ▁instead- ▁intelligence- ai- ▁demonstrates- ▁volatile- ▁assumption- ▁liability- den- ▁expensive- ▁Tra- ▁Mon- ▁delayed- ▁organizational- ▁sand- ▁defined- ▁fiber- ▁fresh- ▁amortization- wood- ▁hoping- ▁science- ▁progressing- ▁enrollment- ▁shut- ▁possibility- ▁feature- ▁describe- 5%- ▁relating- ▁possibly- ▁Op- ▁finished- ▁fruit- ▁released- ▁tracking- ▁Life- ▁status- ▁vary- ▁benefiting- ▁arrangement- ▁placed- ▁Rob- ▁Pacific- ▁principle- ▁students- ▁migration- ▁appear- ▁50%- ▁catch- ▁tried- ▁house- ▁display- ▁tied- ▁Third- ▁reinforce- app- ▁breadth- ▁Part- ▁lives- ▁storm- ▁lay- than- ▁green- ▁communications- 0,000- wide- ▁slowdown- ▁determined- ▁mechanism- ▁evaluation- ▁crude- ▁functions- ▁simplify- ▁Tim- ▁Consumer- ▁licensing- ▁person- ▁avoid- ▁preferred- ▁supplement- ▁sourcing- ▁Once- ▁milestone- ▁formula- ▁disclaim- ▁depth- ▁turned- ▁organically- ▁embedded- ▁explore- ▁instance- ▁obtain- ▁completing- ▁wrap- ▁buyback- ▁pump- ▁Going- ists- ▁Right- ▁Home- ▁updating- ▁kick- ▁surprised- ▁afford- ▁responsible- ▁incurred- ▁sharp- ▁integrating- ▁rolled- ▁filing- quarter- qua- ▁60- ▁Cha- ▁opinion- ▁promotions- ▁indicators- ▁pushing- ▁intent- ame- ▁impressive- ▁bulk- pac- ▁heart- ▁exploration- field- ▁branch- ▁fire- ▁spreads- ▁fix- ▁criteria- ▁drag- ▁Maybe- ox- house- ▁basic- ▁lose- ▁exact- ▁aggregate- date- leading- ▁concerning- ▁accomplished- ▁17- ▁pattern- ▁renewable- ▁feed- ▁dealing- ▁Houston- ▁promote- ▁divisions- ▁percent- ▁gold- ▁regulations- MS- ▁patent- ▁split- ▁differently- ▁Americas- ▁patterns- ▁school- ▁terminal- istic- ▁weighted- ▁spectrum- ▁sponsor- ▁FX- ▁unchanged- ▁expert- ▁0- ▁seeking- ▁member- ▁comparisons- ▁unfavorable- ▁churn- ▁absorb- ▁combine- ▁overhead- matic- ▁creative- ▁join- ▁serious- ▁lock- ▁formal- ▁stress- ▁participants- ▁guest- ▁Jeff- ▁transparency- ▁cat- ▁reliable- ▁estimated- ▁via- ▁purposes- ▁acquiring- ▁appears- ju- ▁calculation- ▁inherent- ▁institutions- ▁analysts- ▁offshore- ▁unlock- ▁elect- ▁located- ▁resolution- ▁minimal- ▁Dan- ▁relation- ▁easily- ▁softness- ral- ▁entering- ▁dose- ▁gather- ▁op- ▁rely- ▁Commercial- ▁square- ▁plenty- ▁impairment- ▁FDA- ▁Sea- ▁CEO- ▁functionality- ▁revised- ▁monthly- ER- ▁disclosed- ▁analyze- ▁raising- ▁sustainability- ▁Importantly- ▁Tri- ▁written- work- ▁Where- ▁someone- ▁port- ▁complement- ▁Trans- ▁entirely- ▁Phase- ▁Industrial- ▁micro- ▁minute- like- ▁thoughtful- ▁fluctuation- ▁partly- RA- ▁considerable- ▁diversity- ▁smooth- ▁persist- ▁prepare- ▁producers- ▁19- ▁AS- ▁reverse- ▁stabilize- ▁fine- ▁eventually- ▁ran- ▁save- ism- ▁Customer- ▁airline- ▁effectiveness- ▁colleagues- ▁self- ▁Pe- ▁realization- ▁administrative- ▁maturity- ▁doubt- ▁tenant- ▁introducing- ▁regulators- ▁straight- ax- ▁recruit- ▁wonder- ▁mass- ▁solar- ▁rollout- ▁Uni- ▁Cor- ▁remove- TA- ▁exception- ▁capable- ▁frequency- ▁borrowing- ▁acreage- ▁architecture- ▁rule- ▁Bill- ▁th- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁knew- ▁published- ▁Man- ▁Hu- ▁election- ▁talented- ▁according- PA- ▁proposed- ▁distinct- ▁consulting- ▁retailer- ▁globe- ▁Under- ▁tighten- ▁refinancing- ▁Pu- ▁thousands- ▁consequence- ▁interaction- ▁Inter- state- ▁seasonally- ▁communicate- ▁park- ▁Matt- ▁characterize- ▁dramatic- ▁write- ▁man- ▁promotion- ▁Private- ▁indicator- ▁3%- forward- ▁Amazon- ▁incredible- ▁older- ▁anybody- ▁deploying- ▁permanent- ▁clinic- ▁servicing- ▁wonderful- ▁Following- ▁TV- ▁owned- ▁Scott- ▁nor- ▁Russia- ▁connectivity- ▁comfort- ▁dialogue- ▁install- ▁concentration- ▁seamless- ▁Michael- ▁demonstrating- ▁warrant- ▁entry- ▁EPS- ▁reflection- ▁legislation- ▁gear- ▁accordance- ▁backdrop- ▁latter- RO- ▁levers- ▁differentiation- ▁minor- ▁damage- ▁Certain- ▁preparing- ▁interact- ▁emerge- IC- ▁engaging- ▁Col- ▁route- ▁retirement- ▁upper- ▁prevent- ▁70- ▁headcount- ▁hybrid- ▁litigation- ▁2%- ▁Permian- ▁utilizing- ▁assure- chi- ▁candidates- ▁narrow- ▁utilities- ker- ▁continuously- ▁meaningfully- ▁layer- ▁National- AN- ▁facilitate- ▁Got- ▁respective- ▁negotiate- ▁massive- ▁referring- ▁Revenue- ▁physician- CE- performance- ▁Like- ▁Retail- ▁Dave- ▁city- ▁Reg- ▁measured- ▁Gulf- ▁menu- ▁vessels- ▁Bob- SA- ▁Every- ▁competing- ▁attend- ▁worse- ▁equal- ▁window- place- ▁commence- ▁procedures- ▁chemical- ▁applied- performing- ▁greatest- ▁distributor- ▁appropriately- ew- ▁pillar- ▁communicated- ▁adjusting- ▁branches- ▁regulation- ▁defense- ▁procurement- ▁factory- ▁offsetting- ▁cities- ▁selected- ▁uptick- ▁merchandising- ▁tail- ▁automate- ▁Central- ▁fantastic- ▁synergy- press- ▁transmission- IS- ▁selection- ▁reaching- ▁generic- ▁observe- ▁became- train- ▁payers- ▁Gra- pay- ▁purchased- ▁round- ▁challenged- ▁modestly- ▁Care- ▁calculate- ▁proactive- ▁divest- ▁relate- ▁streamline- ▁reinsurance- ▁advertisers- ▁receiving- body- ▁passion- ▁stat- AM- ▁ticket- ▁workforce- ▁4%- bra- ▁Forward- ▁vendor- ▁promising- ▁heading- ▁mu- ▁General- ▁disposition- ▁dry- ▁basin- ▁extraordinary- holder- ▁fundamentally- ▁claim- ▁liabilities- ▁Bar- ▁listening- ▁faced- ▁tender- ▁elaborate- ▁preference- ▁upward- ▁stack- ▁Mer- ▁succeed- DA- ▁Medicare- ▁wrong- ▁reset- ▁strengthened- ▁Regarding- ▁harder- ▁bunch- ▁voice- ▁living- ▁night- ▁version- ▁threat- ble- ▁continually- ▁waste- ▁illustrate- location- ▁blend- ▁renovation- ▁jump- ▁terrific- ▁Dr- cost- ▁crop- ▁regardless- ▁Operating- ▁medicine- ▁honest- ▁High- ▁edge- ▁ultimate- ▁placement- ▁disposal- ▁pivot- ▁responsibility- ▁initiated- ▁predictable- ▁shortage- ▁cadence- ▁audit- IN- ▁wave- ▁Service- ▁navigate- ene- ▁adequate- ▁extending- ▁definition- ▁sports- ▁explained- ▁Paul- ▁served- ▁north- ▁raised- 'ON'- ▁lenders- ▁index- ▁counter- ▁manager- ▁borrow- ▁grant- ▁assurance- ▁behalf- ▁upfront- ▁entertainment- fu- light- ▁beneficial- ▁hedging- ▁bridge- ▁Further- ▁rebound- ▁broadcast- ▁publish- ▁essential- ▁uniquely- stock- ▁advancing- ▁innovate- ▁warehouse- ▁sophisticated- ▁offered- ▁indeed- ▁worldwide- ▁joined- ▁women- ▁carrier- AP- ▁Hi- wise- ▁precise- ▁score- ▁Brian- MA- fo- ▁anticipating- ▁satisfied- ▁court- ▁none- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁settle- ▁comm- ▁consistency- ▁compression- ▁agenda- ▁Connect- driven- ▁continuation- ▁secondary- ▁link- ▁funded- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁Sha- ▁prefer- ▁preliminary- ▁Northern- ▁tap- ▁Va- ▁realizing- ▁AR- ▁lab- ▁efficacy- ▁anyone- ▁Factors- ▁pending- ▁Joe- ▁occurring- ▁boost- ▁rebuild- ▁gaming- ▁affecting- ▁digit- ▁panel- ▁sensor- ▁excitement- ▁30%- ▁Food- ▁beverage- ▁constraints- ▁preparation- ▁bundle- month- ▁Each- ▁listen- ▁equation- ▁agent- ▁allowance- ▁Per- ▁characteristics- ▁Additional- ▁earning- ▁conjunction- ▁severe- zz- ▁London- OS- ▁pushed- ▁somewhere- ▁incur- ▁nation- ▁EBIT- ▁translation- ▁25- ▁15%- ▁rid- level- ▁watching- ▁optimal- ▁hopeful- ▁obvious- ▁clarify- ▁identifying- ▁diligently- tech- ▁lap- ▁alignment- TE- ▁anywhere- ▁noise- ▁evident- ▁picking- ▁Ge- ▁ambition- ▁requirement- ▁mile- ▁divestiture- ▁optimism- ▁constitute- ▁reputation- ▁agreed- ounce- ▁staffing- ▁demographic- ▁acceptance- ▁jurisdiction- ▁frequent- ▁Rich- ▁attack- ▁sellers- ▁validate- ▁pharma- ▁intense- ▁distributed- ▁World- ▁title- ▁employ- scale- ▁1%- ▁enormous- ▁compound- how- ▁onetime- ▁6%- ▁word- generation- ▁Does- ▁define- ▁affordable- ▁aftermarket- ▁complicated- ▁families- ▁slowing- ▁disclose- ▁la- ▁signing- ▁suffer- ▁Plan- ▁spin- ▁background- ▁realign- ▁competitiveness- ▁Growth- ▁transparent- ▁alone- ▁math- ▁Gu- ▁currencies- value- ▁accomplishments- ▁stabilized- ▁Street- ▁equally- ▁Black- ▁manufacture- ▁represented- ▁benchmark- ▁contemplate- ▁variability- ▁task- ▁consolidate- ▁exceeding- ▁virtually- ▁sum- ▁Har- ▁appetite- ▁Will- ▁cable- hand- aw- ▁maximizing- ▁philosophy- ▁harvest- ▁unknown- xi- ▁fulfill- win- ▁qualified- ▁employer- ▁Center- ▁buyer- ▁Board- stone- ▁shorter- ▁satellite- ▁midpoint- channel- ▁graph- ▁linked- ▁leg- ▁deck- ▁corresponding- ▁tire- ▁renewed- J- ▁familiar- ▁zone- Z- ▁destination- ▁container- ▁Na- ▁24- ▁OpEx- ▁She- IT- ▁complementary- EX- ▁film- ▁tech- ▁interim- cycle- ▁Korea- ▁Brand- ▁bonus- ▁proceed- ▁Would- ▁classes- ▁pickup- ▁friend- ▁exploring- ▁gradually- ▁fortunate- ▁attach- ▁representative- ▁200- ▁warm- ▁collective- margin- ▁Sun- ▁burn- ▁prospective- ▁pad- ▁horizon- ▁recruiting- ▁prime- ▁addressable- ▁contractual- ▁Digital- ▁reliance- ▁bidding- ▁reaction- ▁entity- ▁Mr- ▁tangible- ade- ▁Basin- ▁appreciation- mail- ▁decent- risk- ▁personally- ▁Kevin- ▁awarded- ▁burden- ▁stabilization- ▁macroeconomic- ▁ingredient- ▁pipe- ▁Risk- ▁copy- ▁neutral- ▁student- ▁franchisees- ▁bucket- ▁inflection- ▁send- ▁guided- ▁cold- ▁covenant- ▁surface- ▁softer- ▁television- ▁measurement- ▁reasonably- ▁hub- ▁funnel- tribut- ka- ▁circ- ▁advisory- ▁occasion- ▁session- ▁sentiment- ▁constructive- ▁sensitive- ▁restrict- ▁accepted- ▁catalyst- cast- EN- ▁crew- ▁proceeding- ▁proactively- ▁adjacent- room- ▁downward- ▁amazing- ▁trigger- ▁auction- ▁revision- ▁Clearly- ▁testament- ▁language- ▁tank- ▁survey- ▁bright- ▁earned- ▁8%- ▁deliberate- ▁accordingly- ▁Chi- ▁grid- ▁arise- ▁Secondly- ▁2014- ▁diligence- ▁referred- ▁headline- premise- ▁lie- ▁mandate- ▁deepen- added- ▁diagnostic- price- ▁Pay- ▁therapeutic- ▁healthcare- ▁wider- source- ▁royalty- ▁Data- ville- ▁construct- ▁virtual- ▁acknowledge- ▁Reform- ▁renew- ▁indicative- ▁supportive- ▁module- ▁Eastern- ▁compensate- ▁consult- ▁FY- ▁underpin- ▁cyclical- ▁monetize- ▁sample- ▁applicable- ▁understood- ▁cutting- ▁attempt- ▁registration- ▁campus- ▁flavor- ▁steadily- ▁sight- ▁treated- ▁anticipation- ▁accept- ▁properly- ▁tailwind- ▁committee- ▁shelf- ▁capturing- ▁style- ▁concentrated- ▁recycling- ▁Lu- ▁deduct- ▁memory- ▁cheap- ▁REIT- ▁noncash- ▁40%- ▁urban- ▁entities- ▁Lastly- ▁programming- ridge- ▁tower- ▁visible- ▁refining- ▁billion- ▁composition- ▁Work- ▁swing- ▁letter- ▁nuclear- ▁IoT- ▁resolved- ▁announcing- ▁equivalent- town- ▁Spain- ▁Greg- ▁historic- ▁Partner- ▁heat- ▁seat- ▁kept- ▁gu- ▁economies- ▁Italy- ▁literally- ▁repositioning- ▁commit- ▁Brexit- ▁pack- ▁discontinued- ▁resilient- ▁functional- ▁tariff- ▁certainty- ▁messaging- ▁turnover- ▁Ka- ▁Ti- ▁Investment- ▁Similar- sourcing- ▁Frank- ▁satisfy- ▁artificial- ▁discovery- ▁authorities- ▁commodities- ▁prioritize- ▁south- ▁pet- ▁losing- ▁ideal- ▁territories- ▁yourself- ▁laser- ▁employment- ▁pound- ▁indirect- ▁pharmaceutical- ▁fight- ▁sorry- ▁Excluding- ▁bullish- ▁separation- ▁detect- tune- ▁redevelopment- ▁rich- ▁augment- ▁strive- ▁strict- ancy- ▁Technology- ▁payroll- ▁radio- ▁Washington- ▁flu- ▁affiliate- ▁concession- ▁predominantly- ▁reflective- ▁technological- ▁quicker- ▁amongst- ▁row- ▁Conference- ▁Southeast- ▁parent- grade- ▁differential- ▁Department- ▁attrition- ▁pause- water- ▁membership- ▁Litigation- ▁regulated- ▁personalized- ▁prescription- ▁cautionary- ▁handful- ▁tie- ▁El- ▁Carolina- ▁corner- ▁lever- ▁poor- ▁7%- ▁scheme- ▁ease- ▁sizable- ▁enroll- ▁fell- ▁carried- ▁chosen- ▁meantime- ▁hitting- ▁database- ▁Port- ▁Corporate- ▁balancing- ▁delever- ▁payout- ▁broadband- ▁official- ▁Che- ▁swap- ▁vote- ▁Water- ▁hu- ▁issuance- ▁prospect- ▁Furthermore- ▁military- ▁shrink- ility- ▁Enterprise- ▁controlling- ▁intellectual- ▁alluded- ▁endpoint- ▁carbon- ▁inject- ▁materialize- ▁Year- ▁bus- ▁Should- ivity- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁discover- ▁lumpy- ▁transport- ▁absorption- ▁semiconductor- je- ▁mutual- ▁popular- ▁audio- ▁code- ▁shipment- ▁Bio- ▁Ki- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁principal- ▁People- ▁'15- ▁LNG- ▁overcome- ▁Total- ▁manufacturer- ▁convinced- oriented- ▁scalable- ▁Hong- ▁bump- ▁hydro- ▁intensity- ▁Medical- ▁Gene- ▁disappointed- ▁copper- ▁takeaway- ▁Park- ▁Kong- ▁judgment- ▁restructure- ▁float- ▁penetrate- ▁Pi- ▁validation- ▁Direct- ▁Network- ▁Media- ▁repayment- ▁description- ▁maximum- Point- ▁output- service- ▁image- ▁household- ▁methodology- ▁Chicago- ▁spite- ▁Ken- ▁Argentina- ▁territory- ▁suit- ▁Performance- ▁CFO- ▁lend- ▁consist- ▁amendment- ▁elsewhere- ▁apparel- ▁foreseeable- ▁principally- view- ▁Information- ▁outlet- fusion- ▁aerospace- ▁relentless- ▁omni- single- ▁undu- ▁hurdle- ▁scaling- ▁rank- ▁cohort- ▁quote- ▁recap- ▁fun- ▁three- ▁throughput- ▁wire- ▁basket- ▁smartphone- ▁Cloud- ▁motor- ▁governance- brand- ▁sensitivity- ▁therapies- ▁fluid- ▁resolve- ▁Delaware- ▁Google- ▁Why- ▁art- ▁Hurricane- ▁lifetime- ▁sa- ▁observation- ▁inflationary- ▁Ju- ▁variation- ▁disruptive- ▁electricity- ▁profitably- ▁interpret- ▁barrier- ▁investigation- ▁scientific- ▁Vice- ▁constrained- ▁delighted- ▁German- ▁casual- ▁expenditure- ▁body- focused- ▁causing- ▁downstream- ▁submission- ▁Number- ▁hour- ▁refinance- ▁municipal- ▁advancement- ▁suppose- ▁gradual- ▁Everyone- ▁MA- ▁favorably- ▁comprise- ▁Due- ▁considerably- ▁securing- hold- ▁domain- ▁unfortunately- ▁vessel- ▁proof- ▁stake- ▁mobility- ▁Class- ▁listeners- ▁protocol- ▁tumor- ▁scrap- ▁shipped- ▁responsive- ▁Northeast- ▁explanation- ▁remarkable- ▁outflow- ▁accommodate- ▁mindful- ▁niche- ▁prepayment- ▁appendix- ▁Auto- ▁SaaS- ▁myself- ▁animal- ▁peer- ▁redeploy- ▁passenger- ▁Key- ▁Project- ▁battery- ▁embrace- ▁monetization- ▁ample- ▁luxury- ▁Company- spec- ▁normalize- ▁disrupt- ▁strike- ▁weekend- ▁threshold- ▁exhibit- ▁weigh- ▁combining- ▁diesel- ▁duty- ▁recommendation- ▁pharmacy- ▁temp- print- ▁enthusiasm- ▁conventional- ▁remodel- ▁subsidiaries- ▁surrounding- ▁leaving- ▁Specifically- ▁parallel- ▁chip- ▁consume- ▁compute- ▁incident- ▁movie- ▁fulfillment- ▁chose- ▁deflation- ▁consultants- ▁thorough- ▁conscious- ▁strides- ▁remote- ▁fastest- ▁relief- ▁recoveries- ▁interface- ▁enthusiastic- ▁Rico- ▁preserve- ▁Beyond- ▁Corporation- ▁airport- ▁dozen- ▁missed- ▁resilience- ▁variance- ▁pretax- ▁street- ▁Consistent- ▁underground- ▁lifestyle- ▁submitted- ▁collaborative- ▁supplies- ▁whilst- ▁honor- standing- ▁acute- ▁density- ▁controlled- ▁breakdown- ▁surprising- ▁educate- media- ▁extract- ▁Jack- ▁agile- ▁Things- ▁rigorous- ▁Peter- ▁predictions- ▁subsidiary- ▁proper- ▁negotiation- turn- ▁consolidating- ▁acceptable- ▁Insurance- ▁optionality- ▁Analyst- ▁EMEA- ▁Two- ▁discrete- ▁struggle- ▁termination- making- ▁impression- ▁loyal- ▁accountability- ▁tier- power- ▁urgency- ▁throw- ▁reposition- range- ▁algorithm- ▁crisis- ▁sudden- ▁resonate- ▁pleasure- ▁advice- ibility- ▁impressed- ▁80%- ▁proxy- ▁surgical- ▁Medicaid- ▁identity- ▁Vegas- product- ▁analytic- ▁9%- ▁district- ▁discretionary- ▁accident- ▁molecule- ▁doctors- ▁failure- ▁pathway- ▁blue- ▁100%- ▁array- ▁exposed- ▁protein- ▁unfold- ▁everywhere- ▁inclusion- ▁worry- ▁alliance- ▁unexpected- ▁corporation- ▁Eagle- ▁upgrading- ▁flight- ▁60%- ▁granular- ▁Alberta- ▁Christmas- ▁white- ▁empower- ▁inspection- ▁novel- ▁precision- ▁ROI- effective- ▁stockholders- ▁Jersey- ▁SKU- ▁absence- ▁negotiating- ▁twice- ▁certification- ▁consumable- ▁derivative- ▁perception- ▁underscore- centric- ▁Specialty- ▁guiding- ▁integrity- ▁nonrecurring- ▁stretch- ▁mini- ▁defend- ▁resume- ▁Green- ▁receipt- ▁dilution- ▁replacing- ▁comparative- ▁substitute- ▁ladies- ▁younger- ▁collateral- ▁fifth- cycl- ▁climate- ▁disappointing- ▁keen- balance- ▁Japanese- growing- ▁Fourth- ▁determination- ▁hyper- ▁mineral- ▁authorization- ▁thrilled- ▁undertaking- ▁script- fold- ▁rationalization- ▁hurt- ▁midstream- sale- ▁Look- ▁comparing- ▁secular- ▁holistic- ▁Construction- ▁robotic- ▁intelligent- ▁velocity- ▁beauty- ▁regime- ▁Smart- ▁invite- ▁dimension- ▁blood- ▁reorganization- ▁unlikely- ▁master- ▁workflow- ▁demo- ▁anniversary- ▁diluted- ▁inorganic- ▁submit- ▁Quarter- ▁cancellation- ▁French- adjusted- ▁cultural- ▁preclinical- ▁concentrate- gress- ▁Security- ▁strip- ▁anchor- ▁Annual- ▁deleveraging- ▁Long- ▁Midwest- ▁relevance- ▁Boston- ▁sweet- ▁Gold- ▁geo- ▁bolster- ▁extreme- ▁overlap- ▁breakeven- ▁headquarters- ▁adult- ▁Doug- ▁vital- ▁agility- ▁Building- ▁revolving- ▁technique- ▁intangible- ▁reservoir- ▁stabilizing- ▁noncore- ▁concrete- ▁reconcile- ▁procedure- ▁immune- ▁Blue- ▁recommend- ▁Mobile- ▁academic- ▁multifamily- ▁practical- ▁Congress- ▁computing- ▁Results- ▁accretion- ▁casino- ▁reversal- ▁arrive- ▁revolver- ▁IPO- ▁referral- ▁convenient- ▁parameters- ▁deterioration- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁uplift- ▁fail- ▁bankruptcy- ▁text- ▁viable- ▁visual- ▁marine- ▁valid- ▁contingent- ▁recession- ▁Federal- ▁apartment- ▁distribute- ▁nimble- ▁suspect- ▁Phil- ▁character- ▁Colorado- ▁solely- ▁modification- ▁outdoor- ▁foresee- ▁articulate- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁Valley- ▁Virginia- ▁possibilities- ▁flood- ▁temperature- ▁alter- current- ▁experiment- ▁restrictions- ▁retire- ▁accuracy- ▁analyzing- ▁aluminum- ▁unprecedented- ▁expire- ▁glad- ▁powder- ▁spike- ▁tomorrow- growth- ▁avenue- ▁guidelines- ▁anymore- ▁eliminating- ▁telecom- ▁poised- ▁resort- ▁Hawaii- ▁likelihood- ▁simplification- ▁Engine- ▁gift- ▁correlation- ▁qualification- ▁redesign- ▁aspiration- ▁triple- ▁chunk- q- ▁underwrite- ▁Colombia- ▁redemption- ▁snow- ▁pursuit- ▁apparent- ▁consent- ▁Adjust- ▁candidate- ▁Program- ▁foremost- ▁Demand- ▁outpace- ▁replicate- ▁saving- ▁Office- ▁Healthcare- efficient- ▁Earlier- ▁Ontario- ▁interconnect- ▁plate- ▁Strong- ▁doubling- ▁analyst- ▁plastic- ▁Brad- ▁Friday- ▁worried- ▁proving- ▁contrast- ▁Whether- ▁1995- ▁Credit- ▁treasury- ▁institution- contract- ▁tissue- ▁Technologies- ▁glass- ▁refund- ▁additive- ▁oncology- ▁regulator- ▁expiration- ▁forefront- ▁embark- ▁IFRS- ▁imaging- ▁coffee- ▁default- ▁placing- ▁entrepreneur- ▁fluctuate- plus- ▁Dallas- ▁consensus- ▁flagship- ▁fragmented- ▁generator- ▁ERP- ▁Executive- ▁hike- ▁Control- ▁advertise- ▁choosing- ▁coast- ▁Sweden- ▁judge- ▁Development- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Together- ▁conviction- ▁click- ▁reaffirm- ▁children- ▁venue- ▁stories- ▁decreasing- ▁heightened- ▁lumber- ▁Remember- ▁tactical- ▁worst- patient- ▁trouble- ▁accrue- ▁caught- ▁unsecured- ▁unmet- ▁Chairman- ▁pronounced- ▁music- ▁Ohio- ▁statistics- ▁uptake- ▁chronic- ▁Access- ▁harm- ▁Micro- ▁debate- ▁quantity- ▁River- ▁initiate- ▁severity- ▁diminish- ▁routine- ▁slip- ▁Unfortunately- ▁mechanical- ▁mistake- ▁ambitious- ▁lens- ▁probability- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁Microsoft- ▁Safety- ▁dispute- ▁communicating- ▁grocery- ▁simplified- ▁Across- ▁Public- ▁spirit- ▁Meeting- ▁grateful- ▁NIM- ▁studio- ▁Facebook- ▁residual- ▁banner- ▁bolt- ▁requiring- ▁Jason- ▁Gross- scrip- ▁allocating- ▁witness- ▁cluster- ▁Illinois- ▁restart- ▁immuno- ▁president- ▁surplus- ▁inefficiencies- ▁baked- ▁Reconciliation- ▁impossible- ▁teleconference- ▁perceive- ▁edit- ▁distinguish- ▁correlate- ▁authentic- ▁idle- ▁autonomous- ▁friction- ▁coupon- ▁ATM- ▁ancillary- ▁incumbent- ▁refocus- ▁overnight- ▁imperative- ▁Indonesia- ▁manifest- ▁govern- ▁promoting- ▁regain- ▁ruling- ▁pulp- ▁rebate- ▁neuro- ▁royalties- ▁transcript- ▁kids- ▁George- ▁filter- ▁diligent- ▁prescribe- ▁revolution- ▁Science- ▁British- ▁accrual- ▁cement- ▁Keep- ▁Phoenix- ▁Zealand- ▁dominant- ▁Broad- ▁Senior- ▁replenish- ▁Court- ▁appointment- ▁collaborate- ▁speculate- ▁Electric- ▁Norway- ▁genetic- ▁modify- ▁Transportation- ▁erosion- ▁resonating- ▁quota- ▁crucial- ▁opposite- ▁streamlining- ▁optical- ▁Chemical- ▁authority- ▁millennial- ▁Flex- ▁disaster- ▁shortfall- ▁1,000- ▁nursing- ▁Republic- ▁implies- ▁elevate- ▁equities- ▁Several- ▁annuity- ▁elimination- ▁landlord- ▁neighborhood- ▁curtail- ▁argue- ▁temporarily- ▁Atlanta- ▁crystal- ▁Lower- ▁Personal- ▁ordinary- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁albeit- ▁perpetual- ▁differentiating- ▁activation- ▁exploit- ▁reception- ▁systematic- ▁premature- ▁Navy- ▁revisit- abilities- ▁competencies- ▁integral- ▁skew- ▁photo- mount- ▁corn- ▁Netherlands- ▁article- ▁charging- ▁shaping- ▁activate- specific- ▁implant- ▁unrealized- ▁eager- ▁securitization- ▁Oklahoma- ▁accumulate- ▁phasing- ▁province- ▁Resources- ▁softening- ▁Automotive- ▁privilege- ▁depressed- ▁statistical- ▁inflows- ▁Electronic- ▁catastrophe- ▁prevail- ▁Arizona- ▁durable- ▁terminate- ▁RevPAR- ▁assembly- facing- ▁Though- ▁argument- ▁airplane- ▁fraud- ▁society- ▁Platform- ▁habit- ▁brick- ▁crack- ▁Michigan- ▁bandwidth- ▁applies- ▁delta- ▁qualitative- ▁determining- ▁grain- ▁leisure- ▁repricing- ▁amended- ▁'20- ▁inhibitor- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- ▁innovating- ▁encounter- ▁endeavor- ▁Defense- ▁excuse- ▁Communication- ▁pride- ▁buffer- ▁configuration- ▁clarification- ▁Target- ▁Craig- ▁Nevertheless- ▁silver- ▁Property- ▁Ultimately- ▁circuit- ▁instruct- ▁showcase- ▁energized- ▁severance- ▁trailing- ▁iconic- ▁tailored- ▁concluding- ▁Supply- ▁Seattle- ▁recapture- ▁vacation- ▁modified- ▁steep- ▁celebrate- ▁prepaid- ▁vacancy- ▁Natural- ▁achievable- ▁drink- ▁inclusive- ▁scheduling- ▁capacities- ▁mitigation- ▁investigator- ▁black- ▁Margin- ▁taste- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_unnorm_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp_unnorm/asr_stats_raw_en_unnorm_bpe5000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.7distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm//lm_train_lm_en_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 58146dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm//lm_stats_en_bpe5000/train/text_shape.bpevalid_shape_file:- exp_unnorm//lm_stats_en_bpe5000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- s- ▁in- ▁that- ▁a- ''''- ▁our- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁be- ▁this- ▁We- re- ▁And- ▁will- '-'- t- ▁year- ▁quarter- ▁at- ing- ▁So- ▁more- ▁from- ▁business- ▁think- ▁not- ▁what- ▁some- d- ve- ▁us- ▁by- ▁about- ed- ▁there- ▁can- ▁growth- ▁new- ▁was- ▁which- ▁or- ▁do- ▁very- ▁an- '?'- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁all- ▁been- ▁just- ▁has- ▁these- ▁so- ▁well- ▁over- ▁those- ▁now- ll- ▁time- ly- n- ▁out- ▁where- ▁into- ▁customers- ▁like- ▁first- ▁results- m- ▁But- ▁other- ▁really- ▁how- ▁if- ▁up- ▁their- ▁expect- ▁forward- ▁company- ▁than- ▁last- ▁were- ▁look- ▁your- ▁through- ▁get- ▁any- ▁call- ▁one- ▁because- ▁strong- ▁In- ▁had- ▁believe- ▁sales- ▁when- ▁good- ▁second- ▁This- ▁As- ▁revenue- ▁then- er- ▁lot- ▁make- ▁performance- ▁product- ▁cost- ▁much- y- ▁financial- ▁capital- ▁value- ▁Our- ▁could- ▁years- ▁right- ▁impact- ▁terms- ▁want- ▁future- ▁don- ▁both- ▁It- ▁them- ▁today- ▁work- ▁little- ▁back- ▁customer- ▁next- ▁bit- ▁increase- al- ▁end- ▁take- ▁products- ▁number- ▁kind- ▁higher- ▁opportunities- ▁half- ▁able- ▁way- ▁markets- ▁may- ▁know- ▁significant- ▁operating- ▁better- ▁go- ▁focus- ▁say- ▁cash- ▁2- ▁part- ▁things- ▁still- ▁point- ▁provide- ▁most- ▁statements- ▁lower- ▁should- ▁team- ▁being- in- c- ▁need- ▁across- ▁made- ▁opportunity- ▁line- ▁important- ▁down- ▁third- e- ▁rate- ▁- ▁during- ▁long- ▁people- ar- ▁re- ▁fourth- ▁strategy- ▁portfolio- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁price- ▁progress- ▁around- ▁A- p- r- ▁working- ▁share- ▁management- ▁me- ▁demand- ▁investment- ▁no- ▁due- ▁additional- ▁give- ▁actually- ▁come- ▁high- ▁great- ▁while- ▁only- ▁even- ▁seeing- ▁plan- ▁few- ▁margin- ▁same- ▁looking- ▁here- ▁S- ▁drive- ▁development- ▁start- ▁grow- ▁result- ▁costs- ▁different- ▁current- le- ▁seen- ▁change- ▁doing- ▁further- ▁3- ▁coming- ation- ▁service- ▁who- ▁guidance- ▁positive- ▁data- ▁earnings- o- ▁position- ▁C- ▁process- ▁technology- ▁key- ▁turn- ▁full- g- looking- ▁past- ▁investments- ▁That- ▁said- ▁support- ▁improve- ▁overall- S- ▁basis- ▁environment- ▁expected- or- ▁balance- ▁question- u- ▁increased- ▁again- ▁move- ▁focused- ▁help- ▁within- ▁sort- 'on'- ▁got- ur- ▁potential- ▁services- ▁before- ▁large- ▁remain- ▁businesses- ▁pricing- ▁months- ▁These- ▁side- ▁making- ▁Q- ▁F- ▁done- ▁put- ▁something- ▁ability- ▁program- ▁interest- ▁experience- ▁strategic- ▁already- ▁platform- ▁sure- ▁production- ▁based- ▁use- ▁best- ▁feel- ▁such- ▁information- ▁segment- ▁acquisition- ▁mentioned- ▁period- ▁Now- ▁talk- ▁model- ▁maybe- ▁expectations- ▁early- ▁several- ▁You- ▁operations- ▁given- ▁deliver- ▁s- ▁base- ▁order- ▁assets- ▁pleased- term- ▁rates- ▁my- ▁changes- ▁tax- ▁place- ▁build- C- es- ▁benefit- ▁each- ▁couple- an- ▁growing- ▁improvement- ▁including- ▁under- ▁projects- ▁certain- ▁related- ▁flow- ▁initiatives- ▁addition- ▁fact- b- ion- a- ▁commercial- ▁companies- ▁activity- ▁driven- ▁areas- ers- ▁getting- ▁existing- ▁mix- ▁brand- ▁term- ▁margins- ▁volume- ▁levels- ▁pretty- ▁thing- ▁mean- ▁release- ic- ▁continues- ▁income- ▁course- ▁capacity- ▁big- P- it- ▁factors- ▁might- l- ▁competitive- ri- ▁clients- ▁probably- ▁net- ▁project- ▁always- ▁With- ▁does- en- ▁There- E- ▁risk- ▁B- ▁review- ▁every- ▁leverage- ▁Thank- able- ▁marketing- ▁amount- ▁off- ▁quite- ▁quarters- ▁saw- ▁update- ▁its- ▁P- ▁less- ment- ▁prices- ▁offset- ▁why- ▁view- ▁supply- ▁available- ▁world- ▁building- ▁after- ▁credit- ▁E- ▁having- ro- I- ▁recent- ▁de- ▁top- ▁success- ▁real- ▁between- ▁set- ▁prior- ▁efforts- ▁core- ▁global- ▁let- ▁digital- ▁quality- k- ▁Or- ▁conference- se- ▁area- ▁operational- ▁earlier- il- ▁T- ▁shareholders- ▁return- ra- ▁far- ▁system- ▁understand- ▁low- ▁range- ▁pipeline- ▁trying- ▁actual- ▁contract- ▁expenses- ▁primarily- ▁continuing- ▁another- ▁structure- ▁While- ▁certainly- ▁whether- ▁e- ▁solutions- ▁approach- ▁day- f- ▁own- ▁inventory- ▁questions- ▁outlook- ▁ahead- ▁For- to- ate- ▁taking- ▁improved- ▁presentation- ul- ▁expense- R- A- T- el- ▁thank- ▁non- ▁If- ▁major- ▁retail- ▁confident- ▁profitability- ch- ▁fiscal- ▁capabilities- ▁create- ▁timing- ▁group- ▁add- ▁expand- ▁un- ▁p- ▁materially- li- ▁clear- ▁risks- M- ▁total- ent- ▁b- ▁increasing- ▁expansion- O- ▁4- ▁ago- ▁On- ▁consumer- ▁specific- ▁distribution- ▁D- ▁solid- ▁obviously- ▁excited- ▁hard- ▁space- ▁driving- ▁moving- D- ▁benefits- ▁What- ▁f- ▁invest- ▁talked- ▁differ- ▁acquisitions- ▁China- ▁revenues- ▁partners- ▁strength- ▁plans- ▁Yes- ▁sheet- ▁bring- la- ▁begin- ▁tell- ▁perspective- ▁keep- ▁particularly- at- th- ▁small- ▁increases- up- ▁1- ▁5- ▁debt- i- ▁They- ▁sense- ▁stores- ▁transaction- ▁U- ▁close- ▁versus- ▁asset- ▁R- ▁compared- ▁per- ▁improving- ▁network- ▁measures- '1'- ▁longer- ▁programs- ive- ▁patients- ▁run- ▁consistent- ▁open- ▁average- ▁significantly- as- L- ▁trends- ▁beginning- ▁control- ▁numbers- ▁scale- ▁needs- ▁care- ▁G- ▁currently- ry- ▁since- ▁conditions- ▁trend- ▁decline- ▁organization- ▁c- et- ▁innovation- ▁detail- ▁pay- ▁difficult- ▁include- ▁advantage- ▁profit- ▁N- ▁deal- ▁points- ▁execution- ▁anything- ▁towards- ▁volumes- ▁cause- ▁together- ▁access- ▁material- ▁larger- ▁However- ▁spend- ▁starting- ▁efficiency- ▁uncertainties- ▁reduce- ▁example- ▁remains- ▁record- ▁At- ▁throughout- ▁later- ▁comments- ▁ongoing- ▁fully- ▁gas- ▁store- ▁greater- ▁organic- ▁yet- ▁events- ▁along- ▁M- ▁successful- ol- ▁short- ▁2017- ▁To- ▁announced- ▁con- est- h- ter- ▁morning- ▁note- ▁sell- ▁discuss- ▁find- ▁Europe- ne- te- ▁started- ▁brands- ▁allow- ▁returns- ▁transition- ▁case- ▁particular- ▁track- ▁front- ▁achieve- ▁talking- ▁become- ▁manage- ▁similar- ▁decision- ▁oil- im- ▁international- ▁infrastructure- ▁health- ▁momentum- ▁providing- ized- ▁Okay- ▁recently- ies- ▁completed- ▁job- ▁press- ▁direct- ▁economic- ▁Re- ▁book- ▁shift- ▁associated- ▁improvements- ce- ▁try- ▁discussed- ▁guess- ity- ▁activities- '2'- ▁play- ▁report- ▁impacted- ▁size- ▁everyone- ▁previously- ▁systems- ▁2018- ig- ▁confidence- ▁anticipate- ▁pressure- ▁offering- ▁6- ▁remarks- ▁effect- ▁reduction- G- ▁issues- um- ▁integration- ▁offer- ▁reason- lo- ▁lines- ▁too- ▁partner- ▁stock- ▁launch- ▁board- ▁Before- ▁meet- ▁O- ▁used- ▁positioned- ▁cycle- ▁delivering- ▁investors- ▁energy- ▁website- ▁equity- ated- ▁incremental- ▁against- ▁segments- ▁subject- ck- ▁rest- age- ▁2016- ▁teams- ▁items- ▁slightly- ▁local- ▁percentage- ▁quickly- ▁guys- ▁power- ▁multiple- ▁money- ▁near- ▁L- ▁single- ▁Slide- ge- ▁contracts- de- ▁beyond- ▁adjusted- ▁target- ▁actions- ▁co- ▁channel- x- ▁leadership- ▁selling- ▁equipment- ▁develop- ▁clearly- ▁especially- B- ▁possible- ating- ▁address- ▁unique- ▁generate- ▁spending- ▁relative- '%'- ▁using- ▁answer- year- ting- ▁annual- ▁remind- ▁comment- ▁date- ▁dis- ▁general- ▁once- ▁maintain- ▁serve- ▁combination- ▁without- ▁st- ▁facility- ▁manufacturing- F- w- ▁execute- ▁complete- ▁means- ▁client- ▁hand- ▁employees- ▁either- ▁resources- ▁design- ▁One- ▁free- ▁comes- ▁issue- ▁ensure- ▁attractive- ▁show- ▁reflect- ▁included- ▁taken- ▁content- ▁challenges- ▁online- ▁loan- ▁details- ▁type- ▁final- ▁month- ant- ▁v- end- ▁various- ally- ▁investing- ▁regarding- ▁leading- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁public- id- ▁whole- ▁pre- ▁moment- ▁meaningful- ▁t- ▁situation- ▁All- ▁comp- ▁wanted- ▁step- us- ▁happen- ▁chain- ▁New- ▁clinical- V- ▁thinking- ▁forecast- tion- z- ▁productivity- ▁he- ▁corporate- na- co- ▁d- ▁solution- ▁relationships- ru- ▁regulatory- ▁stronger- ▁thought- ▁largest- ▁committed- ir- ▁goal- ▁enhance- ▁government- ▁sale- ▁marketplace- ▁discussion- ization- ▁profitable- ▁deals- ▁relatively- ▁cloud- ▁delivered- ▁First- ▁portion- ▁H- ut- ▁hope- ▁anticipated- ta- '3'- lu- ▁favorable- ▁season- ▁lead- ▁savings- ▁likely- ▁EBITDA- un- ▁entire- ▁When- ▁respect- ▁provided- GAAP- ▁Well- ▁prepared- ▁least- ▁bottom- ▁consumers- ▁underlying- ▁highly- ▁transformation- ▁normal- ▁operate- ▁Can- ▁category- ▁delivery- ▁bank- ▁flat- ▁days- ad- ▁flexibility- ▁combined- ▁dividend- ▁Let- ▁experienced- line- ▁ways- ▁closing- ma- ▁account- ▁purchase- ▁built- '4'- ▁majority- nt- ▁week- ▁slide- ance- ver- ▁orders- ▁critical- ▁agreement- ▁gives- ▁gain- am- ure- ▁challenging- ▁expanding- ▁though- ▁efficient- ▁ratio- ▁commitment- ▁haven- ▁effective- ▁came- ▁accelerate- ▁generation- ▁home- ▁initial- ▁upon- ▁generally- ▁am- ▁quarterly- ▁test- ▁buy- ▁doesn- ▁required- ▁strategies- ia- ct- ▁competitors- ▁currency- ▁ramp- ▁During- ▁pro- vi- ▁region- ▁country- ▁everything- ine- ti- ▁decrease- ▁K- ▁largely- ▁12- ▁stay- ▁St- ▁facilities- ▁active- ▁competition- ▁loss- ▁pace- ▁Do- ▁patient- ▁profile- ize- rs- ▁unit- ▁behind- ▁extremely- ▁provides- ▁smaller- ▁million- ▁enough- ▁property- ▁ourselves- ▁enterprise- ▁mid- ▁enable- over- ▁relationship- ▁weeks- ▁ever- ▁stable- ▁office- ▁sector- ▁Please- ▁allows- ▁premium- ▁following- ac- ▁sustainable- ted- ▁planning- ▁fair- tra- ▁win- ▁categories- ▁reported- ▁trade- ▁happy- ▁software- ▁specifically- ▁effort- '0'- ▁recovery- ▁away- ▁sub- ph- ▁field- ▁internal- ▁contribution- ci- ▁assumptions- ▁includes- ▁traditional- ▁his- ▁speak- ▁reach- ▁reduced- ▁running- ▁rather- me- ▁loans- ▁life- ▁achieved- ▁individual- ▁center- mi- ho- ▁accounts- ▁technologies- ▁transactions- ▁wondering- ▁exactly- ▁GAAP- tic- ▁state- ▁follow- ▁metrics- ▁J- ▁h- ▁obligation- K- ▁assume- ▁present- po- ▁meeting- ▁natural- ▁factor- ▁offerings- ▁above- and- ness- ▁Co- ▁faster- sh- ▁appropriate- ial- em- ▁applications- ▁mobile- ▁units- ▁added- ▁di- ▁won- ▁efficiencies- ▁weather- U- ▁received- ▁safety- ▁10- ▁private- ▁basically- ▁exciting- ▁estate- ▁Ma- ▁double- izing- ▁study- ▁directly- ▁consider- ▁partially- ▁reflects- ▁tend- ▁channels- ▁V- ▁seems- ▁changed- ▁industrial- ▁parts- ▁discussions- N- ▁insurance- ▁developing- ▁outside- ▁accounting- ▁footprint- ▁shareholder- ▁Thanks- ▁statement- ▁plant- ▁restructuring- ▁took- ▁8- ▁highlight- ab- ▁changing- ▁labor- ▁response- out- ▁completion- ▁substantial- ▁De- ▁firm- ▁makes- ▁capability- ▁joining- ▁form- ical- ▁January- ▁approval- op- ▁traffic- ▁expectation- ▁reasons- ▁integrated- ▁mind- ▁cover- ▁Asia- ▁robust- per- ▁opening- ▁despite- ▁fund- ▁adding- ▁December- ens- ▁drivers- ▁creating- ▁decisions- ▁healthy- ▁force- ▁refer- ▁fuel- ▁processes- ▁options- ty- ▁He- ▁land- ▁No- ha- ▁happening- ▁gains- based- ▁managing- ▁disconnect- ▁fleet- ▁found- ▁w- ▁therefore- he- ▁W- ▁late- pe- ▁potentially- ▁typically- ▁direction- ▁predict- ▁backlog- ▁community- ▁engagement- ▁Just- is- ▁ultimately- ▁yield- ▁driver- ▁main- ▁advertising- ▁executing- ▁primary- ▁platforms- bi- ▁almost- ▁ex- ▁conversion- ▁phase- ▁light- ▁understanding- ▁optimistic- ▁nature- side- ▁mo- ▁idea- ▁exchange- ▁20- ▁planned- di- ▁filings- ▁saying- ▁security- ld- ▁comfortable- ▁bringing- ▁fall- ▁historical- ▁effectively- ▁foundation- ▁necessary- ▁goes- ▁please- ▁never- ▁putting- ▁excellent- ▁needed- ▁2019- ▁visibility- ▁proud- com- ▁ask- ▁highlights- om- ▁tremendous- ▁countries- ▁limited- ub- ▁disciplined- ▁slow- ▁liquidity- ▁losses- ▁pass- ▁broad- ▁else- ▁How- ▁special- ▁standpoint- ▁encouraged- ▁cases- con- ▁7- ▁food- land- time- ▁bigger- ▁lease- ous- ▁difference- ors- ▁comparable- ▁recognize- fi- ▁funding- ▁June- ▁launched- ▁times- ▁targets- ▁volatility- ▁September- ▁extent- ▁March- ▁standard- ie- ▁financing- ▁path- ▁expanded- ▁read- ▁ma- ▁role- ▁maintenance- ▁broader- ▁remaining- ▁capture- ence- ▁utilization- ▁franchise- ▁g- ▁members- iv- ▁operation- ▁sold- ▁detailed- ▁partnership- v- ▁fee- ▁hold- ▁regions- ▁types- ▁Because- ag- ning- ▁fixed- ight- ▁represent- ▁budget- ▁intend- ▁reducing- pi- ▁although- ▁proposition- ▁ready- ▁others- ard- ▁approximately- ▁exposure- ▁focusing- ot- ▁Some- ▁economy- ▁research- ▁optimize- ▁safe- ▁stand- ▁acquired- ▁remainder- ▁appreciate- ▁Turning- ator- ▁produce- ▁locations- ▁CapEx- ▁dollars- ▁properties- ▁media- ▁9- ▁reflected- ▁bo- ▁fees- ▁below- ▁finally- ▁pull- ▁allocation- ▁2015- ▁interesting- ▁water- ng- ▁fit- ▁biggest- ▁nice- ▁fairly- ca- ke- ▁went- ▁event- ▁tools- ▁highest- ▁perhaps- ▁treatment- ▁successfully- ary- ▁stage- ric- ▁hit- ▁inflation- ▁domestic- ▁live- ▁closely- ▁po- ▁summary- ▁engine- ▁Looking- ▁led- H- ▁history- ▁requirements- ▁Good- ▁buying- lic- ▁national- ▁increasingly- ▁legacy- ▁car- ▁necessarily- ▁Finally- ▁ro- ring- ▁commodity- ▁schedule- we- ▁outstanding- ▁attention- ▁somewhat- ▁reporting- ▁shows- ▁game- ▁soon- ▁deep- va- ling- ▁giving- ▁simply- ▁priority- ▁Brazil- ▁policy- ▁strengthen- ▁everybody- ▁pick- ist- ▁talent- ping- ▁trial- ian- ▁mainly- ▁European- ▁goals- ▁evaluate- ▁takes- ▁drug- go- ▁convert- ▁Al- ▁regard- ▁expertise- ▁name- ▁maintaining- ▁ch- ▁en- ▁flows- ▁list- ▁respond- ▁closed- ▁correct- ▁component- ▁itself- ▁paid- ▁prospects- ▁Ca- ▁dollar- bo- ▁innovative- ▁license- ▁implementation- ▁gross- ▁drilling- ▁discipline- ▁expecting- ▁steps- ▁n- ▁Mi- ▁Canada- ▁room- mb- ▁Although- ▁priorities- ▁piece- ▁initiative- ▁developed- ▁leader- ow- ▁yes- ▁mortgage- ▁professional- ▁testing- ▁adoption- ▁compensation- ▁historically- ▁10-- one- ▁definitely- ▁2017.- der- ▁matter- nd- for- ▁table- ▁funds- bu- ex- ▁advance- ▁attract- ▁periods- ▁Ro- ▁Also- ▁October- ▁April- ▁speed- ▁vertical- ▁challenge- rm- ▁rent- ▁created- ▁realize- ▁shares- ▁occur- ▁perform- ▁contain- ▁learning- ▁true- 'no'- ▁happened- ▁touch- ▁multi- ▁drop- ▁undertake- ▁pursue- ▁operator- ▁app- ative- ▁foreign- ▁payments- hi- ▁card- '00'- od- ▁centers- ite- ▁targeted- ▁site- ▁'17- ▁culture- ▁Are- ▁context- ▁importantly- ▁Ex- ▁actively- ▁analysis- ▁described- ▁Given- ip- ▁application- ▁worked- ▁presence- ▁aggressive- ▁deployment- ▁post- ▁resulted- ▁SEC- ▁payment- ▁medical- ▁compete- ▁announcement- ▁resulting- ▁reconciliation- ake- ▁conclude- ▁steady- ner- ▁East- way- ▁action- ▁complex- ▁geographic- ▁affect- ▁July- ▁ra- ction- ▁Investor- ▁count- ▁remember- ▁summer- ▁helping- ▁training- ▁nothing- ▁stream- ▁middle- ▁generated- ▁huge- ▁break- ▁involve- ▁designed- ▁noted- ap- ▁relates- ok- ▁tough- ▁upside- ability- 'off'- ▁seasonal- ten- ▁modest- ▁La- ▁joint- ▁coverage- os- ▁technical- ▁participation- ▁becoming- ▁dynamics- ped- ▁players- ▁30- ▁Day- ▁retailers- ▁emerging- ▁holiday- ▁synergies- ▁South- ish- ▁deposit- ▁measure- ▁2018.- ▁among- ▁dynamic- ▁regional- ▁invested- ▁push- ▁Additionally- ▁trading- ▁heard- ▁implemented- ▁leveraging- ▁discount- und- ▁May- ably- ▁story- ▁gone- log- ▁advanced- ▁choice- ▁exit- ▁America- ▁'18- ▁positions- ward- ber- ▁road- ▁upgrade- ified- ▁capitalize- ▁walk- ▁Mar- ▁relevant- ▁affected- ▁Pa- ▁Over- ▁Con- ▁i- ▁recognized- ▁materials- ries- ▁variety- ▁often- ▁independent- ▁Securities- ▁reminder- ▁reasonable- ▁managed- ▁commission- ▁November- ▁Overall- ▁helpful- ▁transform- ▁moved- ▁otherwise- ▁providers- ▁Services- ▁India- ▁imp- ▁sh- ▁adjustments- ▁models- ▁division- mer- ▁ground- ▁Second- ▁fast- ▁wide- ▁news- ▁demonstrate- ▁enhanced- ff- ▁must- ▁issued- ▁retain- ▁objectives- ▁generating- ▁face- ▁recover- ick- ▁My- ▁closer- ▁effects- ▁communities- ▁function- ible- ▁source- ▁vision- ▁reflecting- ▁renewal- ▁campaign- ▁chart- ▁common- ▁February- ▁charge- ▁hear- ▁reference- ▁headwinds- ▁decided- ▁absolutely- ▁banking- ▁excess- ▁easier- ▁performing- ▁California- ▁seem- ster- ▁identified- ▁reductions- ▁represents- ▁began- ▁movement- ▁uncertainty- ron- ▁analytics- ▁Pro- ▁extend- ▁se- act- by- ▁roll- ▁ship- ▁banks- vo- ▁18- ▁essentially- ging- ▁York- ▁recognition- ▁protect- ▁investor- ▁evidence- ▁suggest- ▁looks- day- ▁happens- X- ▁identify- ▁incentive- ▁finance- ▁Be- ▁subscription- ▁interested- ▁developments- ▁bookings- gen- ▁cannot- ec- ▁class- all- ▁Se- ual- ▁looked- ▁sites- ▁turning- ▁users- ▁impacts- ▁stated- ▁require- market- ▁estimate- ▁established- ▁outcomes- ▁external- ions- ▁Di- '5'- ▁population- ▁underwriting- ▁easy- ▁consolidation- ▁maximize- ▁repurchase- ▁head- ▁carry- ▁truck- ▁problem- ▁left- qui- ▁consistently- ▁figure- ▁provider- ▁venture- ▁helped- ▁compelling- ▁Commission- ▁paying- ▁conservative- ▁Te- ▁components- nce- ▁spot- ▁partnerships- ▁aware- ▁mark- ▁bar- ▁penetration- ▁Mexico- be- port- ▁projections- ▁Moving- ach- ue- ▁engineering- ▁allowed- Q- ▁operators- ▁shown- ▁agreements- ▁achieving- less- ▁Vi- ▁law- ▁indicated- ▁raw- ▁ba- ice- ▁presented- ton- ▁West- ▁deploy- ▁An- ▁rapidly- ▁wins- ▁brought- ▁thoughts- ▁outcome- vis- ▁reform- ▁mention- ▁video- ▁demonstrated- ▁Wa- ▁folks- ▁separate- ▁collection- ▁August- ▁smart- ▁limit- ▁encouraging- ▁machine- ▁prudent- ▁differentiated- ▁toward- ▁auto- ▁sequential- ▁disease- ▁degree- par- ▁filed- ▁receive- ▁option- gra- ▁recorded- ▁exceptional- ▁grew- ities- ▁frankly- ▁tight- ▁valuation- ▁section- ea- ▁Mo- ft- digit- ▁ones- wa- ▁calls- ▁seasonality- ▁trust- ▁supported- ▁evolve- ▁considered- ▁plants- ▁finding- ▁accelerated- ▁showing- ▁From- ▁objective- ▁federal- ▁personal- ▁quick- ▁substantially- ▁devices- ▁senior- ▁John- ful- ▁met- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁suppliers- do- ▁curious- ▁remained- ▁concludes- ▁Form- ▁fill- du- ▁realized- ▁confirm- ▁retention- ▁staff- ▁Those- ▁explain- ▁elements- ▁Group- ▁Of- ill- ▁involved- ▁enter- ▁dedicated- commerce- ▁estimates- amp- ▁securities- ▁Le- ▁inter- ▁contributed- ▁positioning- ▁promotional- ▁felt- ▁Me- ▁Australia- ▁consolidated- ▁benefited- ▁comprehensive- ▁acquire- ▁o- ▁repeat- ▁rep- ▁Today- ▁legal- ▁contribute- ▁rental- ▁leasing- ▁Sp- ▁specialty- ▁claims- ▁feedback- ▁leaders- ▁Chinese- ▁utilize- ▁truly- ▁shared- fe- ▁supporting- ba- ▁visit- ▁15- ▁taxes- ▁Exchange- ▁excellence- ify- ▁original- ▁residential- ▁stuff- ▁traction- fa- ▁participate- ▁raise- ▁signed- ▁refine- ▁provision- ▁decade- ▁nearly- ▁establish- ▁Mike- ▁spread- ▁belief- ▁hospital- ▁wholesale- related- ▁mine- cor- ▁merger- ▁aggressively- ▁cross- ▁themselves- ▁variable- ▁proven- ▁projected- ▁deposits- ▁whatever- ▁apply- ▁implement- ▁package- ▁availability- ▁2016,- ▁automotive- ▁Again- ▁simple- ▁lending- ▁gave- ▁Ho- ▁macro- ▁shop- fer- ▁allowing- ni- ▁vehicle- ay- ▁location- ▁Page- ▁By- ▁conclusion- ▁ho- que- ▁skill- ▁social- ▁Su- W- ▁worth- ▁commentary- ▁afternoon- ▁recurring- ▁digits- ▁Li- ▁studies- ▁holding- ▁cautious- ▁Market- ▁introduction- ▁updated- ▁Lo- ▁held- ▁optimization- ier- ▁Texas- ▁stages- ▁deferred- ▁concept- ▁conversations- ▁cut- ▁creation- ulation- ▁adjust- ▁economics- ▁engaged- ▁picture- ▁features- ▁speaking- ▁page- ▁Obviously- ▁Any- ▁collaboration- ▁assess- ▁transportation- ▁processing- ▁welcome- ▁posted- ▁IT- ▁journey- man- ▁structural- ▁declines- ▁overview- ▁En- ▁known- ▁completely- tain- ▁internally- ▁hire- ga- ▁constant- air- ▁reserve- ▁strengthening- ▁export- ▁efficiently- ▁mostly- ▁Car- ▁mitigate- ▁Bank- ▁indication- che- oc- ▁disruption- ▁gentlemen- ep- ▁fundamentals- ▁connect- ▁practices- ▁lost- ▁hedge- ▁participating- ▁match- ▁accelerating- ▁user- ▁secure- ound- lin- serv- ger- ▁shipments- ▁Ar- ▁manner- ▁Ne- ak- ▁bio- ▁slower- ▁gr- ▁forth- ency- ▁exclude- ▁performed- ▁clean- ▁sometimes- ▁curve- ▁expressed- ▁recall- ▁minutes- ▁alternative- ▁sources- ▁advise- ▁11- ▁calendar- io- ▁After- ▁log- ▁frame- ▁keeping- ▁consideration- ▁states- ▁mis- ▁guarantee- ▁globally- ▁behavior- ▁draw- ▁evaluating- rg- ▁superior- ▁valuable- ▁dividends- ud- ▁announce- ▁Ac- ▁called- ▁compare- ▁subsequent- ▁executive- ath- ▁signs- ▁peers- ▁resource- ▁Financial- ▁weak- ▁comparison- ▁exist- ▁sp- ▁trans- ▁aim- ▁introduced- ▁awareness- ▁launches- ▁storage- ▁notice- ▁housing- ▁weakness- ▁compliance- ▁monitor- store- ▁hopefully- ▁encourage- ▁knowledge- ▁however- ▁element- ▁brief- ▁upcoming- ▁align- ▁bid- ▁extended- ang- ▁adopt- ▁finish- ▁contained- the- ▁Po- comp- ▁modern- av- ▁engage- ▁parties- ▁sharing- ▁pursuing- ▁strongly- ▁wait- ▁old- ▁rig- ned- Y- ▁peak- ▁cell- ▁gap- ▁connection- ▁Not- ▁slides- ▁transfer- ▁acceleration- ▁commitments- ▁plus- ▁Ra- ▁proceeds- ▁Could- ▁helps- ▁'19- ▁travel- ▁sustain- ▁evolution- ▁Management- ▁2019.- ▁reinvest- ▁'16- ▁stability- ▁American- ▁broadly- ▁regular- ▁Based- ▁enjoy- ▁Ba- ▁fl- ▁foot- ▁vehicles- ▁charges- ▁diversified- ▁pressures- ▁standards- ▁opposed- ▁meaning- ▁document- ▁medium- ▁block- ▁Actual- ▁highlighted- ▁disclosure- ▁te- ▁contributions- ▁considering- ▁shipping- ▁asked- ▁concluded- AR- ▁setting- ev- ▁implementing- ▁stop- ▁sign- ▁enhancing- ▁circumstances- ▁executed- ▁message- ▁bad- ▁scenario- ▁Since- ▁audience- ▁device- ▁topic- ▁inside- ▁balanced- ▁geographies- ▁sufficient- ▁50- ▁offers- ▁ad- ▁Jo- ▁sit- ▁shape- ▁wells- ▁shopping- ▁moderate- ▁Ad- ▁ended- ▁Bo- ▁item- ▁pilot- ▁thanks- ▁discussing- ▁publicly- ▁custom- king- ▁targeting- ▁profits- ▁concerned- ▁rising- ▁Act- ▁insight- ▁roughly- ▁landscape- pro- back- ee- ▁slight- ification- ▁words- ▁seek- ▁integrate- ever- ▁influence- ▁mission- ane- ▁settlement- ▁managers- ▁industries- ▁aspects- ▁extension- ▁Steve- ▁fundamental- ▁translate- ▁mining- ▁sc- ory- ▁becomes- '6'- ▁matters- ▁approved- ▁automation- ▁ownership- ▁heavy- ▁winter- cel- net- ▁Most- ▁aircraft- ris- ▁rating- ▁leave- ▁chance- ▁replace- ▁central- ▁Africa- ▁enables- ▁aligned- ▁j- ▁electric- ▁negatively- ▁education- ▁assuming- ▁assist- ▁winning- ▁physicians- ▁Z- ▁caution- ▁evolving- ▁check- ome- ▁enabling- au- ix- ▁intention- ▁Energy- ▁drove- ▁Despite- ▁wind- ▁begun- ▁drill- ▁physical- ▁cap- ▁conduct- ▁reserves- load- ▁reports- ▁rise- ▁bond- ▁practice- ran- ▁importance- ▁places- ▁continuous- ▁Mark- ▁family- ▁Sa- ▁Internet- ▁typical- ▁Ha- ▁achievement- ▁Then- ▁Germany- ▁trajectory- ▁opened- ▁Ve- ▁Product- ▁react- ▁mature- wi- ▁lack- ▁learn- ▁employee- ▁attribute- ▁Com- ▁wage- ▁method- ▁spring- ▁act- ▁adjustment- ▁tra- ▁Ga- class- ▁reality- ▁label- ▁load- ▁rolling- ▁prove- sis- ▁Florida- '8'- ▁deeper- ▁qu- ▁handle- ▁strategically- ▁10%- ▁phone- ▁surge- ▁works- ▁Solutions- ▁implied- ▁two- iti- ▁origination- of- ▁rigs- ▁inventories- ▁consecutive- ▁loyalty- ▁connected- ▁floor- ▁love- ▁sustained- ▁lift- ▁electronic- ▁sounds- gan- ▁opportunistic- ctor- ▁Latin- ▁determine- ▁utility- ▁organizations- ▁box- ▁caused- ▁delay- ib- ▁steel- ▁flexible- ▁assortment- ▁search- fin- ▁fashion- ▁gets- ▁Great- ▁13- CO- ▁enabled- ▁replacement- pa- ▁agencies- ▁examples- ▁Both- ler- ▁underway- ▁owners- ▁rapid- ▁hearing- ▁k- ▁reached- ▁David- ▁pieces- ▁receivable- mission- ▁occupancy- ▁yields- ▁tool- ▁extra- ▁heavily- ▁outlined- da- ▁protection- ▁More- ▁her- uch- ▁experiencing- ▁vast- ▁restaurant- ▁absolute- ▁excluding- ▁diversification- tle- if- ▁stakeholders- ▁broker- ▁Pri- ▁starts- ▁thus- ▁spoke- ship- ▁gotten- ▁OEM- ▁therapy- ▁clarity- ▁Last- ▁unusual- ▁desire- ▁replay- ▁train- board- ▁request- gi- ▁North- ile- ▁adapt- ▁International- ▁reimbursement- ▁dramatically- '7'- ▁2020- ▁extensive- ▁latest- ▁selective- ▁logistics- ▁purpose- ▁watch- ▁depend- ▁spec- ▁yesterday- ▁leases- ▁groups- ▁Comp- ▁consumption- ▁Even- val- ▁regards- ▁weaker- cy- ▁guide- ▁eye- ▁views- her- ▁entered- ▁Ladies- ▁14- ▁financials- ▁soft- ▁Capital- ▁she- ▁depreciation- ▁asking- ▁li- ▁choose- ▁wish- ▁exceeded- ▁Sure- j- ▁assessment- ▁introduce- ▁daily- ▁print- ▁figures- ▁restaurants- ▁impacting- AS- ▁City- ▁permit- ▁imagine- ack- ▁Middle- ▁sectors- ▁carefully- ▁trials- ▁hiring- ▁usage- ium- ▁provisions- ▁problems- ▁contributor- quality- ▁occurred- ▁reward- ▁liquid- ▁declined- ▁Tom- ▁producing- ▁proportion- ▁contributing- ▁depends- ▁framework- ▁guests- down- ▁networks- ▁State- ▁X- cent- ▁rail- ▁expenditures- ▁Coast- ▁diversify- ▁agency- ▁System- ▁downturn- ▁productive- ▁attributable- ase- ▁Western- ▁freight- ▁App- ▁Another- ▁closure- ▁hotel- ▁ca- ▁unless- ▁lag- ▁temporary- ▁cycles- ▁treat- ▁insights- ▁format- ▁series- ▁immediately- ▁inform- ▁returning- ▁scope- ▁brings- ▁originally- ▁Have- ▁updates- ▁coal- ▁complexity- ▁sequentially- ▁collect- ▁ensuring- ▁Other- ▁gaining- use- ▁powerful- ▁serving- led- ▁communication- ▁grown- ▁requires- ▁select- ▁condition- ▁metric- ▁supplier- '9'- ▁usually- uck- ▁exceed- ▁import- ology- ▁diverse- ▁Chris- ▁rules- stream- ▁cancer- ▁r- ▁launching- ▁webcast- ▁et- ▁shortly- ▁farm- ▁concern- ▁him- ▁ten- ▁political- ▁Chief- ▁attending- ▁accomplish- ▁hundred- ▁human- ▁Officer- ▁tri- ▁paper- ▁followed- ▁allocate- ide- ▁department- ▁pain- ▁map- ▁ecosystem- vent- ▁distributors- ▁90- ▁emphasize- ▁usual- ▁bill- cept- row- ▁host- ▁revise- ▁laid- ▁learned- ▁strongest- ▁reliability- ▁promise- ▁perfect- ▁elevated- ▁busy- ▁satisfaction- ▁optimizing- ▁Next- ▁briefly- ▁Jim- ▁subscriber- ▁monitoring- ▁hurricane- ▁coupled- ▁numerous- ▁manufacturers- ▁express- ▁Business- ▁switch- ▁environmental- rate- ny- ▁duration- ▁carriers- ▁proprietary- ▁repair- ▁earn- ▁Wi- ▁installation- ▁alternatives- ▁scheduled- ▁advantages- ▁tenants- ▁20%- ▁produced- ▁exclusive- ▁Health- ▁decide- ▁harbor- ▁addressing- ▁fewer- ▁initially- ▁Air- ▁broaden- ▁rational- ▁suite- lay- ▁summarize- ▁file- ▁solve- ▁pension- ▁installed- ▁waiting- ▁exercise- ▁gen- ▁Ta- ▁merchandise- ▁adverse- ▁leads- ▁facing- ▁vendors- ▁instrument- ▁hardware- ▁Hav- ▁grade- ▁minimum- party- ▁except- ▁appeal- ▁reiterate- ▁indications- ▁par- ▁dependent- ▁associates- ▁institutional- through- ▁hours- ▁deployed- ▁San- ▁metal- ▁tariffs- ▁mill- ▁declining- ▁dealers- ▁indicate- ney- ▁careful- ▁dedication- ▁input- ▁decreased- ▁100- ▁milestones- ▁President- ▁differences- ▁16- ▁showed- ▁Am- ▁competitor- ▁agents- ▁Global- ▁intended- ▁emphasis- ▁stick- ▁Y- ▁5%- ▁cl- ▁lean- ▁immediate- low- ▁Through- ▁magnitude- ▁supplemental- ▁cetera- ▁feeling- ▁positively- ▁secured- ▁hotels- point- ▁ramping- ▁buyers- ▁mode- ▁contact- ious- ▁normalized- ▁pool- ▁rec- ▁enhancements- ▁accretive- ▁accurate- ▁personnel- ▁Ch- ▁constantly- ▁policies- ▁hospitals- ▁sound- ▁concerns- mark- ▁negotiations- ▁conversation- ▁covered- ▁bought- ▁awards- ▁differentiate- ▁frac- ▁eliminate- ▁lowest- ▁lo- ▁super- ▁administration- ▁nicely- ▁dealer- ▁Power- ▁Many- ▁quantify- ▁delays- ▁somebody- ▁France- ▁length- ▁turnaround- ▁door- ▁normally- ▁packaging- ▁screen- ▁deliveries- ▁proposal- ▁cars- ▁wireless- ▁pure- ▁signal- ▁purchasing- ▁okay- ▁homes- ▁40- ▁aspect- ▁useful- ▁outperform- ▁agree- ▁playing- ▁maintained- ▁shifting- ▁incorporate- ▁laws- ▁incredibly- ▁favor- ▁merchant- ▁surprise- ugh- ▁headwind- ▁Therefore- ▁billing- ▁player- ▁instead- ▁intelligence- ai- ▁demonstrates- ▁volatile- ▁assumption- ▁liability- den- ▁expensive- ▁Tra- ▁Mon- ▁delayed- ▁organizational- ▁sand- ▁defined- ▁fiber- ▁fresh- ▁amortization- wood- ▁hoping- ▁science- ▁progressing- ▁enrollment- ▁shut- ▁possibility- ▁feature- ▁describe- 5%- ▁relating- ▁possibly- ▁Op- ▁finished- ▁fruit- ▁released- ▁tracking- ▁Life- ▁status- ▁vary- ▁benefiting- ▁arrangement- ▁placed- ▁Rob- ▁Pacific- ▁principle- ▁students- ▁migration- ▁appear- ▁50%- ▁catch- ▁tried- ▁house- ▁display- ▁tied- ▁Third- ▁reinforce- app- ▁breadth- ▁Part- ▁lives- ▁storm- ▁lay- than- ▁green- ▁communications- 0,000- wide- ▁slowdown- ▁determined- ▁mechanism- ▁evaluation- ▁crude- ▁functions- ▁simplify- ▁Tim- ▁Consumer- ▁licensing- ▁person- ▁avoid- ▁preferred- ▁supplement- ▁sourcing- ▁Once- ▁milestone- ▁formula- ▁disclaim- ▁depth- ▁turned- ▁organically- ▁embedded- ▁explore- ▁instance- ▁obtain- ▁completing- ▁wrap- ▁buyback- ▁pump- ▁Going- ists- ▁Right- ▁Home- ▁updating- ▁kick- ▁surprised- ▁afford- ▁responsible- ▁incurred- ▁sharp- ▁integrating- ▁rolled- ▁filing- quarter- qua- ▁60- ▁Cha- ▁opinion- ▁promotions- ▁indicators- ▁pushing- ▁intent- ame- ▁impressive- ▁bulk- pac- ▁heart- ▁exploration- field- ▁branch- ▁fire- ▁spreads- ▁fix- ▁criteria- ▁drag- ▁Maybe- ox- house- ▁basic- ▁lose- ▁exact- ▁aggregate- date- leading- ▁concerning- ▁accomplished- ▁17- ▁pattern- ▁renewable- ▁feed- ▁dealing- ▁Houston- ▁promote- ▁divisions- ▁percent- ▁gold- ▁regulations- MS- ▁patent- ▁split- ▁differently- ▁Americas- ▁patterns- ▁school- ▁terminal- istic- ▁weighted- ▁spectrum- ▁sponsor- ▁FX- ▁unchanged- ▁expert- ▁0- ▁seeking- ▁member- ▁comparisons- ▁unfavorable- ▁churn- ▁absorb- ▁combine- ▁overhead- matic- ▁creative- ▁join- ▁serious- ▁lock- ▁formal- ▁stress- ▁participants- ▁guest- ▁Jeff- ▁transparency- ▁cat- ▁reliable- ▁estimated- ▁via- ▁purposes- ▁acquiring- ▁appears- ju- ▁calculation- ▁inherent- ▁institutions- ▁analysts- ▁offshore- ▁unlock- ▁elect- ▁located- ▁resolution- ▁minimal- ▁Dan- ▁relation- ▁easily- ▁softness- ral- ▁entering- ▁dose- ▁gather- ▁op- ▁rely- ▁Commercial- ▁square- ▁plenty- ▁impairment- ▁FDA- ▁Sea- ▁CEO- ▁functionality- ▁revised- ▁monthly- ER- ▁disclosed- ▁analyze- ▁raising- ▁sustainability- ▁Importantly- ▁Tri- ▁written- work- ▁Where- ▁someone- ▁port- ▁complement- ▁Trans- ▁entirely- ▁Phase- ▁Industrial- ▁micro- ▁minute- like- ▁thoughtful- ▁fluctuation- ▁partly- RA- ▁considerable- ▁diversity- ▁smooth- ▁persist- ▁prepare- ▁producers- ▁19- ▁AS- ▁reverse- ▁stabilize- ▁fine- ▁eventually- ▁ran- ▁save- ism- ▁Customer- ▁airline- ▁effectiveness- ▁colleagues- ▁self- ▁Pe- ▁realization- ▁administrative- ▁maturity- ▁doubt- ▁tenant- ▁introducing- ▁regulators- ▁straight- ax- ▁recruit- ▁wonder- ▁mass- ▁solar- ▁rollout- ▁Uni- ▁Cor- ▁remove- TA- ▁exception- ▁capable- ▁frequency- ▁borrowing- ▁acreage- ▁architecture- ▁rule- ▁Bill- ▁th- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁knew- ▁published- ▁Man- ▁Hu- ▁election- ▁talented- ▁according- PA- ▁proposed- ▁distinct- ▁consulting- ▁retailer- ▁globe- ▁Under- ▁tighten- ▁refinancing- ▁Pu- ▁thousands- ▁consequence- ▁interaction- ▁Inter- state- ▁seasonally- ▁communicate- ▁park- ▁Matt- ▁characterize- ▁dramatic- ▁write- ▁man- ▁promotion- ▁Private- ▁indicator- ▁3%- forward- ▁Amazon- ▁incredible- ▁older- ▁anybody- ▁deploying- ▁permanent- ▁clinic- ▁servicing- ▁wonderful- ▁Following- ▁TV- ▁owned- ▁Scott- ▁nor- ▁Russia- ▁connectivity- ▁comfort- ▁dialogue- ▁install- ▁concentration- ▁seamless- ▁Michael- ▁demonstrating- ▁warrant- ▁entry- ▁EPS- ▁reflection- ▁legislation- ▁gear- ▁accordance- ▁backdrop- ▁latter- RO- ▁levers- ▁differentiation- ▁minor- ▁damage- ▁Certain- ▁preparing- ▁interact- ▁emerge- IC- ▁engaging- ▁Col- ▁route- ▁retirement- ▁upper- ▁prevent- ▁70- ▁headcount- ▁hybrid- ▁litigation- ▁2%- ▁Permian- ▁utilizing- ▁assure- chi- ▁candidates- ▁narrow- ▁utilities- ker- ▁continuously- ▁meaningfully- ▁layer- ▁National- AN- ▁facilitate- ▁Got- ▁respective- ▁negotiate- ▁massive- ▁referring- ▁Revenue- ▁physician- CE- performance- ▁Like- ▁Retail- ▁Dave- ▁city- ▁Reg- ▁measured- ▁Gulf- ▁menu- ▁vessels- ▁Bob- SA- ▁Every- ▁competing- ▁attend- ▁worse- ▁equal- ▁window- place- ▁commence- ▁procedures- ▁chemical- ▁applied- performing- ▁greatest- ▁distributor- ▁appropriately- ew- ▁pillar- ▁communicated- ▁adjusting- ▁branches- ▁regulation- ▁defense- ▁procurement- ▁factory- ▁offsetting- ▁cities- ▁selected- ▁uptick- ▁merchandising- ▁tail- ▁automate- ▁Central- ▁fantastic- ▁synergy- press- ▁transmission- IS- ▁selection- ▁reaching- ▁generic- ▁observe- ▁became- train- ▁payers- ▁Gra- pay- ▁purchased- ▁round- ▁challenged- ▁modestly- ▁Care- ▁calculate- ▁proactive- ▁divest- ▁relate- ▁streamline- ▁reinsurance- ▁advertisers- ▁receiving- body- ▁passion- ▁stat- AM- ▁ticket- ▁workforce- ▁4%- bra- ▁Forward- ▁vendor- ▁promising- ▁heading- ▁mu- ▁General- ▁disposition- ▁dry- ▁basin- ▁extraordinary- holder- ▁fundamentally- ▁claim- ▁liabilities- ▁Bar- ▁listening- ▁faced- ▁tender- ▁elaborate- ▁preference- ▁upward- ▁stack- ▁Mer- ▁succeed- DA- ▁Medicare- ▁wrong- ▁reset- ▁strengthened- ▁Regarding- ▁harder- ▁bunch- ▁voice- ▁living- ▁night- ▁version- ▁threat- ble- ▁continually- ▁waste- ▁illustrate- location- ▁blend- ▁renovation- ▁jump- ▁terrific- ▁Dr- cost- ▁crop- ▁regardless- ▁Operating- ▁medicine- ▁honest- ▁High- ▁edge- ▁ultimate- ▁placement- ▁disposal- ▁pivot- ▁responsibility- ▁initiated- ▁predictable- ▁shortage- ▁cadence- ▁audit- IN- ▁wave- ▁Service- ▁navigate- ene- ▁adequate- ▁extending- ▁definition- ▁sports- ▁explained- ▁Paul- ▁served- ▁north- ▁raised- 'ON'- ▁lenders- ▁index- ▁counter- ▁manager- ▁borrow- ▁grant- ▁assurance- ▁behalf- ▁upfront- ▁entertainment- fu- light- ▁beneficial- ▁hedging- ▁bridge- ▁Further- ▁rebound- ▁broadcast- ▁publish- ▁essential- ▁uniquely- stock- ▁advancing- ▁innovate- ▁warehouse- ▁sophisticated- ▁offered- ▁indeed- ▁worldwide- ▁joined- ▁women- ▁carrier- AP- ▁Hi- wise- ▁precise- ▁score- ▁Brian- MA- fo- ▁anticipating- ▁satisfied- ▁court- ▁none- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁settle- ▁comm- ▁consistency- ▁compression- ▁agenda- ▁Connect- driven- ▁continuation- ▁secondary- ▁link- ▁funded- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁Sha- ▁prefer- ▁preliminary- ▁Northern- ▁tap- ▁Va- ▁realizing- ▁AR- ▁lab- ▁efficacy- ▁anyone- ▁Factors- ▁pending- ▁Joe- ▁occurring- ▁boost- ▁rebuild- ▁gaming- ▁affecting- ▁digit- ▁panel- ▁sensor- ▁excitement- ▁30%- ▁Food- ▁beverage- ▁constraints- ▁preparation- ▁bundle- month- ▁Each- ▁listen- ▁equation- ▁agent- ▁allowance- ▁Per- ▁characteristics- ▁Additional- ▁earning- ▁conjunction- ▁severe- zz- ▁London- OS- ▁pushed- ▁somewhere- ▁incur- ▁nation- ▁EBIT- ▁translation- ▁25- ▁15%- ▁rid- level- ▁watching- ▁optimal- ▁hopeful- ▁obvious- ▁clarify- ▁identifying- ▁diligently- tech- ▁lap- ▁alignment- TE- ▁anywhere- ▁noise- ▁evident- ▁picking- ▁Ge- ▁ambition- ▁requirement- ▁mile- ▁divestiture- ▁optimism- ▁constitute- ▁reputation- ▁agreed- ounce- ▁staffing- ▁demographic- ▁acceptance- ▁jurisdiction- ▁frequent- ▁Rich- ▁attack- ▁sellers- ▁validate- ▁pharma- ▁intense- ▁distributed- ▁World- ▁title- ▁employ- scale- ▁1%- ▁enormous- ▁compound- how- ▁onetime- ▁6%- ▁word- generation- ▁Does- ▁define- ▁affordable- ▁aftermarket- ▁complicated- ▁families- ▁slowing- ▁disclose- ▁la- ▁signing- ▁suffer- ▁Plan- ▁spin- ▁background- ▁realign- ▁competitiveness- ▁Growth- ▁transparent- ▁alone- ▁math- ▁Gu- ▁currencies- value- ▁accomplishments- ▁stabilized- ▁Street- ▁equally- ▁Black- ▁manufacture- ▁represented- ▁benchmark- ▁contemplate- ▁variability- ▁task- ▁consolidate- ▁exceeding- ▁virtually- ▁sum- ▁Har- ▁appetite- ▁Will- ▁cable- hand- aw- ▁maximizing- ▁philosophy- ▁harvest- ▁unknown- xi- ▁fulfill- win- ▁qualified- ▁employer- ▁Center- ▁buyer- ▁Board- stone- ▁shorter- ▁satellite- ▁midpoint- channel- ▁graph- ▁linked- ▁leg- ▁deck- ▁corresponding- ▁tire- ▁renewed- J- ▁familiar- ▁zone- Z- ▁destination- ▁container- ▁Na- ▁24- ▁OpEx- ▁She- IT- ▁complementary- EX- ▁film- ▁tech- ▁interim- cycle- ▁Korea- ▁Brand- ▁bonus- ▁proceed- ▁Would- ▁classes- ▁pickup- ▁friend- ▁exploring- ▁gradually- ▁fortunate- ▁attach- ▁representative- ▁200- ▁warm- ▁collective- margin- ▁Sun- ▁burn- ▁prospective- ▁pad- ▁horizon- ▁recruiting- ▁prime- ▁addressable- ▁contractual- ▁Digital- ▁reliance- ▁bidding- ▁reaction- ▁entity- ▁Mr- ▁tangible- ade- ▁Basin- ▁appreciation- mail- ▁decent- risk- ▁personally- ▁Kevin- ▁awarded- ▁burden- ▁stabilization- ▁macroeconomic- ▁ingredient- ▁pipe- ▁Risk- ▁copy- ▁neutral- ▁student- ▁franchisees- ▁bucket- ▁inflection- ▁send- ▁guided- ▁cold- ▁covenant- ▁surface- ▁softer- ▁television- ▁measurement- ▁reasonably- ▁hub- ▁funnel- tribut- ka- ▁circ- ▁advisory- ▁occasion- ▁session- ▁sentiment- ▁constructive- ▁sensitive- ▁restrict- ▁accepted- ▁catalyst- cast- EN- ▁crew- ▁proceeding- ▁proactively- ▁adjacent- room- ▁downward- ▁amazing- ▁trigger- ▁auction- ▁revision- ▁Clearly- ▁testament- ▁language- ▁tank- ▁survey- ▁bright- ▁earned- ▁8%- ▁deliberate- ▁accordingly- ▁Chi- ▁grid- ▁arise- ▁Secondly- ▁2014- ▁diligence- ▁referred- ▁headline- premise- ▁lie- ▁mandate- ▁deepen- added- ▁diagnostic- price- ▁Pay- ▁therapeutic- ▁healthcare- ▁wider- source- ▁royalty- ▁Data- ville- ▁construct- ▁virtual- ▁acknowledge- ▁Reform- ▁renew- ▁indicative- ▁supportive- ▁module- ▁Eastern- ▁compensate- ▁consult- ▁FY- ▁underpin- ▁cyclical- ▁monetize- ▁sample- ▁applicable- ▁understood- ▁cutting- ▁attempt- ▁registration- ▁campus- ▁flavor- ▁steadily- ▁sight- ▁treated- ▁anticipation- ▁accept- ▁properly- ▁tailwind- ▁committee- ▁shelf- ▁capturing- ▁style- ▁concentrated- ▁recycling- ▁Lu- ▁deduct- ▁memory- ▁cheap- ▁REIT- ▁noncash- ▁40%- ▁urban- ▁entities- ▁Lastly- ▁programming- ridge- ▁tower- ▁visible- ▁refining- ▁billion- ▁composition- ▁Work- ▁swing- ▁letter- ▁nuclear- ▁IoT- ▁resolved- ▁announcing- ▁equivalent- town- ▁Spain- ▁Greg- ▁historic- ▁Partner- ▁heat- ▁seat- ▁kept- ▁gu- ▁economies- ▁Italy- ▁literally- ▁repositioning- ▁commit- ▁Brexit- ▁pack- ▁discontinued- ▁resilient- ▁functional- ▁tariff- ▁certainty- ▁messaging- ▁turnover- ▁Ka- ▁Ti- ▁Investment- ▁Similar- sourcing- ▁Frank- ▁satisfy- ▁artificial- ▁discovery- ▁authorities- ▁commodities- ▁prioritize- ▁south- ▁pet- ▁losing- ▁ideal- ▁territories- ▁yourself- ▁laser- ▁employment- ▁pound- ▁indirect- ▁pharmaceutical- ▁fight- ▁sorry- ▁Excluding- ▁bullish- ▁separation- ▁detect- tune- ▁redevelopment- ▁rich- ▁augment- ▁strive- ▁strict- ancy- ▁Technology- ▁payroll- ▁radio- ▁Washington- ▁flu- ▁affiliate- ▁concession- ▁predominantly- ▁reflective- ▁technological- ▁quicker- ▁amongst- ▁row- ▁Conference- ▁Southeast- ▁parent- grade- ▁differential- ▁Department- ▁attrition- ▁pause- water- ▁membership- ▁Litigation- ▁regulated- ▁personalized- ▁prescription- ▁cautionary- ▁handful- ▁tie- ▁El- ▁Carolina- ▁corner- ▁lever- ▁poor- ▁7%- ▁scheme- ▁ease- ▁sizable- ▁enroll- ▁fell- ▁carried- ▁chosen- ▁meantime- ▁hitting- ▁database- ▁Port- ▁Corporate- ▁balancing- ▁delever- ▁payout- ▁broadband- ▁official- ▁Che- ▁swap- ▁vote- ▁Water- ▁hu- ▁issuance- ▁prospect- ▁Furthermore- ▁military- ▁shrink- ility- ▁Enterprise- ▁controlling- ▁intellectual- ▁alluded- ▁endpoint- ▁carbon- ▁inject- ▁materialize- ▁Year- ▁bus- ▁Should- ivity- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁discover- ▁lumpy- ▁transport- ▁absorption- ▁semiconductor- je- ▁mutual- ▁popular- ▁audio- ▁code- ▁shipment- ▁Bio- ▁Ki- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁principal- ▁People- ▁'15- ▁LNG- ▁overcome- ▁Total- ▁manufacturer- ▁convinced- oriented- ▁scalable- ▁Hong- ▁bump- ▁hydro- ▁intensity- ▁Medical- ▁Gene- ▁disappointed- ▁copper- ▁takeaway- ▁Park- ▁Kong- ▁judgment- ▁restructure- ▁float- ▁penetrate- ▁Pi- ▁validation- ▁Direct- ▁Network- ▁Media- ▁repayment- ▁description- ▁maximum- Point- ▁output- service- ▁image- ▁household- ▁methodology- ▁Chicago- ▁spite- ▁Ken- ▁Argentina- ▁territory- ▁suit- ▁Performance- ▁CFO- ▁lend- ▁consist- ▁amendment- ▁elsewhere- ▁apparel- ▁foreseeable- ▁principally- view- ▁Information- ▁outlet- fusion- ▁aerospace- ▁relentless- ▁omni- single- ▁undu- ▁hurdle- ▁scaling- ▁rank- ▁cohort- ▁quote- ▁recap- ▁fun- ▁three- ▁throughput- ▁wire- ▁basket- ▁smartphone- ▁Cloud- ▁motor- ▁governance- brand- ▁sensitivity- ▁therapies- ▁fluid- ▁resolve- ▁Delaware- ▁Google- ▁Why- ▁art- ▁Hurricane- ▁lifetime- ▁sa- ▁observation- ▁inflationary- ▁Ju- ▁variation- ▁disruptive- ▁electricity- ▁profitably- ▁interpret- ▁barrier- ▁investigation- ▁scientific- ▁Vice- ▁constrained- ▁delighted- ▁German- ▁casual- ▁expenditure- ▁body- focused- ▁causing- ▁downstream- ▁submission- ▁Number- ▁hour- ▁refinance- ▁municipal- ▁advancement- ▁suppose- ▁gradual- ▁Everyone- ▁MA- ▁favorably- ▁comprise- ▁Due- ▁considerably- ▁securing- hold- ▁domain- ▁unfortunately- ▁vessel- ▁proof- ▁stake- ▁mobility- ▁Class- ▁listeners- ▁protocol- ▁tumor- ▁scrap- ▁shipped- ▁responsive- ▁Northeast- ▁explanation- ▁remarkable- ▁outflow- ▁accommodate- ▁mindful- ▁niche- ▁prepayment- ▁appendix- ▁Auto- ▁SaaS- ▁myself- ▁animal- ▁peer- ▁redeploy- ▁passenger- ▁Key- ▁Project- ▁battery- ▁embrace- ▁monetization- ▁ample- ▁luxury- ▁Company- spec- ▁normalize- ▁disrupt- ▁strike- ▁weekend- ▁threshold- ▁exhibit- ▁weigh- ▁combining- ▁diesel- ▁duty- ▁recommendation- ▁pharmacy- ▁temp- print- ▁enthusiasm- ▁conventional- ▁remodel- ▁subsidiaries- ▁surrounding- ▁leaving- ▁Specifically- ▁parallel- ▁chip- ▁consume- ▁compute- ▁incident- ▁movie- ▁fulfillment- ▁chose- ▁deflation- ▁consultants- ▁thorough- ▁conscious- ▁strides- ▁remote- ▁fastest- ▁relief- ▁recoveries- ▁interface- ▁enthusiastic- ▁Rico- ▁preserve- ▁Beyond- ▁Corporation- ▁airport- ▁dozen- ▁missed- ▁resilience- ▁variance- ▁pretax- ▁street- ▁Consistent- ▁underground- ▁lifestyle- ▁submitted- ▁collaborative- ▁supplies- ▁whilst- ▁honor- standing- ▁acute- ▁density- ▁controlled- ▁breakdown- ▁surprising- ▁educate- media- ▁extract- ▁Jack- ▁agile- ▁Things- ▁rigorous- ▁Peter- ▁predictions- ▁subsidiary- ▁proper- ▁negotiation- turn- ▁consolidating- ▁acceptable- ▁Insurance- ▁optionality- ▁Analyst- ▁EMEA- ▁Two- ▁discrete- ▁struggle- ▁termination- making- ▁impression- ▁loyal- ▁accountability- ▁tier- power- ▁urgency- ▁throw- ▁reposition- range- ▁algorithm- ▁crisis- ▁sudden- ▁resonate- ▁pleasure- ▁advice- ibility- ▁impressed- ▁80%- ▁proxy- ▁surgical- ▁Medicaid- ▁identity- ▁Vegas- product- ▁analytic- ▁9%- ▁district- ▁discretionary- ▁accident- ▁molecule- ▁doctors- ▁failure- ▁pathway- ▁blue- ▁100%- ▁array- ▁exposed- ▁protein- ▁unfold- ▁everywhere- ▁inclusion- ▁worry- ▁alliance- ▁unexpected- ▁corporation- ▁Eagle- ▁upgrading- ▁flight- ▁60%- ▁granular- ▁Alberta- ▁Christmas- ▁white- ▁empower- ▁inspection- ▁novel- ▁precision- ▁ROI- effective- ▁stockholders- ▁Jersey- ▁SKU- ▁absence- ▁negotiating- ▁twice- ▁certification- ▁consumable- ▁derivative- ▁perception- ▁underscore- centric- ▁Specialty- ▁guiding- ▁integrity- ▁nonrecurring- ▁stretch- ▁mini- ▁defend- ▁resume- ▁Green- ▁receipt- ▁dilution- ▁replacing- ▁comparative- ▁substitute- ▁ladies- ▁younger- ▁collateral- ▁fifth- cycl- ▁climate- ▁disappointing- ▁keen- balance- ▁Japanese- growing- ▁Fourth- ▁determination- ▁hyper- ▁mineral- ▁authorization- ▁thrilled- ▁undertaking- ▁script- fold- ▁rationalization- ▁hurt- ▁midstream- sale- ▁Look- ▁comparing- ▁secular- ▁holistic- ▁Construction- ▁robotic- ▁intelligent- ▁velocity- ▁beauty- ▁regime- ▁Smart- ▁invite- ▁dimension- ▁blood- ▁reorganization- ▁unlikely- ▁master- ▁workflow- ▁demo- ▁anniversary- ▁diluted- ▁inorganic- ▁submit- ▁Quarter- ▁cancellation- ▁French- adjusted- ▁cultural- ▁preclinical- ▁concentrate- gress- ▁Security- ▁strip- ▁anchor- ▁Annual- ▁deleveraging- ▁Long- ▁Midwest- ▁relevance- ▁Boston- ▁sweet- ▁Gold- ▁geo- ▁bolster- ▁extreme- ▁overlap- ▁breakeven- ▁headquarters- ▁adult- ▁Doug- ▁vital- ▁agility- ▁Building- ▁revolving- ▁technique- ▁intangible- ▁reservoir- ▁stabilizing- ▁noncore- ▁concrete- ▁reconcile- ▁procedure- ▁immune- ▁Blue- ▁recommend- ▁Mobile- ▁academic- ▁multifamily- ▁practical- ▁Congress- ▁computing- ▁Results- ▁accretion- ▁casino- ▁reversal- ▁arrive- ▁revolver- ▁IPO- ▁referral- ▁convenient- ▁parameters- ▁deterioration- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁uplift- ▁fail- ▁bankruptcy- ▁text- ▁viable- ▁visual- ▁marine- ▁valid- ▁contingent- ▁recession- ▁Federal- ▁apartment- ▁distribute- ▁nimble- ▁suspect- ▁Phil- ▁character- ▁Colorado- ▁solely- ▁modification- ▁outdoor- ▁foresee- ▁articulate- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁Valley- ▁Virginia- ▁possibilities- ▁flood- ▁temperature- ▁alter- current- ▁experiment- ▁restrictions- ▁retire- ▁accuracy- ▁analyzing- ▁aluminum- ▁unprecedented- ▁expire- ▁glad- ▁powder- ▁spike- ▁tomorrow- growth- ▁avenue- ▁guidelines- ▁anymore- ▁eliminating- ▁telecom- ▁poised- ▁resort- ▁Hawaii- ▁likelihood- ▁simplification- ▁Engine- ▁gift- ▁correlation- ▁qualification- ▁redesign- ▁aspiration- ▁triple- ▁chunk- q- ▁underwrite- ▁Colombia- ▁redemption- ▁snow- ▁pursuit- ▁apparent- ▁consent- ▁Adjust- ▁candidate- ▁Program- ▁foremost- ▁Demand- ▁outpace- ▁replicate- ▁saving- ▁Office- ▁Healthcare- efficient- ▁Earlier- ▁Ontario- ▁interconnect- ▁plate- ▁Strong- ▁doubling- ▁analyst- ▁plastic- ▁Brad- ▁Friday- ▁worried- ▁proving- ▁contrast- ▁Whether- ▁1995- ▁Credit- ▁treasury- ▁institution- contract- ▁tissue- ▁Technologies- ▁glass- ▁refund- ▁additive- ▁oncology- ▁regulator- ▁expiration- ▁forefront- ▁embark- ▁IFRS- ▁imaging- ▁coffee- ▁default- ▁placing- ▁entrepreneur- ▁fluctuate- plus- ▁Dallas- ▁consensus- ▁flagship- ▁fragmented- ▁generator- ▁ERP- ▁Executive- ▁hike- ▁Control- ▁advertise- ▁choosing- ▁coast- ▁Sweden- ▁judge- ▁Development- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Together- ▁conviction- ▁click- ▁reaffirm- ▁children- ▁venue- ▁stories- ▁decreasing- ▁heightened- ▁lumber- ▁Remember- ▁tactical- ▁worst- patient- ▁trouble- ▁accrue- ▁caught- ▁unsecured- ▁unmet- ▁Chairman- ▁pronounced- ▁music- ▁Ohio- ▁statistics- ▁uptake- ▁chronic- ▁Access- ▁harm- ▁Micro- ▁debate- ▁quantity- ▁River- ▁initiate- ▁severity- ▁diminish- ▁routine- ▁slip- ▁Unfortunately- ▁mechanical- ▁mistake- ▁ambitious- ▁lens- ▁probability- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁Microsoft- ▁Safety- ▁dispute- ▁communicating- ▁grocery- ▁simplified- ▁Across- ▁Public- ▁spirit- ▁Meeting- ▁grateful- ▁NIM- ▁studio- ▁Facebook- ▁residual- ▁banner- ▁bolt- ▁requiring- ▁Jason- ▁Gross- scrip- ▁allocating- ▁witness- ▁cluster- ▁Illinois- ▁restart- ▁immuno- ▁president- ▁surplus- ▁inefficiencies- ▁baked- ▁Reconciliation- ▁impossible- ▁teleconference- ▁perceive- ▁edit- ▁distinguish- ▁correlate- ▁authentic- ▁idle- ▁autonomous- ▁friction- ▁coupon- ▁ATM- ▁ancillary- ▁incumbent- ▁refocus- ▁overnight- ▁imperative- ▁Indonesia- ▁manifest- ▁govern- ▁promoting- ▁regain- ▁ruling- ▁pulp- ▁rebate- ▁neuro- ▁royalties- ▁transcript- ▁kids- ▁George- ▁filter- ▁diligent- ▁prescribe- ▁revolution- ▁Science- ▁British- ▁accrual- ▁cement- ▁Keep- ▁Phoenix- ▁Zealand- ▁dominant- ▁Broad- ▁Senior- ▁replenish- ▁Court- ▁appointment- ▁collaborate- ▁speculate- ▁Electric- ▁Norway- ▁genetic- ▁modify- ▁Transportation- ▁erosion- ▁resonating- ▁quota- ▁crucial- ▁opposite- ▁streamlining- ▁optical- ▁Chemical- ▁authority- ▁millennial- ▁Flex- ▁disaster- ▁shortfall- ▁1,000- ▁nursing- ▁Republic- ▁implies- ▁elevate- ▁equities- ▁Several- ▁annuity- ▁elimination- ▁landlord- ▁neighborhood- ▁curtail- ▁argue- ▁temporarily- ▁Atlanta- ▁crystal- ▁Lower- ▁Personal- ▁ordinary- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁albeit- ▁perpetual- ▁differentiating- ▁activation- ▁exploit- ▁reception- ▁systematic- ▁premature- ▁Navy- ▁revisit- abilities- ▁competencies- ▁integral- ▁skew- ▁photo- mount- ▁corn- ▁Netherlands- ▁article- ▁charging- ▁shaping- ▁activate- specific- ▁implant- ▁unrealized- ▁eager- ▁securitization- ▁Oklahoma- ▁accumulate- ▁phasing- ▁province- ▁Resources- ▁softening- ▁Automotive- ▁privilege- ▁depressed- ▁statistical- ▁inflows- ▁Electronic- ▁catastrophe- ▁prevail- ▁Arizona- ▁durable- ▁terminate- ▁RevPAR- ▁assembly- facing- ▁Though- ▁argument- ▁airplane- ▁fraud- ▁society- ▁Platform- ▁habit- ▁brick- ▁crack- ▁Michigan- ▁bandwidth- ▁applies- ▁delta- ▁qualitative- ▁determining- ▁grain- ▁leisure- ▁repricing- ▁amended- ▁'20- ▁inhibitor- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- ▁innovating- ▁encounter- ▁endeavor- ▁Defense- ▁excuse- ▁Communication- ▁pride- ▁buffer- ▁configuration- ▁clarification- ▁Target- ▁Craig- ▁Nevertheless- ▁silver- ▁Property- ▁Ultimately- ▁circuit- ▁instruct- ▁showcase- ▁energized- ▁severance- ▁trailing- ▁iconic- ▁tailored- ▁concluding- ▁Supply- ▁Seattle- ▁recapture- ▁vacation- ▁modified- ▁steep- ▁celebrate- ▁prepaid- ▁vacancy- ▁Natural- ▁achievable- ▁drink- ▁inclusive- ▁scheduling- ▁capacities- ▁mitigation- ▁investigator- ▁black- ▁Margin- ▁taste- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "authors": [ + { + "name_en": "Shinji Watanabe", + "name_zh": "Shinji Watanabe" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1614873600000, + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-4.0", + "file_size_mb": 771.91, + "file_size_bytes": 809409849, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4541465", + "cstr": "31253.11.10.5281/zenodo.4541465", + "pid": "", + "title": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000", + "title_en": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000", + "title_zh": "ESPnet2 pretrained model, kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000", + "description": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8eff1a983f6098111619328a7d8254974ae9dfcapip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 07:02:24 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.0|0.2|0.3|2.5|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.5|0.6|6.6|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.1|0.2|0.3|2.6|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.1|5.3|0.5|0.7|6.6|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.5|4.0|0.5|0.6|5.1|44.1|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.3|0.3|0.3|0.3|0.9|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.0|1.2|0.8|0.7|2.8|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.9|0.8|0.5|2.2|44.1|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.3|2.0|0.8|0.4|3.1|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.0|8.2|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.3|3.2|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.0|5.0|2.0|0.9|7.9|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.6|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.7|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.8|0.3|2.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.3|3.8|1.9|0.6|6.3|44.1|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_7d8b8acf-d69d-4b0b-b84e-f76d64d0c2e6dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 400 hop_length: 160specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_en": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8eff1a983f6098111619328a7d8254974ae9dfcapip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 07:02:24 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.0|0.2|0.3|2.5|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.5|0.6|6.6|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.1|0.2|0.3|2.6|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.1|5.3|0.5|0.7|6.6|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.5|4.0|0.5|0.6|5.1|44.1|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.3|0.3|0.3|0.3|0.9|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.0|1.2|0.8|0.7|2.8|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.9|0.8|0.5|2.2|44.1|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.3|2.0|0.8|0.4|3.1|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.0|8.2|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.3|3.2|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.0|5.0|2.0|0.9|7.9|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.6|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.7|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.8|0.3|2.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.3|3.8|1.9|0.6|6.3|44.1|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_7d8b8acf-d69d-4b0b-b84e-f76d64d0c2e6dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 400 hop_length: 160specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "description_zh": "This model was trained by kamo-naoyuki using librispeech recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8eff1a983f6098111619328a7d8254974ae9dfcapip install -e .cd egs2/librispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model kamo-naoyuki/librispeech_asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp_valid.acc.aveResults# RESULTS## Environments- date: `Mon Feb 15 07:02:24 UTC 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `8eff1a983f6098111619328a7d8254974ae9dfca` - Commit date: `Wed Dec 16 02:22:50 2020 +0000`## asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|54402|97.8|2.0|0.2|0.3|2.5|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|50948|94.0|5.4|0.5|0.6|6.6|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|52576|97.6|2.1|0.2|0.3|2.6|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|52343|94.1|5.3|0.5|0.7|6.6|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|54402|98.2|1.6|0.2|0.2|2.0|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|50948|95.6|3.9|0.5|0.5|4.9|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|52576|98.1|1.7|0.2|0.3|2.1|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|52343|95.5|4.0|0.5|0.6|5.1|44.1|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|288456|99.4|0.3|0.3|0.2|0.8|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|265951|97.8|1.3|0.9|0.7|2.9|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|281530|99.3|0.3|0.3|0.3|0.9|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|272758|98.0|1.2|0.8|0.7|2.8|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|288456|99.5|0.3|0.2|0.2|0.7|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|265951|98.3|1.0|0.8|0.5|2.3|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|281530|99.5|0.3|0.3|0.2|0.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|272758|98.4|0.9|0.8|0.5|2.2|44.1|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_asr_model_valid.acc.ave/dev_clean|2703|68010|97.3|2.0|0.8|0.4|3.1|30.7||decode_asr_asr_model_valid.acc.ave/dev_other|2864|63110|92.9|5.3|1.8|1.0|8.2|50.7||decode_asr_asr_model_valid.acc.ave/test_clean|2620|65818|97.1|2.0|0.9|0.3|3.2|31.1||decode_asr_asr_model_valid.acc.ave/test_other|2939|65101|93.0|5.0|2.0|0.9|7.9|52.1||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_clean|2703|68010|97.7|1.6|0.7|0.3|2.6|25.5||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/dev_other|2864|63110|94.3|3.9|1.7|0.7|6.4|41.6||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_clean|2620|65818|97.5|1.6|0.8|0.3|2.7|26.4||decode_asr_lm_lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue_valid.loss.ave_asr_model_valid.acc.ave/test_other|2939|65101|94.3|3.8|1.9|0.6|6.3|44.1|ASR configconfig: conf/tuning/train_asr_conformer5.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_spngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/asr_train_asr_conformer5_raw_bpe5000_frontend_confn_fft400_frontend_confhop_length160_scheduler_confwarmup_steps25000_batch_bins140000000_optim_conflr0.0015_initnone_sp/.dist_init_7d8b8acf-d69d-4b0b-b84e-f76d64d0c2e6dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 140000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/speech_shape- exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_960_sp/wav.scp - speech - kaldi_ark- - dump/raw/train_960_sp/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - kaldi_ark- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullfrontend: defaultfrontend_conf: fs: 16k n_fft: 400 hop_length: 160specaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_bpe5000_n_fft400_hop160_sp/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listdistributed: trueLM configconfig: conf/tuning/train_lm_transformer2.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptruengpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: file:///home/kamo/work/espnet/egs2/librispeech/asr1/exp/lm_train_lm_transformer2_bpe5000_scheduler_confwarmup_steps25000_batch_bins500000000_accum_grad2_use_amptrue/.dist_init_0173e6f2-7b0f-4a4f-9b0a-f3e1922ff565dist_world_size: 16dist_rank: 0local_rank: 0dist_master_addr: nulldist_master_port: nulldist_launcher: slurmmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 25patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 2no_forward_run: falseresume: truetrain_dtype: float32use_amp: truelog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 500000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.005scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁THE- S- ▁AND- ▁OF- ▁TO- ▁A- ▁IN- ▁I- ▁HE- ▁THAT- ▁WAS- ED- ▁IT- ''''- ▁HIS- ING- ▁YOU- ▁WITH- ▁FOR- ▁HAD- T- ▁AS- ▁HER- ▁IS- ▁BE- ▁BUT- ▁NOT- ▁SHE- D- ▁AT- ▁ON- LY- ▁HIM- ▁THEY- ▁ALL- ▁HAVE- ▁BY- ▁SO- ▁THIS- ▁MY- ▁WHICH- ▁ME- ▁SAID- ▁FROM- ▁ONE- Y- E- ▁WERE- ▁WE- ▁NO- N- ▁THERE- ▁OR- ER- ▁AN- ▁WHEN- ▁ARE- ▁THEIR- ▁WOULD- ▁IF- ▁WHAT- ▁THEM- ▁WHO- ▁OUT- M- ▁DO- ▁WILL- ▁UP- ▁BEEN- P- R- ▁MAN- ▁THEN- ▁COULD- ▁MORE- C- ▁INTO- ▁NOW- ▁VERY- ▁YOUR- ▁SOME- ▁LITTLE- ES- ▁TIME- RE- ▁CAN- ▁LIKE- LL- ▁ABOUT- ▁HAS- ▁THAN- ▁DID- ▁UPON- ▁OVER- IN- ▁ANY- ▁WELL- ▁ONLY- B- ▁SEE- ▁GOOD- ▁OTHER- ▁TWO- L- ▁KNOW- ▁GO- ▁DOWN- ▁BEFORE- A- AL- ▁OUR- ▁OLD- ▁SHOULD- ▁MADE- ▁AFTER- ▁GREAT- ▁DAY- ▁MUST- ▁COME- ▁HOW- ▁SUCH- ▁CAME- LE- ▁WHERE- ▁US- ▁NEVER- ▁THESE- ▁MUCH- ▁DE- ▁MISTER- ▁WAY- G- ▁S- ▁MAY- ATION- ▁LONG- OR- ▁AM- ▁FIRST- ▁BACK- ▁OWN- ▁RE- ▁AGAIN- ▁SAY- ▁MEN- ▁WENT- ▁HIMSELF- ▁HERE- NESS- ▁THINK- V- IC- ▁EVEN- ▁THOUGHT- ▁HAND- ▁JUST- ▁O- ▁UN- VE- ION- ▁ITS- 'ON'- ▁MAKE- ▁MIGHT- ▁TOO- K- ▁AWAY- ▁LIFE- TH- ▁WITHOUT- ST- ▁THROUGH- ▁MOST- ▁TAKE- ▁DON- ▁EVERY- F- O- ▁SHALL- ▁THOSE- ▁EYES- AR- ▁STILL- ▁LAST- ▁HOUSE- ▁HEAD- ABLE- ▁NOTHING- ▁NIGHT- ITY- ▁LET- ▁MANY- ▁OFF- ▁BEING- ▁FOUND- ▁WHILE- EN- ▁SAW- ▁GET- ▁PEOPLE- ▁FACE- ▁YOUNG- CH- ▁UNDER- ▁ONCE- ▁TELL- AN- ▁THREE- ▁PLACE- ▁ROOM- ▁YET- ▁SAME- IL- US- U- ▁FATHER- ▁RIGHT- EL- ▁THOUGH- ▁ANOTHER- LI- RI- ▁HEART- IT- ▁PUT- ▁TOOK- ▁GIVE- ▁EVER- ▁E- ▁PART- ▁WORK- ERS- ▁LOOK- ▁NEW- ▁KING- ▁MISSUS- ▁SIR- ▁LOVE- ▁MIND- ▁LOOKED- W- RY- ▁ASKED- ▁LEFT- ET- ▁LIGHT- CK- ▁DOOR- ▁MOMENT- RO- ▁WORLD- ▁THINGS- ▁HOME- UL- ▁THING- LA- ▁WHY- ▁MOTHER- ▁ALWAYS- ▁FAR- FUL- ▁WATER- CE- IVE- UR- ▁HEARD- ▁SOMETHING- ▁SEEMED- I- LO- ▁BECAUSE- OL- ▁END- ▁TOLD- ▁CON- ▁YES- ▁GOING- ▁GOT- RA- IR- ▁WOMAN- ▁GOD- EST- TED- ▁FIND- ▁KNEW- ▁SOON- ▁EACH- ▁SIDE- H- TON- MENT- ▁OH- NE- Z- LING- ▁AGAINST- TER- ▁NAME- ▁MISS- ▁QUITE- ▁WANT- ▁YEARS- ▁FEW- ▁BETTER- ENT- ▁HALF- ▁DONE- ▁ALSO- ▁BEGAN- ▁HAVING- ▁ENOUGH- IS- ▁LADY- ▁WHOLE- LESS- ▁BOTH- ▁SEEN- ▁SET- ▁WHITE- ▁COURSE- IES- ▁VOICE- ▁CALLED- ▁D- ▁EX- ATE- ▁TURNED- ▁GAVE- ▁C- ▁POOR- MAN- UT- NA- ▁DEAR- ISH- ▁GIRL- ▁MORNING- ▁BETWEEN- LED- ▁NOR- IA- ▁AMONG- MA- ▁- ▁SMALL- ▁REST- ▁WHOM- ▁FELT- ▁HANDS- ▁MYSELF- ▁HIGH- ▁M- ▁HOWEVER- ▁HERSELF- ▁P- CO- ▁STOOD- ID- ▁KIND- ▁HUNDRED- AS- ▁ROUND- ▁ALMOST- TY- ▁SINCE- ▁G- AM- ▁LA- SE- ▁BOY- ▁MA- ▁PERHAPS- ▁WORDS- ATED- ▁HO- X- ▁MO- ▁SAT- ▁REPLIED- ▁FOUR- ▁ANYTHING- ▁TILL- ▁UNTIL- ▁BLACK- TION- ▁CRIED- RU- TE- ▁FACT- ▁HELP- ▁NEXT- ▁LOOKING- ▁DOES- ▁FRIEND- ▁LAY- ANCE- ▁POWER- ▁BROUGHT- VER- ▁FIRE- ▁KEEP- PO- FF- ▁COUNTRY- ▁SEA- ▁WORD- ▁CAR- ▁DAYS- ▁TOGETHER- ▁IMP- ▁REASON- KE- ▁INDEED- TING- ▁MATTER- ▁FULL- ▁TEN- TIC- ▁LAND- ▁RATHER- ▁AIR- ▁HOPE- ▁DA- ▁OPEN- ▁FEET- ▁EN- ▁FIVE- ▁POINT- ▁CO- OM- ▁LARGE- ▁B- ▁CL- ME- ▁GONE- ▁CHILD- INE- GG- ▁BEST- ▁DIS- UM- ▁HARD- ▁LORD- OUS- ▁WIFE- ▁SURE- ▁FORM- DE- ▁DEATH- ANT- ▁NATURE- ▁BA- ▁CARE- ▁BELIEVE- PP- ▁NEAR- ▁RO- ▁RED- ▁WAR- IE- ▁SPEAK- ▁FEAR- ▁CASE- ▁TAKEN- ▁ALONG- ▁CANNOT- ▁HEAR- ▁THEMSELVES- CI- ▁PRESENT- AD- ▁MASTER- ▁SON- ▁THUS- ▁LI- ▁LESS- ▁SUN- ▁TRUE- IM- IOUS- ▁THOUSAND- ▁MONEY- ▁W- ▁BEHIND- ▁CHILDREN- ▁DOCTOR- AC- ▁TWENTY- ▁WISH- ▁SOUND- ▁WHOSE- ▁LEAVE- ▁ANSWERED- ▁THOU- ▁DUR- ▁HA- ▁CERTAIN- ▁PO- ▁PASSED- GE- TO- ▁ARM- ▁LO- ▁STATE- ▁ALONE- TA- ▁SHOW- ▁NEED- ▁LIVE- ND- ▁DEAD- ENCE- ▁STRONG- ▁PRE- ▁TI- ▁GROUND- SH- TI- ▁SHORT- IAN- UN- ▁PRO- ▁HORSE- MI- ▁PRINCE- ARD- ▁FELL- ▁ORDER- ▁CALL- AT- ▁GIVEN- ▁DARK- ▁THEREFORE- ▁CLOSE- ▁BODY- ▁OTHERS- ▁SENT- ▁SECOND- ▁OFTEN- ▁CA- ▁MANNER- MO- NI- ▁BRING- ▁QUESTION- ▁HOUR- ▁BO- AGE- ▁ST- ▁TURN- ▁TABLE- ▁GENERAL- ▁EARTH- ▁BED- ▁REALLY- ▁SIX- 'NO'- IST- ▁BECOME- ▁USE- ▁READ- ▁SE- ▁VI- ▁COMING- ▁EVERYTHING- ▁EM- ▁ABOVE- ▁EVENING- ▁BEAUTIFUL- ▁FEEL- ▁RAN- ▁LEAST- ▁LAW- ▁ALREADY- ▁MEAN- ▁ROSE- WARD- ▁ITSELF- ▁SOUL- ▁SUDDENLY- ▁AROUND- RED- ▁ANSWER- ICAL- ▁RA- ▁WIND- ▁FINE- ▁WON- ▁WHETHER- ▁KNOWN- BER- NG- ▁TA- ▁CAPTAIN- ▁EYE- ▁PERSON- ▁WOMEN- ▁SORT- ▁ASK- ▁BROTHER- ▁USED- ▁HELD- ▁BIG- ▁RETURNED- ▁STRANGE- ▁BU- ▁PER- ▁FREE- ▁EITHER- ▁WITHIN- ▁DOUBT- ▁YEAR- ▁CLEAR- ▁SIGHT- ▁GRA- ▁LOST- ▁KEPT- ▁F- PE- ▁BAR- ▁TOWN- ▁SLEEP- ARY- ▁HAIR- ▁FRIENDS- ▁DREAM- ▁FELLOW- PER- ▁DEEP- QUE- ▁BECAME- ▁REAL- ▁PAST- ▁MAKING- RING- ▁COMP- ▁ACT- ▁BAD- HO- STER- ▁YE- ▁MEANS- ▁RUN- MEN- ▁DAUGHTER- ▁SENSE- ▁CITY- ▁SOMETIMES- ▁TOWARDS- ▁ROAD- ▁SP- ▁LU- ▁READY- ▁FOOT- ▁COLD- ▁SA- ▁LETTER- ▁ELSE- ▁MAR- ▁STA- BE- ▁TRUTH- ▁LE- BO- ▁BUSINESS- CHE- ▁JOHN- ▁SUBJECT- ▁COURT- ▁IDEA- ILY- ▁RIVER- ATING- ▁FAMILY- HE- ▁DIDN- ▁GLAD- ▁SEVERAL- IAL- ▁UNDERSTAND- ▁SC- ▁POSSIBLE- ▁DIFFERENT- ▁RETURN- ▁ARMS- ▁LOW- ▁HOLD- ▁TALK- ▁RU- ▁WINDOW- ▁INTEREST- ▁SISTER- SON- ▁SH- ▁BLOOD- ▁SAYS- ▁CAP- ▁DI- ▁HUMAN- ▁CAUSE- NCE- ▁THANK- ▁LATE- GO- ▁CUT- ▁ACROSS- ▁STORY- NT- ▁COUNT- ▁ABLE- DY- LEY- ▁NUMBER- ▁STAND- ▁CHURCH- ▁THY- ▁SUPPOSE- LES- BLE- OP- ▁EFFECT- BY- ▁K- ▁NA- ▁SPOKE- ▁MET- ▁GREEN- ▁HUSBAND- ▁RESPECT- ▁PA- ▁FOLLOWED- ▁REMEMBER- ▁LONGER- ▁AGE- ▁TAKING- ▁LINE- ▁SEEM- ▁HAPPY- LAND- EM- ▁STAY- ▁PLAY- ▁COMMON- ▁GA- ▁BOOK- ▁TIMES- ▁OBJECT- ▁SEVEN- QUI- DO- UND- ▁FL- ▁PRETTY- ▁FAIR- WAY- ▁WOOD- ▁REACHED- ▁APPEARED- ▁SWEET- ▁FALL- BA- ▁PASS- ▁SIGN- ▁TREE- IONS- ▁GARDEN- ▁ILL- ▁ART- ▁REMAIN- ▁OPENED- ▁BRIGHT- ▁STREET- ▁TROUBLE- ▁PAIN- ▁CONTINUED- ▁SCHOOL- OUR- ▁CARRIED- ▁SAYING- HA- ▁CHANGE- ▁FOLLOW- ▁GOLD- ▁SW- ▁FEELING- ▁COMMAND- ▁BEAR- ▁CERTAINLY- ▁BLUE- ▁NE- CA- ▁WILD- ▁ACCOUNT- ▁OUGHT- UD- ▁T- ▁BREATH- ▁WANTED- ▁RI- ▁HEAVEN- ▁PURPOSE- ▁CHARACTER- ▁RICH- ▁PE- ▁DRESS- OS- FA- ▁TH- ▁ENGLISH- ▁CHANCE- ▁SHIP- ▁VIEW- ▁TOWARD- AK- ▁JOY- ▁JA- ▁HAR- ▁NEITHER- ▁FORCE- ▁UNCLE- DER- ▁PLAN- ▁PRINCESS- DI- ▁CHIEF- ▁HAT- ▁LIVED- ▁AB- ▁VISIT- ▁MOR- TEN- ▁WALL- UC- ▁MINE- ▁PLEASURE- ▁SMILE- ▁FRONT- ▁HU- ▁DEAL- OW- ▁FURTHER- GED- ▁TRIED- DA- VA- ▁NONE- ▁ENTERED- ▁QUEEN- ▁PAY- ▁EL- ▁EXCEPT- ▁SHA- ▁FORWARD- ▁EIGHT- ▁ADDED- ▁PUBLIC- ▁EIGHTEEN- ▁STAR- ▁HAPPENED- ▁LED- ▁WALKED- ▁ALTHOUGH- ▁LATER- ▁SPIRIT- ▁WALK- ▁BIT- ▁MEET- LIN- ▁FI- LT- ▁MOUTH- ▁WAIT- ▁HOURS- ▁LIVING- ▁YOURSELF- ▁FAST- ▁CHA- ▁HALL- ▁BEYOND- ▁BOAT- ▁SECRET- ENS- ▁CHAIR- RN- ▁RECEIVED- ▁CAT- RESS- ▁DESIRE- ▁GENTLEMAN- UGH- ▁LAID- EVER- ▁OCCASION- ▁WONDER- ▁GU- ▁PARTY- DEN- ▁FISH- ▁SEND- ▁NEARLY- ▁TRY- CON- ▁SEEMS- RS- ▁BELL- ▁BRA- ▁SILENCE- IG- ▁GUARD- ▁DIE- ▁DOING- ▁TU- ▁COR- ▁EARLY- ▁BANK- ▁FIGURE- IF- ▁ENGLAND- ▁MARY- ▁AFRAID- LER- ▁FO- ▁WATCH- ▁FA- ▁VA- ▁GRE- ▁AUNT- PED- ▁SERVICE- ▁JE- ▁PEN- ▁MINUTES- ▁PAN- ▁TREES- NED- ▁GLASS- ▁TONE- ▁PLEASE- ▁FORTH- ▁CROSS- ▁EXCLAIMED- ▁DREW- ▁EAT- ▁AH- ▁GRAVE- ▁CUR- PA- URE- CENT- ▁MILES- ▁SOFT- ▁AGO- ▁POSITION- ▁WARM- ▁LENGTH- ▁NECESSARY- ▁THINKING- ▁PICTURE- ▁PI- SHIP- IBLE- ▁HEAVY- ▁ATTENTION- ▁DOG- ABLY- ▁STANDING- ▁NATURAL- ▁APPEAR- OV- ▁CAUGHT- VO- ISM- ▁SPRING- ▁EXPERIENCE- ▁PAT- OT- ▁STOPPED- ▁REGARD- ▁HARDLY- ▁SELF- ▁STRENGTH- ▁GREW- ▁KNIGHT- ▁OPINION- ▁WIDE- ▁INSTEAD- ▁SOUTH- ▁TRANS- ▁CORNER- ▁LEARN- ▁ISLAND- ▁MI- ▁THIRD- ▁STE- ▁STRAIGHT- ▁TEA- ▁BOUND- ▁SEEING- ▁JU- ▁DINNER- ▁BEAUTY- ▁PEACE- AH- ▁REP- ▁SILENT- ▁CRE- ALLY- RIC- ▁STEP- ▁VER- ▁JO- GER- ▁SITTING- ▁THIRTY- ▁SAVE- ENED- ▁GLANCE- ▁REACH- ▁ACTION- ▁SAL- ▁SAD- ▁STONE- ITIES- ▁FRENCH- ▁STRUCK- ▁PAPER- ▁WHATEVER- ▁SUB- ▁DISTANCE- ▁WRONG- ▁KNOWLEDGE- ▁SAFE- ▁SNOW- ▁MUSIC- ▁FIFTY- RON- ▁ATTEMPT- ▁GOVERNMENT- TU- ▁CROWD- ▁BESIDES- ▁LOVED- ▁BOX- ▁DIRECTION- ▁TRAIN- ▁NORTH- ▁THICK- ▁GETTING- AV- ▁FLOOR- ▁COMPANY- ▁BLOW- ▁PLAIN- TRO- ▁BESIDE- ▁ROCK- ▁IMMEDIATELY- FI- ▁SHADOW- ▁SIT- ORS- ILE- ▁DRINK- ▁SPOT- ▁DANGER- ▁AL- ▁SAINT- ▁SLOWLY- ▁PALACE- IER- ▁RESULT- ▁PETER- ▁FOREST- ▁BELONG- ▁SU- ▁PAR- RIS- ▁TEARS- ▁APPEARANCE- ▁GATE- BU- ITION- ▁QUICKLY- ▁QUIET- ▁LONDON- ▁START- ▁BROWN- TRA- KIN- ▁CONSIDER- ▁BATTLE- ▁ANNE- ▁PIECE- ▁DIED- ▁SUCCESS- ▁LIPS- ▁FILLED- ▁FORGET- ▁POST- IFIED- ▁MARGARET- ▁FOOD- HAM- ▁PLEASANT- ▁FE- ▁EXPRESSION- ▁POCKET- ▁FRESH- ▁WEAR- TRI- ▁BROKEN- ▁LAUGHED- GING- ▁FOLLOWING- WN- IP- ▁TOUCH- ▁YOUTH- ATIVE- ▁LEG- ▁WEEK- ▁REMAINED- ▁EASY- NER- RK- ▁ENTER- ▁FIGHT- ▁PLACED- ▁TRAVEL- ▁SIMPLE- ▁GIRLS- ▁WAITING- ▁STOP- ▁WAVE- AU- ▁WISE- ▁CAMP- TURE- UB- ▁VE- ▁OFFICE- ▁GRAND- ▁FIT- ▁JUDGE- UP- MENTS- ▁QUICK- HI- ▁FLO- RIES- VAL- ▁COMFORT- ▁PARTICULAR- ▁STARTED- ▁SUIT- ▁NI- ▁PALE- ▁IMPOSSIBLE- ▁HOT- ▁CONVERSATION- ▁SCENE- ▁BOYS- ▁WIN- ▁BRE- ▁SOCIETY- ▁OUTSIDE- ▁WRITE- ▁EFFORT- ▁TALKING- ▁FORTUNE- ▁NINE- ▁WA- ▁SINGLE- ▁RULE- ▁PORT- ▁WINTER- ▁CAST- ▁CRA- ▁HAPPEN- ▁CRO- ▁SHUT- NING- ▁GUN- ▁NOBLE- ▁BEGIN- ▁PATH- ▁SKY- ▁WONDERFUL- ▁SUDDEN- ▁ARMY- ▁CHE- ▁WORTH- ▁MOUNTAIN- ▁MIN- AG- ▁FLU- ▁GRACE- ▁CHAPTER- ▁BELOW- ▁RING- ▁TURNING- ▁IRON- ▁TOP- ▁AFTERNOON- ORY- ▁EVIL- ▁TRUST- ▁BOW- ▁TRI- ▁SAIL- ▁CONTENT- ▁HORSES- ITE- ▁SILVER- AP- ▁LAD- ▁RUNNING- ▁HILL- ▁BEGINNING- ▁MAD- ▁HABIT- GRA- ▁CLOTHES- ▁MORROW- ▁CRY- ▁FASHION- ▁PRESENCE- ▁Z- FE- ▁ARRIVED- ▁QUARTER- ▁PERFECT- ▁WO- ▁TRA- ▁USUAL- ▁NECK- ▁MARRIED- ▁SEAT- ▁WI- ▁GAR- ▁SAND- ▁SHORE- ▁GIVING- NY- ▁PROBABLY- ▁MINUTE- ▁EXPECT- ▁DU- ▁SHOT- ▁INSTANT- ▁DEGREE- ▁COLOR- ▁WEST- RT- ▁MARCH- ▁BIRD- ▁SHOWED- ▁GREATER- ▁SERIOUS- ▁CARRY- ▁COVERED- ▁FORMER- ▁LOUD- ▁MOVED- ▁MASS- ▁SEEK- ▁CHO- GEN- ▁ROMAN- IB- ▁MOON- ▁BOARD- ▁STREAM- ▁EASILY- ▁WISHED- ▁SEARCH- ▁COULDN- ▁MONTHS- ▁SICK- LIE- ▁DUTY- ▁TWELVE- ▁FAINT- ▁STRANGER- ▁SURPRISE- ▁KILL- ▁LEAVING- ▁JOURNEY- ▁SCARCELY- ▁RAISED- ▁SPEAKING- ▁TERRIBLE- ▁TOM- ▁FIELD- ▁GAME- ▁QUA- ▁PROMISE- ▁LIE- ▁CONDITION- ▁TRO- ▁PERSONAL- ▁TALL- ▁STICK- ▁THREW- ▁MARRY- ▁VAN- ▁BURN- ▁ACCORDING- ▁RISE- ▁ATTACK- ▁SWORD- ▁GUESS- ▁THOUGHTS- ▁THIN- ▁THROW- ▁CALM- SIDE- ▁VILLAGE- ▁DEN- ▁ANXIOUS- ▁MER- GI- ▁EXPECTED- ▁BALL- ▁ESPECIALLY- ▁CHARGE- ▁MEASURE- ISE- ▁NICE- ▁TRYING- ▁ALLOW- ▁SHARP- ▁BREAD- ▁HONOUR- ▁HONOR- ▁ENTIRELY- ▁BILL- ▁BRI- ▁WRITTEN- ▁AR- ▁BROKE- ▁KILLED- ▁MARK- ▁VEN- ▁LADIES- ▁LEARNED- ▁FLOWERS- PLE- ▁FORTY- ▁OFFER- ▁HAPPINESS- ▁PRAY- ▁CLASS- ▁FER- ▁PRINCIPLE- GU- ▁BOOKS- ▁SHAPE- ▁SUMMER- ▁JACK- ▁DRAW- ▁GOLDEN- ▁DECIDED- ▁LEAD- ▁UNLESS- ▁HARM- ▁LISTEN- HER- ▁SHOOK- ▁INFLUENCE- ▁PERFECTLY- ▁MARRIAGE- ▁BROAD- ▁ESCAPE- ▁STATES- ▁MIDDLE- ▁PLANT- ▁MIL- ▁MOVEMENT- ▁NOISE- ▁ENEMY- ▁HISTORY- ▁BREAK- ROUS- ▁UNDERSTOOD- ▁LATTER- FER- ▁COMES- ▁MERELY- ▁SIMPLY- WI- ▁IMAGINE- ▁LOWER- ▁CONDUCT- ▁BORN- WA- ▁YARD- ▁KA- ▁CLOSED- ▁NOTE- GA- ▁STRA- RAN- ▁EXIST- EV- ▁SPEECH- ▁BITTER- JO- ▁MAKES- ▁GRASS- ▁REPLY- ▁CHANGED- ▁MON- ▁LYING- ▁DANCE- ▁FINALLY- ▁AMERICAN- ▁ENJOY- ▁CONTAIN- ▁MEANT- USE- ▁OBSERVED- THER- ▁LAUGH- ▁AFTERWARDS- ▁BEAT- ▁RACE- ▁EQUAL- ▁RAIN- PS- ▁STEPS- ▁BENEATH- ▁TAIL- ▁TASTE- IO- EY- ▁CHAR- ▁GE- GN- TIN- ▁GROW- ▁TE- IANS- ▁MOVE- ▁REPEATED- ▁DRIVE- TUR- ▁SI- CLOCK- ▁BRAVE- ▁MADAME- ▁LOT- ▁CASTLE- ▁HI- AND- ▁FUTURE- ▁RELATION- ▁SORRY- ▁HEALTH- ▁DICK- ▁R- ▁BUILDING- ▁EDGE- ▁BLESS- ▁SPITE- WE- ▁MIS- ▁PRISONER- ▁ALLOWED- ▁PH- ▁CATCH- MER- ETH- ▁COAT- ▁COMPLETE- ▁WOULDN- ▁CREATURE- ▁YELLOW- ▁IMPORTANT- ▁ADD- ▁PASSING- ▁DARKNESS- ▁CARRIAGE- ▁MILL- ▁FIFTEEN- NCY- ▁HUNG- ▁OB- ▁PLEASED- ▁SPREAD- ▁CURIOUS- ▁WORSE- ▁CIRCUMSTANCES- ▁GI- LAR- ▁CAL- ▁HY- ▁MERE- ▁JANE- ▁EAST- BI- ▁CUP- ▁BLIND- ▁PASSION- ▁DISCOVERED- ▁NOTICE- ▁REPORT- ▁SPACE- ▁PRESENTLY- ▁SORROW- ▁PACK- ▁DIN- CY- ▁DRY- ▁ANCIENT- ▁DRESSED- ▁COVER- ▁VO- ▁EXISTENCE- ▁EXACTLY- ▁BEAST- ▁PROPER- ▁DROPPED- ▁CLEAN- ▁COLOUR- ▁HOST- ▁CHAMBER- ▁FAITH- LET- ▁DETERMINED- ▁PRIEST- ▁STORM- ▁SKIN- ▁DARE- ▁PERSONS- ▁PICK- ▁NARROW- ▁SUPPORT- ▁PRIVATE- ▁SMILED- ▁COUSIN- ▁DRAWING- ▁ATTEND- ▁COOK- ▁PREVENT- ▁VARIOUS- ▁BLA- ▁FIXED- ▁WEAK- THE- ▁HOLE- ▁BOTTOM- ▁NOBODY- ADE- ▁LEGS- ITCH- ▁INDIVIDUAL- ▁EARS- LIKE- ▁ADVANTAGE- ▁FRANCE- ▁BON- ▁WINE- ▁LIVES- OD- ▁WALLS- ▁TIRED- ▁SHOP- ▁ANIMAL- ▁CRU- ▁WROTE- ▁ROYAL- ▁CONSIDERED- ▁MORAL- ▁COMPANION- ▁LOSE- ▁ISN- ▁BAG- ▁LAKE- ▁INTER- ▁COM- ▁LETTERS- ▁LUCK- ▁EAR- ▁GERMAN- ▁PET- ▁SAKE- ▁DROP- ▁PAID- ▁BREAKFAST- ▁LABOR- ▁DESERT- ▁DECLARED- ▁HUM- ▁STUDY- ▁INSTANCE- ONE- ▁SOMEWHAT- ▁CLOTH- ▁SPECIAL- ▁COLONEL- ▁SONG- ▁MAIN- ▁VALUE- ▁PROUD- ▁EXPRESS- ▁NATION- ▁HANDSOME- ▁CONFESS- ▁PU- ▁PASSAGE- ▁PERIOD- ▁CUSTOM- ▁HURT- ▁SHOULDER- ▁CHRIST- ZA- ▁RECEIVE- ▁DIFFICULT- ▁DEPEND- ▁MEETING- ▁CHI- ▁GEN- LIGHT- ▁BELIEVED- ▁SOCIAL- ▁DIFFICULTY- ▁GREATEST- ▁DRAWN- ▁GRANT- ▁BIRDS- ▁ANGRY- ▁HEAT- UFF- ▁DUE- ▁PLACES- ▁SIN- ▁COURAGE- ▁EVIDENTLY- ▁GENTLE- ▁CRUEL- ▁GEORGE- ▁GRI- ▁SERVANT- ▁U- ▁PURE- OOK- ▁KNOWS- ▁KNOWING- LF- ▁WRITING- ▁REMEMBERED- ▁CU- ▁HOLDING- ▁TENDER- ▁QUI- ▁BURST- ▁SURELY- IGN- ▁VALLEY- ▁FU- ▁BUTTER- ▁SPOKEN- ▁STORE- ▁DISC- ▁CHRISTIAN- ▁PARIS- ▁HENRY- ▁FINISHED- ▁PROVE- ▁FOOL- ▁SOLDIERS- ▁LANGUAGE- ▁INSIDE- ▁BAN- ▁FALLEN- ROW- ▁MAL- ▁BABY- ▁SITUATION- ▁WATCHED- ANS- ▁RUIN- ▁GENTLEMEN- ▁FRO- ▁FANCY- ▁ACCEPT- ▁SEASON- ▁OURSELVES- ▁SAN- ▁SPEED- IZED- ▁COOL- ▁SERVE- ▁VESSEL- ▁WILLIAM- ▁OBLIGED- ▁GROUP- FORM- ▁GOES- UOUS- ▁LEAVES- ▁PECULIAR- ▁NEWS- ▁VAIN- ▁EVERYBODY- ▁PIN- UG- ▁FORGOTTEN- ▁FRA- GAN- ▁CAREFULLY- ▁FLASH- UCH- ▁FUR- ▁MURDER- ▁DELIGHT- ▁WAITED- ▁RENDER- ▁PROPERTY- ▁NOTICED- ▁ROLL- ▁KNOCK- ▁EARNEST- KI- ▁HONEST- ▁PROMISED- ▁BAL- AW- ▁WALKING- ANG- ▁SQUARE- ▁QUIETLY- ▁CLOUD- WOOD- ▁FORMED- ▁HIGHER- ▁BUILT- ▁FATE- ▁TEACH- MY- ▁FALSE- ▁YORK- ▁DUST- ▁CLIMB- ▁FOND- ▁GROWN- ▁DESCEND- ▁RAG- ▁FRUIT- ▁GENERALLY- ▁OFFERED- ▁ER- ▁NURSE- POSE- ▁SPENT- ▁JOIN- ▁STATION- ▁MEANING- ▁SMOKE- HOOD- ▁ROUGH- JU- ▁LIKELY- ▁SURFACE- ▁KE- ▁MONTH- ▁POSSESSION- ▁TONGUE- ▁DUKE- ▁NOSE- ▁LAUGHING- ▁WEATHER- ▁WHISPERED- ▁SYSTEM- ▁LAWS- DDLE- ▁TOUCHED- ▁TRADE- LD- ▁SURPRISED- RIN- ▁ARCH- ▁WEALTH- FOR- ▁TEMPER- ▁FRANK- ▁GAL- ▁BARE- ▁OPPORTUNITY- ▁CLAIM- ▁ANIMALS- ▁REV- ▁COST- ▁WASH- ZE- ▁CORN- ▁OPPOSITE- ▁POLICE- ▁IDEAS- LON- ▁KEY- ▁READING- ▁COLLECT- CHED- ▁H- ▁CROWN- ▁TAR- ▁SWIFT- ▁SHOULDERS- ▁ICE- ▁GRAY- ▁SHARE- ▁PREPARED- ▁GRO- ▁UND- ▁TER- ▁EMPTY- CING- ▁SMILING- ▁AVOID- ▁DIFFERENCE- ▁EXPLAIN- ▁POUR- ▁ATTRACT- ▁OPENING- ▁WHEEL- ▁MATERIAL- ▁BREAST- ▁SUFFERING- ▁DISTINCT- ▁BOOT- ▁ROW- ▁FINGERS- HAN- ▁ALTOGETHER- ▁FAT- ▁PAPA- ▁BRAIN- ▁ASLEEP- ▁GREY- ▁SUM- ▁GAS- ▁WINDOWS- ▁ALIVE- ▁PROCEED- ▁FLOWER- ▁LEAP- ▁PUR- ▁PIECES- ▁ALTER- ▁MEMORY- IENT- ▁FILL- ▁CLO- ▁THROWN- ▁KINGDOM- ▁RODE- IUS- ▁MAID- ▁DIM- ▁BAND- ▁VIRTUE- ▁DISH- ▁GUEST- ▁LOSS- ▁CAUSED- ▁MOTION- ▁POT- ▁MILLION- ▁FAULT- ▁LOVELY- ▁HERO- PPING- ▁UNITED- ▁SPI- SOME- BRA- ▁MOUNTAINS- ▁NU- ▁SATISFIED- ▁DOLLARS- ▁LOVER- ▁CONCEAL- ▁VAST- ▁PULL- ▁HATH- ▁RUSH- ▁J- ▁DESPAIR- EX- ▁HEIGHT- ▁CE- ▁BENT- ▁PITY- ▁RISING- ATH- ▁PRIDE- ▁HURRY- KA- ▁SETTLED- ▁JUSTICE- ▁LIFTED- PEN- ▁SOLDIER- ▁FINDING- ▁REMARK- ▁REGULAR- ▁STRUGGLE- ▁MACHINE- ▁SING- ▁HURRIED- ▁SUFFICIENT- ▁REPRESENT- ▁DOUBLE- ▁ALARM- ▁SUPPER- ▁DREADFUL- ▁FORE- ATOR- ▁STOCK- ▁TIN- ▁EXAMPLE- ▁ROOF- ▁FLOW- ▁SUPPOSED- ▁PRESERV- ▁L- ▁LISTENED- OC- ▁STO- ▁SECURE- ▁FRIGHTENED- ▁DISTURB- ▁EMOTION- ▁SERVANTS- ▁YO- ▁BUY- ▁FORCED- ▁KITCHEN- ▁TERROR- ▁STAIRS- ▁SIXTY- KER- ▁ORDINARY- ▁DIRECTLY- ▁HEADS- ▁METHOD- ▁FORGIVE- ▁AWFUL- ▁REFLECT- ▁GREATLY- ▁TALKED- ▁RIDE- STONE- ▁FAVOUR- ▁WELCOME- ▁SEIZED- OU- ▁CONTROL- ▁ORDERED- ▁ANGEL- ▁USUALLY- ▁POET- ▁BOLD- LINE- ▁ADVENTURE- ▁WATCHING- ▁FOLK- ▁MISTRESS- IZE- ▁GROWING- ▁CAVE- ▁EVIDENCE- ▁FINGER- ▁SEVENTEEN- ▁MOVING- EOUS- ▁DOESN- ▁COW- ▁TYPE- ▁BOIL- ▁TALE- ▁DELIVER- ▁FARM- ▁MONSIEUR- ▁GATHERED- ▁FEELINGS- ▁RATE- ▁REMARKED- ▁PUTTING- ▁MAT- ▁CONTRARY- ▁CRIME- ▁PLA- ▁COL- ▁NEARER- TES- ▁CIVIL- ▁SHAME- ▁LOOSE- ▁DISCOVER- ▁FLAT- ▁TWICE- ▁FAIL- VIS- ▁UNC- EA- ▁EUROPE- ▁PATIENT- ▁UNTO- ▁SUFFER- ▁PAIR- ▁TREASURE- OSE- ▁EAGER- ▁FLY- ▁N- ▁VAL- ▁DAN- ▁SALT- ▁BORE- BBE- ▁ARTHUR- ▁AFFAIRS- ▁SLOW- ▁CONSIST- ▁DEVIL- LAN- ▁AFFECTION- ▁ENGAGED- ▁KISS- ▁YA- ▁OFFICER- IFICATION- ▁LAMP- ▁PARTS- HEN- ▁MILK- ▁PROCESS- ▁GIFT- ▁PULLED- ▁HID- ▁RAY- ▁EXCELLENT- ▁IMPRESSION- ▁AUTHORITY- ▁PROVED- ▁TELLING- TTE- ▁TOWER- ▁CONSEQUENCE- ▁FAVOR- ▁FLEW- ▁CHARLES- ISTS- ▁ADDRESS- ▁FAMILIAR- ▁LIMIT- ▁CONFIDENCE- ▁RARE- ▁WEEKS- ▁WOODS- ▁INTENTION- ▁DIRECT- ▁PERFORM- ▁SOLEMN- ▁DISTANT- ▁IMAGE- ▁PRESIDENT- ▁FIRM- ▁INDIAN- ▁RANK- ▁LIKED- ▁AGREE- ▁HOUSES- ▁WIL- ▁MATTERS- ▁PRISON- ▁MODE- ▁MAJOR- ▁WORKING- ▁SLIP- ▁WEIGHT- ▁AWARE- ▁BUSY- ▁LOOKS- ▁WOUND- ▁THOR- ▁BATH- ▁EXERCISE- ▁SIMILAR- ▁WORE- ▁AMOUNT- ▁QUESTIONS- ▁VIOLENT- ▁EXCUSE- ▁ASIDE- ▁TUR- ▁DULL- OF- ▁EMPEROR- ▁NEVERTHELESS- ▁SHOUT- ▁EXPLAINED- ▁SIZE- ▁ACCOMPLISH- FORD- CAN- ▁MISTAKE- ▁INSTANTLY- ▁SMOOTH- ▁STRIKE- ▁BOB- ISED- ▁HORROR- ▁SCIENCE- ▁PROTEST- ▁MANAGE- ▁OBEY- ▁NECESSITY- ▁SPLENDID- ▁PRESS- ▁INTERESTING- ▁RELIGION- ▁UNKNOWN- ▁FIERCE- ▁DISAPPEARED- ▁HOLY- ▁HATE- ▁PLAYED- ▁LIN- ▁NATURALLY- ▁DROVE- ▁LOUIS- TIES- ▁BRAND- INESS- RIE- ▁SHOOT- ▁CONSENT- ▁SEATED- ▁LINES- GUE- ▁AGREED- ▁CIRCLE- ▁STIR- ▁STREETS- ▁TASK- ▁RID- ▁PRODUCED- ▁ACCIDENT- ▁WITNESS- ▁LIBERTY- ▁DETAIL- ▁MINISTER- ▁POWERFUL- ▁SAVAGE- ▁SIXTEEN- ▁PRETEND- ▁COAST- ▁SQU- ▁UTTER- ▁NAMED- ▁CLEVER- ▁ADMIT- ▁COUPLE- ▁WICKED- ▁MESSAGE- ▁TEMPLE- ▁STONES- ▁YESTERDAY- ▁HILLS- DAY- ▁SLIGHT- ▁DIAMOND- ▁POSSIBLY- ▁AFFAIR- ▁ORIGINAL- ▁HEARING- ▁WORTHY- ▁SELL- NEY- ICK- ▁COTTAGE- ▁SACRIFICE- ▁PROGRESS- ▁SHOCK- ▁DESIGN- ▁SOUGHT- ▁PIT- ▁SUNDAY- ▁OTHERWISE- ▁CABIN- ▁PRAYER- ▁DWELL- ▁GAIN- ▁BRIDGE- ▁PARTICULARLY- ▁YIELD- ▁TREAT- RIGHT- ▁OAK- ▁ROPE- WIN- ▁ORDERS- ▁SUSPECT- ▁EDWARD- AB- ▁ELEVEN- ▁TEETH- ▁OCCURRED- DDING- ▁AMERICA- ▁FALLING- ▁LION- ▁DEPART- ▁KEEPING- ▁DEMAND- ▁PAUSED- ▁CEASED- INA- ▁FUN- ▁CHEER- ▁PARDON- ▁NATIVE- LUS- LOW- ▁DOGS- ▁REQUIRED- ILITY- ▁ELECT- ▁ENTERTAIN- ITUDE- ▁HUGE- ▁CARRYING- ▁BLU- ▁INSIST- ▁SATISFACTION- ▁HUNT- ▁COUNTENANCE- ▁UPPER- ▁MAIDEN- ▁FAILED- ▁JAMES- ▁FOREIGN- ▁GATHER- ▁TEST- BOARD- ▁TERMS- ▁SILK- ▁BEG- ▁BROTHERS- ▁PAGE- ▁KNEES- ▁SHOWN- ▁PROFESSOR- ▁MIGHTY- ▁DEFI- ▁CHARM- ▁REQUIRE- ▁LOG- MORE- ▁PROOF- ▁POSSESSED- ▁SOFTLY- ▁UNFORTUNATE- ▁PRICE- ▁SEVERE- ▁SINGING- ▁STAGE- ▁FREEDOM- ▁SHOUTED- ▁FARTHER- ▁MAJESTY- ▁PREVIOUS- ▁GUIDE- ▁MATCH- ▁CHEST- ▁INTENDED- ▁BI- ▁EXCITEMENT- ▁OFFICERS- ▁SUR- ▁SHAKE- ▁SENTIMENT- ▁GENTLY- ▁SUCCEEDED- ▁MENTION- ▁LOCK- ▁ACQUAINTANCE- ▁IMAGINATION- ▁PHYSICAL- ▁LEADING- ▁SLAVE- ▁CART- ▁POINTED- ▁STEAM- ▁SHADE- ▁PIPE- ▁BASE- ▁INVENT- ▁ALAS- ▁WORKED- ▁REGRET- ▁BUR- ▁FAITHFUL- ▁MENTIONED- ▁RECORD- ▁COMPLAIN- ▁SUPERIOR- ▁BAY- ▁PAL- EMENT- UE- ▁SEVENTY- ▁HOTEL- ▁SHEEP- ▁MEAL- ▁ADVICE- ▁HIDDEN- ▁DEMANDED- ▁CONSCIOUS- ▁BROW- ▁POSSESS- ▁FOURTH- ▁EVENTS- ▁FRI- ▁PRAISE- ▁ADVANCED- ▁RESOLVED- ▁STUFF- ▁CHEERFUL- ▁BIRTH- ▁GRIEF- ▁AFFORD- ▁FAIRY- ▁WAKE- ▁SIDES- ▁SUBSTANCE- ▁ARTICLE- ▁LEVEL- ▁MIST- ▁JOINED- ▁PRACTICAL- ▁CLEARLY- ▁TRACE- ▁AWAKE- ▁OBSERVE- ▁BASKET- ▁LACK- VILLE- ▁SPIRITS- ▁EXCITED- ▁ABANDON- ▁SHINING- ▁FULLY- ▁CALLING- ▁CONSIDERABLE- ▁SPRANG- ▁MILE- ▁DOZEN- ▁PEA- ▁DANGEROUS- ▁WIT- ▁JEW- ▁POUNDS- ▁FOX- ▁INFORMATION- ▁LIES- ▁DECK- NNY- ▁PAUL- ▁STARS- ▁ANGER- ▁SETTLE- ▁WILLING- ▁ADAM- ▁FACES- ▁SMITH- ▁IMPORTANCE- ▁STRAIN- WAR- ▁SAM- ▁FEATHER- ▁SERVED- ▁AUTHOR- ▁PERCEIVED- ▁FLAME- ▁DIVINE- ▁TRAIL- ▁ANYBODY- ▁SIGH- ▁DELICATE- KY- ▁FOLD- ▁HAVEN- ▁DESIRED- ▁CURIOSITY- ▁PRACTICE- ▁CONSIDERATION- ▁ABSOLUTELY- ▁CITIZEN- ▁BOTTLE- ▁INTERESTED- ▁MEAT- ▁OCCUPIED- ▁CHOOSE- ▁THROAT- ETTE- ▁CANDLE- ▁DAWN- ▁PROTECT- ▁SENTENCE- IED- ▁ROCKS- ▁PORTION- ▁APPARENTLY- ▁PRESENTED- ▁TIGHT- ▁ACTUALLY- ▁DYING- ▁HAM- ▁DAILY- ▁SUFFERED- ▁POLITICAL- ▁BODIES- ▁MODERN- ▁COMPLETELY- ▁SOONER- TAN- ▁PROP- ▁ADVANCE- ▁REFUSED- ▁FARMER- ▁POLITE- ▁THUNDER- ▁BRIEF- ▁ELSIE- ▁SAILOR- ▁SUGGESTED- ▁PLATE- ▁AID- ▁FLESH- ▁WEEP- ▁BUCK- ▁ANTI- ▁OCEAN- ▁SPEND- WELL- ▁ODD- ▁GOVERNOR- ▁ENTRANCE- ▁SUSPICION- ▁STEPPED- ▁RAPIDLY- ▁CHECK- ▁HIDE- ▁FLIGHT- ▁CLUB- ▁ENTIRE- ▁INDIANS- ASH- ▁CAPITAL- ▁MAMMA- HAR- ▁CORRECT- ▁CRACK- ▁SENSATION- ▁WORST- ▁PACE- ▁MIDST- ▁AUGUST- ▁PROPORTION- ▁INNOCENT- LINESS- ▁REGARDED- ▁DRIVEN- ORD- ▁HASTE- ▁EDUCATION- ▁EMPLOY- ▁TRULY- ▁INSTRUMENT- ▁MAG- ▁FRAME- ▁FOOLISH- ▁TAUGHT- ▁HANG- ▁ARGUMENT- ▁NINETEEN- ▁ELDER- ▁NAY- ▁NEEDED- ▁NEIGHBOR- ▁INSTRUCT- ▁PAPERS- ▁REWARD- ▁EQUALLY- ▁FIELDS- ▁DIG- HIN- ▁CONDITIONS- JA- ▁SPAR- ▁REQUEST- ▁WORN- ▁REMARKABLE- ▁LOAD- ▁WORSHIP- ▁PARK- ▁KI- ▁INTERRUPTED- ▁SKILL- ▁TERM- LAC- ▁CRITIC- ▁DISTRESS- ▁BELIEF- ▁STERN- IGHT- ▁TRACK- ▁HUNTING- ▁JEWEL- ▁GRADUALLY- ▁GLOW- ▁RUSHED- ▁MENTAL- ▁VISITOR- ▁PICKED- ▁BEHOLD- ▁EXPRESSED- ▁RUB- ▁SKI- ARTAGNAN- ▁MOREOVER- ▁OPERATION- ▁CAREFUL- ▁KEEN- ▁ASSERT- ▁WANDER- ▁ENEMIES- ▁MYSTERIOUS- ▁DEPTH- ▁PREFER- ▁CROSSED- ▁CHARMING- ▁DREAD- ▁FLOUR- ▁ROBIN- ▁TRE- ▁RELIEF- ▁INQUIRED- ▁APPLE- ▁HENCE- ▁WINGS- ▁CHOICE- ▁JUD- OO- ▁SPECIES- ▁DELIGHTED- IUM- ▁RAPID- ▁APPEAL- ▁FAMOUS- ▁USEFUL- ▁HELEN- ▁NEWSPAPER- ▁PLENTY- ▁BEARING- ▁NERVOUS- ▁PARA- ▁URGE- ▁ROAR- ▁WOUNDED- ▁CHAIN- ▁PRODUCE- ▁REFLECTION- ▁MERCHANT- ▁QUARREL- ▁GLORY- ▁BEGUN- ▁BARON- CUS- ▁QUEER- ▁MIX- ▁GAZE- ▁WHISPER- ▁BURIED- ▁DIV- ▁CARD- ▁FREQUENTLY- ▁TIP- ▁KNEE- ▁REGION- ▁ROOT- ▁LEST- ▁JEALOUS- CTOR- ▁SAVED- ▁ASKING- ▁TRIP- QUA- ▁UNION- HY- ▁COMPANIONS- ▁SHIPS- ▁HALE- ▁APPROACHED- ▁HARRY- ▁DRUNK- ▁ARRIVAL- ▁SLEPT- ▁FURNISH- HEAD- ▁PIG- ▁ABSENCE- ▁PHIL- ▁HEAP- ▁SHOES- ▁CONSCIOUSNESS- ▁KINDLY- ▁EVIDENT- ▁SCAR- ▁DETERMIN- ▁GRASP- ▁STEAL- ▁OWE- ▁KNIFE- ▁PRECIOUS- ▁ELEMENT- ▁PROCEEDED- ▁FEVER- ▁LEADER- ▁RISK- ▁EASE- ▁GRIM- ▁MOUNT- ▁MEANWHILE- ▁CENTURY- OON- ▁JUDGMENT- ▁AROSE- ▁VISION- ▁SPARE- ▁EXTREME- ▁CONSTANT- ▁OBSERVATION- ▁THRUST- ▁DELAY- ▁CENT- ▁INCLUD- ▁LIFT- ▁ADMIRE- ▁ISSUE- ▁FRIENDSHIP- ▁LESSON- ▁PRINCIPAL- ▁MOURN- ▁ACCEPTED- ▁BURNING- ▁CAPABLE- ▁EXTRAORDINARY- ▁SANG- ▁REMOVED- ▁HOPED- ▁HORN- ▁ALICE- ▁MUD- ▁APARTMENT- ▁FIGHTING- ▁BLAME- ▁TREMBLING- ▁SOMEBODY- ▁ANYONE- ▁BRIDE- ▁READER- ▁ROB- ▁EVERYWHERE- ▁LABOUR- ▁RECALL- ▁BULL- ▁HIT- ▁COUNCIL- ▁POPULAR- ▁CHAP- ▁TRIAL- ▁DUN- ▁WISHES- ▁BRILLIANT- ▁ASSURED- ▁FORGOT- ▁CONTINUE- ▁ACKNOWLEDG- ▁RETREAT- ▁INCREASED- ▁CONTEMPT- ▁GRANDFATHER- ▁SYMPATHY- ▁GHOST- ▁STRETCHED- ▁CREATURES- ▁CAB- ▁HIND- ▁PLAYING- ▁MISERABLE- ▁MEMBERS- ▁KINDNESS- ▁HIGHEST- ▁PRIM- ▁KISSED- ▁DESERVE- ▁HUT- ▁BEGGED- ▁EIGHTY- ▁CLOSELY- ▁WONDERED- ▁MILITARY- ▁REMIND- ▁ACCORDINGLY- ▁LARGER- ▁MAINTAIN- ▁ENGINE- ▁MOTIVE- ▁DESTROY- ▁STRIP- ▁HANS- ▁AHEAD- ▁INFINITE- ▁PROMPT- ▁INFORMED- TTLE- ▁PEER- ▁PRESSED- ▁TRAP- ▁SOMEWHERE- ▁BOUGHT- ▁VISIBLE- ▁ASHAMED- ▁TEAR- ▁NEIGHBOUR- ▁CONSTITUTION- ▁INTELLIGENCE- ▁PROFESSION- ▁HUNGRY- RIDGE- ▁SMELL- ▁STORIES- ▁LISTENING- ▁APPROACH- ▁STRING- ▁EXPLANATION- ▁IMMENSE- ▁RELIGIOUS- ▁THROUGHOUT- ▁HOLLOW- ▁AWAIT- ▁FLYING- ▁SCREAM- ▁ACTIVE- ▁RUM- ▁PRODUCT- ▁UNHAPPY- ▁VAGUE- ARIES- ▁ELIZABETH- ▁STUPID- ▁DIGNITY- ▁ISABEL- GAR- ▁BRO- ▁PITCH- ▁COMRADE- ▁STIFF- ▁RECKON- ▁SOLD- ▁SPARK- ▁STRO- ▁CRYING- ▁MAGIC- ▁REPEAT- PORT- ▁MARKED- ▁COMFORTABLE- ▁PROJECT- ▁BECOMING- ▁PARENTS- ▁SHELTER- ▁STOLE- ▁HINT- ▁NEST- ▁TRICK- ▁THOROUGHLY- ▁HOSPITAL- ▁WEAPON- ▁ROME- ▁STYLE- ▁ADMITTED- ▁SAFETY- FIELD- ▁UNDERSTANDING- ▁TREMBLE- ▁PRINT- ▁SLAVES- ▁WEARY- ▁ARTIST- ▁CREDIT- BURG- ▁CONCLUSION- ▁SELDOM- ▁UNUSUAL- ▁CLOUDS- ▁UNABLE- ▁GAY- ▁HANGING- ▁SCR- ▁BOWED- ▁DAVID- ▁VOL- ▁PUSHED- ▁ESCAPED- MOND- ▁WARN- ▁BETRAY- ▁EGGS- ▁PLAINLY- ▁EXHIBIT- ▁DISPLAY- ▁MEMBER- ▁GRIN- ▁PROSPECT- ▁BRUSH- ▁BID- ▁SUCCESSFUL- ▁EXTENT- ▁PERSUADE- ▁MID- ▁MOOD- ▁ARRANGED- ▁UNIVERSAL- ▁JIM- ▁SIGNAL- ▁WHILST- ▁PHILIP- ▁WOLF- RATE- ▁EAGERLY- ▁BILLY- ▁RETURNING- ▁CONSCIENCE- ▁FORTUNATE- ▁FEMALE- ▁GLEAM- ▁HASTILY- ▁PROVIDED- ▁OBTAIN- ▁INSTINCT- ▁CONCERNED- ▁CONCERNING- ▁SOMEHOW- ▁PINK- ▁RAGE- ▁ACCUSTOMED- ▁UNCONSCIOUS- ▁ADVISE- ▁BRANCHES- ▁TINY- ▁REFUSE- ▁BISHOP- ▁SUPPLY- ▁PEASANT- ▁LAWYER- ▁WASTE- ▁CONNECTION- ▁DEVELOP- ▁CORRESPOND- ▁PLUM- ▁NODDED- ▁SLIPPED- ▁EU- ▁CONSTANTLY- CUM- MMED- ▁FAIRLY- HOUSE- ▁KIT- ▁RANG- ▁FEATURES- ▁PAUSE- ▁PAINFUL- ▁JOE- ▁WHENCE- ▁LAUGHTER- ▁COACH- ▁CHRISTMAS- ▁EATING- ▁WHOLLY- ▁APART- ▁SUPER- ▁REVOLUTION- ▁LONELY- ▁CHEEKS- ▁THRONE- ▁CREW- ▁ATTAIN- ▁ESTABLISHED- TIME- ▁DASH- ▁FRIENDLY- ▁OPERA- ▁EARL- ▁EXHAUST- ▁CLIFF- ▁REVEAL- ▁ADOPT- ▁CENTRE- ▁MERRY- ▁SYLVIA- ▁IDEAL- ▁MISFORTUNE- ▁FEAST- ▁ARAB- ▁NUT- ▁FETCH- ▁FOUGHT- ▁PILE- ▁SETTING- ▁SOURCE- ▁PERSIST- ▁MERCY- ▁BARK- ▁LUC- ▁DEEPLY- ▁COMPARE- ▁ATTITUDE- ▁ENDURE- ▁DELIGHTFUL- ▁BEARD- ▁PATIENCE- ▁LOCAL- ▁UTTERED- ▁VICTORY- ▁TREATED- ▁SEPARATE- ▁WAG- ▁DRAGG- ▁TITLE- ▁TROOPS- ▁TRIUMPH- ▁REAR- ▁GAINED- ▁SINK- ▁DEFEND- ▁TIED- ▁FLED- ▁DARED- ▁INCREASE- ▁POND- ▁CONQUER- ▁FOREHEAD- ▁FAN- ▁ANXIETY- ▁ENCOUNTER- ▁SEX- ▁HALT- ▁SANK- ▁CHEEK- ▁HUMBLE- ▁WRITER- ▁EMPLOYED- ▁DISTINGUISHED- ▁RAISE- ▁WHIP- ▁GIANT- ▁RANGE- ▁OBTAINED- ▁FLAG- ▁MAC- ▁JUMPED- ▁DISCOVERY- ▁NATIONAL- ▁COMMISSION- ▁POSITIVE- ▁LOVING- ▁EXACT- ▁MURMURED- ▁GAZED- ▁REFER- ▁COLLEGE- ▁ENCOURAGE- ▁NOVEL- ▁CLOCK- ▁MORTAL- ▁ROLLED- ▁RAT- IZING- ▁GUILTY- ▁VICTOR- WORTH- ▁PRA- ▁APPROACHING- ▁RELATIVE- ▁ESTATE- ▁UGLY- ▁METAL- ▁ROBERT- ▁TENT- ▁ADMIRATION- ▁FOURTEEN- ▁BARBAR- ▁WITCH- ELLA- ▁CAKE- ▁SHONE- ▁MANAGED- ▁VOLUME- ▁GREEK- ▁DANCING- ▁WRETCHED- ▁CONDEMN- ▁MAGNIFICENT- ▁CONSULT- J- ▁ORGAN- ▁FLEET- ▁ARRANGEMENT- ▁INCIDENT- ▁MISERY- ▁ARROW- ▁STROKE- ▁ASSIST- ▁BUILD- ▁SUCCEED- ▁DESPERATE- ▁WIDOW- UDE- ▁MARKET- ▁WISDOM- ▁PRECISE- ▁CURRENT- ▁SPOIL- ▁BADE- ▁WOODEN- ▁RESIST- ▁OBVIOUS- ▁SENSIBLE- FALL- ▁ADDRESSED- ▁GIL- ▁COUNSEL- ▁PURCHASE- ▁SELECT- ▁USELESS- ▁STARED- ▁ARREST- ▁POISON- ▁FIN- ▁SWALLOW- ▁BLOCK- ▁SLID- ▁NINETY- ▁SPORT- ▁PROVIDE- ▁ANNA- ▁LAMB- ▁INTERVAL- ▁JUMP- ▁DESCRIBED- ▁STRIKING- ▁PROVISION- ▁PROPOSED- ▁MELANCHOLY- ▁WARRIOR- ▁SUGGEST- ▁DEPARTURE- ▁BURDEN- ▁LIMB- ▁TROUBLED- ▁MEADOW- ▁SACRED- ▁SOLID- ▁TRU- ▁LUCY- ▁RECOVER- ▁ENERGY- ▁POWDER- ▁RESUMED- ▁INTENSE- ▁BRITISH- ▁STRAW- ▁AGREEABLE- ▁EVERYONE- ▁CONCERN- ▁VOYAGE- ▁SOUTHERN- ▁BOSOM- ▁UTTERLY- ▁FEED- ▁ESSENTIAL- ▁CONFINE- ▁HOUSEHOLD- ▁EXTREMELY- ▁WONDERING- ▁LIST- ▁PINE- PHA- ▁EXPERIMENT- ▁JOSEPH- ▁MYSTERY- ▁RESTORE- ▁BLUSH- FOLD- ▁CHOSEN- ▁INTELLECT- ▁CURTAIN- OLOGY- ▁MOUNTED- ▁LAP- ▁EPI- ▁PUNISH- ▁WEDDING- ▁RECOGNIZED- ▁DRIFT- ▁PREPARATION- ▁RESOLUTION- ▁OPPRESS- ▁FIX- ▁VICTIM- OGRAPH- ▁SUMMON- ▁JULIA- ▁FLOOD- ▁WAL- ULATION- ▁SLIGHTLY- ▁LODGE- ▁WIRE- ▁CONFUSION- ▁UNEXPECTED- ▁CONCEIVE- ▁PRIZE- ▁JESUS- ▁ADDITION- ▁RUDE- ▁FATAL- ▁CARELESS- ▁PATCH- ▁KO- ▁CATHERINE- ▁PARLIAMENT- ▁PROFOUND- ▁ALOUD- ▁RELIEVE- ▁PUSH- ABILITY- ▁ACCOMPANIED- ▁SOVEREIGN- ▁SINGULAR- ▁ECHO- ▁COMPOSED- ▁SHAKING- ATORY- ▁ASSISTANCE- ▁TEACHER- ▁HORRIBLE- ▁STRICT- ▁VERSE- ▁PUNISHMENT- ▁GOWN- ▁MISTAKEN- ▁VARI- ▁SWEPT- ▁GESTURE- ▁BUSH- ▁STEEL- ▁AFFECTED- ▁DIRECTED- ▁SURROUNDED- ▁ABSURD- ▁SUGAR- ▁SCRAP- ▁IMMEDIATE- ▁SADDLE- ▁TY- ▁ARISE- ▁SIGHED- ▁EXCHANGE- ▁IMPATIENT- ▁SNAP- ▁EMBRACE- ▁DISEASE- ▁PROFIT- ▁RIDING- ▁RECOVERED- ▁GOVERN- ▁STRETCH- ▁CONVINCED- ▁LEANING- ▁DOMESTIC- ▁COMPLEX- ▁MANIFEST- ▁INDULGE- ▁GENIUS- ▁AGENT- ▁VEIL- ▁DESCRIPTION- ▁INCLINED- ▁DECEIVE- ▁DARLING- ▁REIGN- HU- ▁ENORMOUS- ▁RESTRAIN- ▁DUTIES- BURY- TTERED- ▁POLE- ▁ENABLE- ▁EXCEPTION- ▁INTIMATE- ▁COUNTESS- ▁TRIBE- ▁HANDKERCHIEF- ▁MIDNIGHT- ▁PROBLEM- ▁TRAMP- ▁OIL- CAST- ▁CRUSH- ▁DISCUSS- ▁RAM- ▁TROT- ▁UNRE- ▁WHIRL- ▁LOCKED- ▁HORIZON- ▁OFFICIAL- ▁SCHEME- ▁DROWN- ▁PIERRE- ▁PERMITTED- ▁CONNECTED- ▁ASSURE- ▁COCK- ▁UTMOST- ▁DEVOTED- ▁RELI- ▁SUFFICIENTLY- ▁INTELLECTUAL- ▁CARPET- ▁OBJECTION- ▁AFTERWARD- ▁REALITY- ▁NEGRO- ▁RETAIN- ▁ASCEND- ▁CEASE- ▁KATE- ▁MARVEL- KO- ▁BOND- MOST- ▁COAL- GATE- ▁IGNORANT- ▁BREAKING- ▁TWIN- ▁ASTONISHMENT- ▁COFFEE- ▁JAR- ▁CITIES- ▁ORIGIN- ▁EXECUT- ▁FINAL- ▁INHABITANTS- ▁STABLE- ▁CHIN- ▁PARTIES- ▁PLUNGE- ▁GENEROUS- ▁DESCRIBE- ▁ANNOUNCED- ▁MERIT- ▁REVERE- ▁ERE- ACIOUS- ZI- ▁DISAPPOINT- ▁SUGGESTION- ▁DOUBTLESS- ▁TRUNK- ▁STAMP- ▁JOB- ▁APPOINTED- ▁DIVIDED- ▁ACQUAINTED- CHI- ▁ABSOLUTE- ▁FEARFUL- ▁PRIVILEGE- ▁CRAFT- ▁STEEP- ▁HUNTER- ▁FORBID- ▁MODEST- ▁ENDEAVOUR- ▁SWEEP- ▁BEHELD- ▁ABSORB- ▁CONSTRUCT- ▁EMPIRE- ▁EXPEDITION- ▁ERECT- ▁OFFEND- ▁INTEND- ▁PERMIT- ▁DESTROYED- ▁CONTRACT- ▁THIRST- ▁WAGON- ▁EVA- ▁GLOOM- ▁ATMOSPHERE- ▁RESERVE- ▁VOTE- ▁GER- ▁NONSENSE- ▁PREVAIL- ▁QUALITY- ▁CLASP- ▁CONCLUDED- ▁RAP- ▁KATY- ▁ETERNAL- ▁MUTTERED- ▁NEGLECT- ▁SQUIRE- ▁CREEP- LOCK- ▁ELECTRIC- ▁HAY- ▁EXPENSE- ▁SCORN- ▁RETIRED- ▁STOUT- ▁MURMUR- ▁SHARPLY- ▁DISTRICT- ▁LEAF- ▁FAILURE- WICK- ▁JEAN- ▁NUMEROUS- ▁INFANT- ▁REALIZED- ▁TRAVELLER- ▁HUNGER- ▁JUNE- ▁MUN- ▁RECOMMEND- ▁CREP- ZZLE- ▁RICHARD- WORK- ▁MONTE- ▁PREACH- ▁PALM- AVI- ▁ANYWHERE- ▁DISPOSITION- ▁MIRROR- ▁VENTURE- ▁POUND- ▁CIGAR- ▁INVITED- ▁BENCH- ▁PROTECTION- ▁BENEFIT- ▁THOMAS- ▁CLERK- ▁REPROACH- ▁UNIFORM- ▁GENERATION- ▁SEAL- ▁COMPASS- ▁WARNING- ▁EXTENDED- ▁DIFFICULTIES- ▁MAYBE- ▁GROAN- ▁AFFECT- ▁COMB- ▁EARN- ▁WESTERN- ▁IDLE- ▁SCORE- ▁TAP- ▁ASTONISHED- ▁INTRODUCED- ▁LEISURE- ▁LIEUTENANT- ▁VIOLENCE- ▁FIRMLY- ▁MONSTER- ▁UR- ▁PROPERLY- ▁TWIST- ▁PIRATE- ▁ROBBER- ▁BATTER- ▁WEPT- ▁LEANED- ▁FOG- ▁ORNAMENT- ▁ANDREW- ▁BUSHES- ▁REPUBLIC- ▁CONFIDENT- ▁LEAN- ▁DART- ▁STOOP- ▁CURL- ▁COUNTER- ▁NORTHERN- ▁PEARL- ▁NEAREST- ▁FRANCIS- ▁WANDERING- ▁FREQUENT- ▁STARTLED- ▁STATEMENT- ▁OCCUR- ▁BLOOM- ▁NERVE- ▁INSPECT- ▁INDUCE- ▁FLATTER- ▁DATE- ▁AMBITION- ▁SLOPE- ▁MALE- ▁MADAM- ▁MONK- ▁RENT- ▁CONFIRM- ▁INVESTIGAT- ▁RABBIT- ▁REGIMENT- ▁SUBMIT- ▁SPELL- ▁FURIOUS- ▁RAIL- ▁BESTOW- ▁RALPH- ▁SCATTERED- ▁COMPELLED- ▁THREAD- ▁CHILL- ▁DENY- ▁PRONOUNC- ▁MANKIND- ▁CATTLE- ▁EXECUTION- ▁REBEL- ▁SUPREME- ▁VALUABLE- ▁LIKEWISE- ▁CONVEY- ▁TIDE- ▁GLOOMY- ▁COIN- ▁ACTUAL- ▁TAX- ▁PROVINCE- ▁GRATEFUL- ▁SPIRITUAL- ▁VANISHED- ▁DIANA- ▁HAUNT- ▁DRAGON- ▁CRAWL- ▁CHINA- ▁GRATITUDE- ▁NEAT- ▁FINISH- ▁INTENT- ▁FRIGHT- ▁EMBARRASS- ▁THIRTEEN- ▁RUTH- ▁SLIGHTEST- ▁DEVELOPMENT- ▁INTERVIEW- ▁SPECTACLE- ▁BROOK- VIE- ▁WEAKNESS- ▁AUDIENCE- ▁CONSEQUENTLY- ▁ABROAD- ▁ASPECT- ▁PAINTED- ▁RELEASE- ▁INSULT- ▁SOOTH- ▁DISAPPOINTMENT- ▁EMERG- ▁BRIG- ▁ESTEEM- ▁INVITATION- ▁PASSENGER- ▁PUBLISH- ▁PIANO- ▁IRISH- ▁DESK- ▁BEATEN- ▁FIFTH- ▁IMPULSE- ▁SWEAR- ▁EATEN- ▁PURPLE- ▁COMMITTED- ▁COUNTRIES- ▁PERCEIVE- ISON- ▁CELEBRAT- ▁GRANDMOTHER- ▁SHUDDER- ▁SUNSHINE- ▁SPANISH- ▁HITHERTO- ▁MARILLA- ▁SNAKE- ▁MOCK- ▁INTERFERE- ▁WALTER- ▁AMID- ▁MARBLE- ▁MISSION- TERIOR- ▁DRIVING- ▁FURNITURE- ▁STEADY- ▁CIRCUMSTANCE- ▁INTERPRET- ▁ENCHANT- ▁ERROR- ▁CONVICTION- ▁HELPLESS- ▁MEDICINE- ▁QUALITIES- ▁ITALIAN- ▁HASTENED- ▁OCCASIONALLY- ▁PURSUED- ▁HESITATED- ▁INDEPENDENT- ▁OLIVER- ▁LINGER- UX- ▁EXAMINED- ▁REPENT- ▁PHYSICIAN- ▁CHASE- ▁BELOVED- ▁ATTACHED- ▁FLORENCE- ▁HONEY- ▁MOUSE- ▁CRIES- ▁BAKE- ▁POEM- ▁DESTRUCTION- ▁FULFIL- ▁MESSENGER- ▁TRISTRAM- ▁FANCIED- ▁EXCESS- ▁CURSE- ▁CHU- ▁QUANTITY- ▁THORNTON- ▁CREATED- ▁CONTINUALLY- ▁LIGHTNING- ▁BORNE- ▁TOTAL- ▁DISPOSED- ▁RIFLE- ▁POLLY- ▁GOAT- ▁BACKWARD- ▁VIRGINIA- ▁KICK- ▁PERIL- ▁QUO- ▁GLORIOUS- ▁MULTITUDE- ▁LEATHER- ▁ABSENT- ▁DEMON- ▁DEBT- ▁TORTURE- ▁ACCORD- ▁MATE- ▁CATHOLIC- ▁PILL- ▁LIBRARY- ▁PURSUIT- ▁SHIRT- ▁DEAREST- ▁COLLAR- ▁BEACH- ▁ROBE- ▁DECLARE- ▁BRANCH- ▁TEMPT- ▁STEADILY- ▁DISGUST- ▁SILLY- ▁ARRIVE- ▁DRANK- ▁LEVI- ▁COMMUNICAT- ▁RACHEL- ▁WASHINGTON- ▁RESIGN- ▁MEANTIME- ▁LACE- ▁ENGAGEMENT- ▁QUIVER- ▁SEPARATED- ▁DISCUSSION- ▁VENTURED- ▁SURROUNDING- ▁POLISH- ▁NAIL- ▁SWELL- ▁JOKE- ▁LINCOLN- ▁STUDENT- ▁GLITTER- ▁RUSSIAN- ▁READILY- ▁CHRIS- ▁POVERTY- ▁DISGRACE- ▁CHEESE- ▁HEAVILY- ▁SCALE- ▁STAFF- ▁ENTREAT- ▁FAREWELL- ▁LUNCH- ▁PEEP- ▁MULE- ▁SOMEONE- ▁DISAPPEAR- ▁DECISION- ▁PISTOL- ▁PUN- ▁SPUR- ▁ASSUMED- ▁EXTEND- ▁ENTHUSIASM- ▁DEFINITE- ▁UNDERTAKE- ▁COMMITTEE- ▁SIMON- ▁FENCE- ▁APPLIED- ▁RELATED- ▁VICE- ▁UNPLEASANT- ▁PROBABLE- ▁PROCURE- ▁FROWN- ▁CLOAK- ▁HUMANITY- ▁FAMILIES- ▁PHILOSOPHER- ▁DWARF- ▁OVERCOME- ▁DEFEAT- ▁FASTENED- ▁MARSH- ▁CLASSES- ▁TOMB- ▁GRACIOUS- ▁REMOTE- ▁CELL- ▁SHRIEK- ▁RESCUE- ▁POOL- ▁ORGANIZ- ▁CHOSE- ▁CUTTING- ▁COWARD- ▁BORDER- ▁DIRTY- ▁MONKEY- ▁HOOK- ▁CHUCK- ▁EMILY- ▁JEST- ▁PLAC- ▁WEIGH- ▁ASSOCIATE- ▁GLIMPSE- ▁STUCK- ▁BOLT- ▁MURDERER- ▁PONY- ▁DISTINGUISH- ▁INSTITUTION- ▁CUNNING- ▁COMPLIMENT- ▁APPETITE- ▁REPUTATION- ▁FEEBLE- ▁KIN- ▁SERIES- ▁GRACEFUL- ▁PLATFORM- ▁BREEZE- ▁PHRASE- ▁CLAY- MONT- ▁RATTL- ▁OPPOSITION- ▁LANE- ▁BOAST- ▁GROWTH- ▁INCLINATION- ▁BEHAVE- ▁SUSAN- ▁DISTINCTION- ▁DISLIKE- ▁NICHOLAS- ▁SATISFY- ▁DRAMA- ▁ELBOW- ▁GAZING- ▁CONSUM- ▁SPIN- ▁OATH- ▁CHANNEL- ▁CHARACTERISTIC- ▁SPEAR- ▁SLAIN- ▁SAUCE- ▁FROG- ▁CONCEPTION- ▁TIMID- ▁ZEAL- ▁APPARENT- SHIRE- ▁CENTER- ▁VARIETY- ▁DUSK- ▁APT- ▁COLUMN- ▁REVENGE- ▁RIVAL- ▁IMITAT- ▁PASSIONATE- ▁SELFISH- ▁NORMAN- ▁REPAIR- ▁THRILL- ▁TREATMENT- ▁ROSA- ▁MARTIN- ▁INDIFFERENT- ▁THITHER- ▁GALLANT- ▁PEPPER- ▁RECOLLECT- ▁VINE- ▁SCARCE- ▁SHIELD- ▁MINGLED- CLOSE- ▁HARSH- ▁BRICK- ▁HUMOR- ▁MISCHIEF- ▁TREMENDOUS- ▁FUNCTION- ▁SMART- ▁SULTAN- ▁DISMISS- ▁THREATENED- ▁CHEAP- ▁FLOCK- ▁ENDEAVOR- ▁WHISK- ▁ITALY- ▁WAIST- ▁FLUTTER- ▁SMOKING- ▁MONARCH- ▁AFRICA- ▁ACCUSE- ▁HERBERT- ▁REFRESH- ▁REJOICE- ▁PILLOW- ▁EXPECTATION- ▁POETRY- ▁HOPELESS- ▁PERISH- ▁PHILOSOPHY- ▁WHISTLE- ▁BERNARD- ▁LAMENT- ▁IMPROVE- ▁SUP- ▁PERPLEX- ▁FOUNTAIN- ▁LEAGUE- ▁DESPISE- ▁IGNORANCE- ▁REFERENCE- ▁DUCK- ▁GROVE- ▁PURSE- ▁PARTNER- ▁PROPHET- ▁SHIVER- ▁NEIGHBOURHOOD- ▁REPRESENTATIVE- SAIL- ▁WIP- ▁ACQUIRED- ▁CHIMNEY- ▁DOCTRINE- ▁MAXIM- ▁ANGLE- ▁MAJORITY- ▁AUTUMN- ▁CONFUSED- ▁CRISTO- ▁ACHIEVE- ▁DISGUISE- ▁REDUCED- ▁EARLIER- ▁THEATRE- ▁DECIDE- MINATED- OLOGICAL- ▁OCCUPATION- ▁VIGOROUS- ▁CONTINENT- ▁DECLINE- ▁COMMUNITY- ▁MOTIONLESS- ▁HATRED- ▁COMMUNICATION- ▁BOWL- ▁COMMENT- ▁APPROVE- ▁CEREMONY- ▁CRIMINAL- ▁SCIENTIFIC- ▁DUCHESS- ▁VIVID- ▁SHIFT- ▁AVAIL- ▁DAMP- ▁JOHNSON- ▁SLENDER- ▁CONTRAST- ▁AMUSEMENT- ▁PLOT- ▁LYN- ▁ASSOCIATION- ▁SNATCH- ▁UNCERTAIN- ▁PRESSURE- ▁PERCH- ▁APPLY- ▁PLANET- ▁NOTWITHSTANDING- ▁SWUNG- ▁STIRRED- ▁ATTENDANT- ▁ENJOYMENT- ▁WORRY- ▁ALBERT- ▁NAKED- ▁TALENT- ▁MARIAN- ▁REFORM- ▁DELIBERATE- ▁INTELLIGENT- ▁SENSITIVE- ▁YONDER- ▁PUPIL- ▁FRIGHTFUL- ▁DOUBTFUL- ▁STANDARD- ▁MAGISTRATE- ▁SHEPHERD- ▁STOMACH- ▁DEPOSIT- ▁RENEW- ▁HEDGE- ▁FRANCS- ▁POSSIBILITY- ▁RESEMBLE- ▁FATIGUE- ▁PORTRAIT- ▁FAVORITE- ▁CREAM- ▁BURG- ▁SECRETARY- ▁DIVERS- ▁ACTIVITY- ▁SPECULAT- ▁HUMOUR- ▁FITTED- ▁EXTERNAL- ▁CETERA- ▁WRAPPED- ▁WHIT- ▁FRED- ▁EXAMINATION- ▁LODGING- ▁OWING- ▁JAW- ▁CROW- ▁BALANCE- ▁PUFF- ▁TENDERNESS- ▁PORTHOS- ▁ANCHOR- ▁INTERRUPT- ▁NECESSARILY- ▁PERPETUAL- ▁AGONY- ▁POPE- ▁SCHOLAR- ▁SCOTLAND- ▁SUPPRESS- ▁WRATH- ▁WRECK- ▁EXCEED- ▁PERFECTION- ▁INDIA- ▁TRADITION- ▁SECTION- ▁EASTERN- ▁DOORWAY- ▁WIVES- ▁CONVENTION- ▁ANNOUNC- ▁EGYPT- ▁CONTRADICT- ▁SCRATCH- ▁CENTRAL- ▁GLOVE- ▁WAX- ▁PREPARE- ▁ACCOMPANY- ▁INCREASING- ▁LIBERAL- ▁RAISING- ▁ORANGE- ▁SHOE- ▁ATTRIBUTE- ▁LITERATURE- ▁PUZZLED- ▁WITHDRAW- ▁WHITHER- ▁HAWK- ▁MOONLIGHT- ▁EXAMINE- ▁HAPPILY- ▁PRECEDE- ▁DETECTIVE- ▁INCHES- ▁SOLITARY- ▁DUTCH- ▁NAPOLEON- ▁UNEASY- ▁CARDINAL- ▁BLEW- ▁FOWL- ▁DECORAT- ▁CHILDHOOD- ▁TORMENT- ▁LOSING- ▁PERMISSION- ▁BLANK- ▁UPSTAIRS- ▁CAPACITY- ▁TRIFLE- ▁FOLLY- ▁RECOGNIZE- ▁REMOVE- ▁VENGEANCE- ▁ENTERPRISE- ▁BEDROOM- ▁ANYHOW- ▁INQUIRY- ▁ASHES- ▁DRAG- ▁HUSH- ▁AWKWARD- ▁SATURDAY- ▁GENUINE- ▁SURVIV- ▁SKIRT- ▁AFFECTIONATE- ▁TANG- ▁MUTUAL- ▁DISPUTE- ▁EAGLE- ▁INCOME- ▁BIND- ▁FAME- ▁IMPROVEMENT- ROVING- ▁DIFFER- ▁AWOKE- ▁SLEEVE- ▁SOLITUDE- ▁FAVOURITE- JI- ▁DETECT- ▁COMPREHEND- ▁PREPARING- ▁SERPENT- ▁SUMMIT- ▁KNOT- ▁KNIT- ▁COPY- ▁STOPPING- ▁FADED- ▁HIDEOUS- ▁JULIE- STEAD- ▁SHINE- ▁CONFLICT- ▁PROPOSITION- ▁REFUGE- ▁GALLERY- ▁BUNDLE- ▁AXE- ▁SLAVERY- ▁MASK- ▁ALYOSHA- ▁LADDER- ▁DEPARTMENT- ▁DISCHARGE- ▁DEPRESS- ▁GALLOP- ▁SCARLET- ▁KITTY- ▁RECEIVING- ▁SURRENDER- ▁SUSTAIN- ▁TWILIGHT- ▁CONGRESS- ▁IRELAND- ▁FUNNY- ▁LEND- ▁CONSTITUTE- ▁FUNERAL- ▁CRYSTAL- ▁SPAIN- ▁EXCEEDINGLY- ▁DAMN- ▁COMMUN- ▁CIVILIZATION- ▁PREJUDICE- ▁PORCH- ▁ASSISTANT- ▁INDUSTRY- ▁TUMBLE- ▁DEFENCE- ▁HITHER- ▁SMOT- ▁COLONI- ▁AMAZEMENT- ▁MARGUERITE- ▁MIRACLE- ▁INHERIT- ▁BEGGAR- ▁ENVELOPE- ▁INDIGNATION- ▁NATASHA- ▁PROPOSAL- ▁FRAGMENT- ▁ROUSED- ▁ROAST- ENCIES- ▁COMMENCED- ▁RESOURCE- ▁POPULATION- ▁QUOTH- ▁PURSUE- ▁EDUCAT- ▁AFFLICT- ▁CONTACT- ▁CRIMSON- ▁DIVISION- ▁DISORDER- ▁COPPER- ▁SOLICIT- ▁MODERATE- ▁DRUM- ▁SWIM- ▁SALUTE- ▁ASSUME- ▁MUSCLE- ▁OVERWHELM- ▁SHAKESPEARE- ▁STRUGGLING- ▁TRANQUIL- ▁CHICKEN- ▁TREAD- ▁CLAW- ▁BIBLE- ▁RIDGE- ▁THREAT- ▁VELVET- ▁EXPOSED- ▁IDIOT- ▁BARREL- ▁PENNY- ▁TEMPTATION- ▁DANGLARS- ▁CENTURIES- ▁DISTRIBUT- ▁REJECT- ▁RETORTED- ▁CONCENTRAT- ▁CORDIAL- ▁MOTOR- ▁CANNON- KEEP- ▁WRETCH- ▁ASSURANCE- ▁THIEF- ▁SURVEY- ▁VITAL- ▁RAILWAY- ▁JACKSON- ▁CRASH- ▁GROWL- ▁COMBAT- ▁RECOLLECTION- ▁SECURITY- ▁JACOB- ▁CLUTCH- ▁BLANKET- ▁NANCY- ▁CELLAR- ▁CONVENIENT- ▁INDIGNANT- ▁COARSE- ▁WORM- ▁SCREEN- ▁TRANSPORT- ▁BULLET- ▁APPRECIATE- ▁DEVOTION- ▁INVISIBLE- ▁DRIED- ▁MIXTURE- ▁CANDID- ▁PERFORMANCE- ▁RIPE- ▁EXQUISITE- ▁BARGAIN- ▁TOBACCO- ▁LOYAL- ▁MOULD- ▁ATTENTIVE- ▁DOROTHY- ▁BRUTE- ▁ESTABLISHMENT- ▁ABILITY- ▁INHABIT- ▁OBSCURE- ▁BORROW- ▁ESSENCE- ▁DISMAY- ▁FLEE- ▁BLADE- ▁PLUCK- ▁COFFIN- ▁SUNSET- ▁STEPHEN- ▁ECONOMIC- ▁HOLIDAY- ▁MECHANICAL- ▁COTTON- ▁AWAKENED- ▁SEIZE- ▁RIDICULOUS- ▁SANCHO- ▁HESITATION- ▁CORPSE- ▁SAVING- HOLD- FOOT- ▁ELDEST- ▁DESPITE- ▁EDITH- ▁CHERISH- ▁RESISTANCE- ▁WILSON- ▁ARGUE- ▁INQUIRE- ▁APPREHENSION- ▁AVENUE- ▁DRAKE- ▁PROPOSE- HURST- ▁INFERIOR- ▁STAIRCASE- ▁WHEREFORE- ▁CARLYLE- ▁COUCH- ▁ROUTE- ▁POLITICS- ▁TOMORROW- ▁THRONG- ▁NAUGHT- ▁SUNLIGHT- ▁INDIFFERENCE- ▁OBEDIENCE- ▁RECEPTION- ▁VEGETABLE- ▁IMPERFECT- ▁RESIDENCE- ▁TURKEY- ▁VIOLET- ▁SARAH- ▁ALTAR- ▁GRIEVE- ▁JERK- ▁ENSU- ▁MAGICIAN- ▁BLOSSOM- ▁LANTERN- ▁RESOLUTE- ▁THOUGHTFULLY- ▁FORTNIGHT- ▁TRUMPET- ▁VALJEAN- ▁UNWILLING- ▁LECTURE- ▁WHEREUPON- ▁HOLLAND- ▁CHANGING- ▁CREEK- ▁SLICE- ▁NORMAL- ▁ANNIE- ▁ACCENT- ▁FREDERICK- ▁DISAGREEABLE- ▁RUBBED- ▁DUMB- ▁ESTABLISH- ▁IMPORT- ▁AFFIRM- ▁MATTHEW- ▁BRISK- ▁CONVERT- ▁BENDING- ▁IVAN- ▁MADEMOISELLE- ▁MICHAEL- ▁EASIER- ▁JONES- ▁FACING- ▁EXCELLENCY- ▁LITERARY- ▁GOSSIP- ▁DEVOUR- ▁STAGGER- ▁PENCIL- ▁AVERAGE- ▁HAMMER- ▁TRIUMPHANT- ▁PREFERRED- ▁APPLICATION- ▁OCCUPY- ▁AUTHORITIES- BURN- ▁ASCERTAIN- ▁CORRIDOR- ▁DELICIOUS- ▁PRACTISE- ▁UNIVERSE- ▁SHILLING- ▁CONTEST- ▁ASHORE- ▁COMMIT- ▁ADMINISTRATION- ▁STUDIED- ▁RIGID- ▁ADORN- ▁ELSEWHERE- ▁INNOCENCE- ▁JOURNAL- ▁LANDSCAPE- ▁TELEGRAPH- ▁ANGRILY- ▁CAMPAIGN- ▁UNJUST- ▁CHALLENGE- ▁TORRENT- ▁RELATE- ▁ASSEMBLED- ▁IMPRESSED- ▁CANOE- ▁CONCLUD- ▁QUIXOTE- ▁SATISFACTORY- ▁NIECE- ▁DEAF- ▁RAFT- ▁JIMMY- ▁GLID- ▁REGULAT- ▁CHATTER- ▁GLACIER- ▁ENVY- ▁STATUE- ▁BOSTON- ▁RICHMOND- ▁DENIED- ▁FANNY- ▁SOLOMON- ▁VULGAR- ▁STALK- ▁REPLACE- ▁SPOON- ▁BASIN- ▁FEATURE- ▁CONVICT- ▁ARCHITECT- ▁ADMIRAL- ▁RIBBON- ▁PERMANENT- ▁APRIL- ▁JOLLY- ▁NEIGHBORHOOD- ▁IMPART- BOROUGH- CAMP- ▁HORRID- ▁IMMORTAL- ▁PRUDENCE- ▁SPANIARD- ▁SUPPOSING- ▁TELEPHONE- ▁TEMPERATURE- ▁PENETRATE- ▁OYSTER- ▁APPOINTMENT- ▁EGYPTIAN- ▁DWELT- ▁NEPHEW- ▁RAILROAD- ▁SEPTEMBER- ▁DEVICE- ▁WHEAT- ▁GILBERT- ▁ELEGANT- ▁ADVERTISE- ▁RATIONAL- ▁TURTLE- ▁BROOD- ▁ASSEMBLY- ▁CULTIVATE- ▁EDITOR- ▁SPECIMEN- ▁UNDOUBTEDLY- ▁WHALE- ▁DROPPING- ▁BALLOON- ▁MEDICAL- COMB- ▁COMPOSITION- ▁FOOTSTEPS- ▁LAUNCELOT- ▁DISCOURSE- ▁ERRAND- ▁CONVERSE- ▁ADVANCING- ▁DOWNSTAIRS- ▁TUMULT- ▁CORRUPT- ▁SUFFICE- ▁ANGUISH- ▁SHAGGY- ▁RETIRE- ▁TIMBER- ▁BLAZE- ▁ABSTRACT- ▁EMBROIDER- ▁PHOTOGRAPH- ▁PROSPERITY- ▁TERRIBLY- ▁TERRITORY- ▁THRESHOLD- ▁PAVEMENT- ▁INJURED- ▁LIMP- ▁AGITATION- ▁RASCAL- ▁PRESUME- ▁OBSERVING- ▁OBSTACLE- ▁SIMPLICITY- ▁SLUMBER- ▁SUPPLIED- ▁COMBINATION- ▁DRAIN- ▁WILDERNESS- ▁BELIEVING- ▁VILLAIN- ▁RECKLESS- ▁INJURY- ▁CLAPP- ▁FRIDAY- ▁HERCULES- ▁KENNEDY- ▁SYMPTOM- ▁SLEDGE- ▁CEILING- ▁LEMON- ▁PLAGUE- ▁MONDAY- ▁CANVAS- ▁IMPATIENCE- ▁UNCOMFORTABLE- ▁ACCESS- ▁FROZEN- ▁SENATOR- ▁FRANZ- ▁SWIMMING- ▁BARRIER- ▁ADJUST- ▁COMPARISON- ▁PROCLAIM- ▁WRINKL- ▁OVERLOOK- ▁MITYA- ▁GUILT- ▁PERCEPTION- ▁PRECAUTION- ▁SPECTATOR- ▁SURPRISING- ▁DISTRACT- ▁DISDAIN- ▁BONNET- ▁MAGNET- ▁PROFESS- ▁CONFOUND- ▁NARRATIVE- ▁STRUCTURE- ▁SKETCH- ▁ULTIMATE- ▁GLOBE- ▁INSECT- FICIENCY- ▁ORCHARD- ▁AMIABLE- ▁DESCENT- ▁INDEPENDENCE- ▁MANUFACTURE- ▁SPRINKLE- ▁NIGHTINGALE- ▁CUSHION- ▁EMINENT- ▁SCOTT- ▁ARRAY- ▁COSETTE- ▁WAVING- ▁EXTRACT- ▁IRREGULAR- ▁PERSECUT- ▁DERIVED- ▁WITHDREW- ▁CAUTION- ▁SUSPICIOUS- ▁MEMORIES- ▁NOWHERE- ▁SUBTLE- ▁THOROUGH- Q- ▁APPROPRIATE- ▁SLAUGHTER- ▁YOURSELVES- ▁THUMB- ▁TWAS- ▁ABODE- ▁BIDDING- ▁CONSPICUOUS- ▁REBECCA- ▁SERGEANT- ▁APRON- ▁ANTICIPATE- ▁DISCIPLINE- ▁GLANCING- ▁PILGRIM- ▁SULLEN- ▁CONTRIBUTE- ▁PRAIRIE- ▁CARVED- ▁COMMERCE- ▁EXCLAMATION- ▁MUSCULAR- ▁NOVEMBER- ▁PHENOMENA- ▁SYMBOL- ▁UMBRELLA- ▁DIMINISH- ▁PARLOUR- ▁THREATENING- ▁STUMP- ▁EXTENSIVE- ▁PLEASING- ▁REMEMBRANCE- ▁COMBINED- ▁SHERIFF- ▁SHAFT- ▁LAURA- ▁INTERCOURSE- ▁STRICKEN- ▁SUPPLIES- ▁LANDLORD- ▁SHRINK- ▁PRICK- ▁CAESAR- ▁DRUG- ▁BEWILDERED- ▁NAUTILUS- ▁BRUTAL- ▁COMMERCIAL- ▁MAGGIE- ▁SPHERE- ▁VIRGIN- ▁BRETHREN- ▁DESTINY- ▁POLICY- ▁TERRIFIED- ▁HOUSEKEEPER- ▁CRAZY- ▁ARDENT- ▁DISCERN- ▁WRAP- ▁MARQUIS- ▁RUSSIA- MOUTH- ▁BRITAIN- ▁HARBOUR- ▁CONCERT- ▁DONKEY- ▁DAMAGE- ▁SLIM- ABOUT- ▁LUXURY- ▁MONSTROUS- ▁TENDENCY- ▁PARADISE- ▁CULTURE- ▁JULIUS- ▁RAOUL- ▁REMEDY- ▁DECAY- ▁SCOLD- ▁SPLIT- ▁ASSAULT- ▁DECEMBER- ▁MOSCOW- ▁EXPLORE- ▁TROUSERS- ▁WRIST- PIECE- ▁MUSKET- ▁VALENTINE- ▁TYRANT- ▁ABRAHAM- ▁MEDIUM- ▁ARTIFICIAL- ▁FACULTY- ▁OBLIGATION- ▁RESEMBLANCE- ▁INQUIRIES- ▁DETAIN- ▁SWARM- ▁PLEDGE- ▁ADMIRABLE- ▁DEFECT- ▁SUPERINTEND- ▁PATRIOT- ▁CLUNG- ▁DISMAL- ▁RECIT- ▁IGNOR- ▁AMELIA- ▁JUSTIFY- ▁ELEPHANT- ▁ESTIMATE- ▁KNELT- ▁SERVING- ▁WHIM- ▁SHRILL- ▁STUDIO- ▁TEXT- ▁ALEXANDER- ▁WROUGHT- ▁ABUNDANT- ▁SITUATED- ▁REGAIN- ▁FIERY- ▁SNEER- ▁SWEAT- ▁GLARE- ▁NIGH- ▁ESCORT- ▁INEVITABLE- ▁PSMITH- ▁RELUCTANT- ▁PRECEDING- ▁RESORT- ▁OUTRAGE- ▁AMBASSADOR- ▁CONSOLATION- ▁RECOGNITION- ▁REMORSE- ▁BEHALF- ▁FORMIDABLE- ▁GRAVITY- ▁DIVIDE- ▁CONFRONT- ▁GIGANTIC- ▁OCTOBER- ▁FLANK- ▁SLEW- ▁CLARA- ▁FILM- ▁BULK- ▁POMP- ▁ELEANOR- ▁EMPHASIS- ▁JAPANESE- ▁CAVALRY- ▁EXCLUSIVE- ▁PERFUME- ▁BRONZE- ▁FEDERAL- ▁LIQUID- ▁RUBBING- ▁OVEN- DOLPH- ▁CONVULS- ▁DEPRIVED- ▁RESPONSIBILITY- ▁SIGNIFICANT- ▁WAISTCOAT- ▁CLUSTER- ▁MARTHA- ▁REVERSE- ▁ATTORNEY- ▁DROOP- ▁SKILFUL- ▁HABITUAL- ▁PUMP- ▁INTERVEN- ▁OWL- ▁CONJECTURE- ▁FANTASTIC- ▁RESPONSIBLE- ▁DESTINED- ▁DOCUMENT- ▁THEREUPON- ▁GODDESS- ▁PACIFIC- ▁WARRANT- ▁COSTUME- ▁BRIDLE- ▁CALIFORNIA- ▁DEMOCRATIC- ▁EUSTACE- ▁SQUIRREL- ▁UNCOMMON- ▁MARVELLOUS- ▁PLOUGH- ▁TRAGEDY- ▁VAULT- ▁HESITATE- ▁REFRAIN- ▁ADMIRING- ▁CORPORAL- ▁ENTITLED- ▁SHREWD- ▁SQUEEZ- ▁ACCURATE- ▁TEMPEST- ▁MONUMENT- ▁SIEGE- ▁CHINESE- ▁RAVEN- ▁LOUNG- ▁ASSASSIN- ▁INFLICT- ▁AGITATED- ▁DESIRABLE- ▁EARLIEST- ▁LAUNCH- ▁PILOT- ▁PULSE- ▁MUTE- LEIGH- ▁LIQUOR- ▁SCARECROW- ▁SKULL- ▁DESOLATE- ▁SUBLIME- ▁SERENE- ▁RECESS- ▁WAKING- ▁CHARLOTTE- ▁CIRCULAR- ▁INJUSTICE- ▁PINOCCHIO- ▁PRISCILLA- ▁THYSELF- ▁OCCURRENCE- ▁CASUAL- ▁FRANTIC- ▁LEGEND- ▁FERTIL- ▁BACKGROUND- ▁DELICACY- ▁ESTRALLA- ▁MANUSCRIPT- ▁RESPONSE- ▁UNIVERSITY- ▁WOLVES- ▁SCANDAL- ▁STUMBLE- ▁HOARSE- ▁BODILY- ▁CONVENT- ▁EXAMINING- ▁INCAPABLE- ▁PERCEIVING- ▁PHILADELPHIA- ▁SUBSEQUENT- ▁THIEVES- ▁ACCUMULAT- ▁DAMSEL- ▁SCOTCH- ▁UNDERNEATH- ▁NOBILITY- ▁SMASH- ▁REVOLT- ▁ENGAGE- ▁CATHEDRAL- ▁CHAMPION- ▁DESPATCH- ▁ETERNITY- ▁JANUARY- ▁PLEADED- ▁PROBABILITY- ▁JIMMIE- ▁PARALLEL- ▁FISHERMAN- ▁JERRY- ▁SWORE- ▁DRAUGHT- ▁OPPONENT- ▁PRIMITIVE- ▁SIGNIFICANCE- ▁SUBSTANTIAL- ▁AMAZED- ▁DUNBAR- ▁COMMEND- ▁CONTEMPLATE- ▁TESTIMONY- ▁IMPERIAL- ▁ADAPT- ▁JUICE- ▁CALAMIT- CULAR- ▁CHATEAU- ▁PHOENIX- ▁PRUDENT- ▁SOLUTION- ▁VILLEFORT- ▁REACTION- ▁RELAX- ▁YU- ▁PROHIBIT- ▁DISTRUST- ▁PLUNDER- ▁WELFARE- ▁NAVIGAT- ▁PARLOR- ▁LAZY- ▁DETACH- OMETER- ▁PRIV- ▁DISCOURAGE- ▁OBSTINATE- ▁REJOICING- ▁SERMON- ▁VEHICLE- ▁FANCIES- ▁ENLIGHTEN- ▁ACUTE- ▁ILLUSION- ▁ANTHEA- ▁MARTIAN- ▁EXCITE- ▁GENEROSITY- OLOGIST- ▁AMAZING- ▁UNWORTHY- ▁INTERNAL- ▁INCENSE- ▁VIBRAT- ▁ADHERE- ROACH- ▁FEBRUARY- ▁MEXICAN- ▁POTATOES- ▁INCESSANT- ▁INTERPOSED- ▁PARCEL- ▁VEXED- ▁PROMOTE- MIDST- ▁ARISTOCRAT- ▁CYRIL- ▁EMBARK- ▁ABUNDANCE- ▁LITERALLY- ▁SURGEON- ▁TERRACE- ▁ATLANTIC- ▁MARTYR- ▁SPECK- ▁SENATE- ▁LOAF- ▁ADMINISTER- ▁APPREHEND- ▁SUBDUED- ▁TEMPORARY- ▁DOMINION- ▁ELABORATE- ▁DIGNIFIED- ▁ELIZA- ▁SPLASH- ▁CONSEIL- ▁DEXTER- ▁UNSEEN- ▁TRAGIC- VOCATION- ▁GRATIFY- ▁BACHELOR- ▁DEFENSE- ▁EXCURSION- ▁FACULTIES- ▁PROPRIETOR- ▁SYMPATHETIC- ▁UNNECESSARY- ▁RADIANT- ▁VACANT- ▁OUNCE- ▁SCREW- ▁PHENOMENON- ▁PROMINENT- ▁WORRIED- ▁STUDIES- ▁CLIMATE- ▁KEITH- ▁ARAMIS- ▁BLISS- ▁CONTINUAL- ▁SURPASS- ▁HEBREW- ▁IDENTITY- ▁PROVOKE- ▁TEMPERAMENT- ▁CHARIOT- ▁HARBOR- ▁NINTH- ▁PRIOR- ▁DESIROUS- ▁JERUSALEM- ▁UNDERTAKING- ▁EDISON- ▁MIRTH- ▁SCOUT- ▁APPARATUS- ▁ILLUSTRATION- ▁INTELLIGIBLE- ▁INVARIABLY- ▁PIERCED- ▁REVIEW- ▁FLICKER- ▁HAZARD- ▁REVELATION- ▁DIXON- ▁EXCITING- ▁GOSPEL- ▁CONSTANCE- ▁OVERTAKE- ▁GUINEA- ▁ALADDIN- ▁CHICAGO- ▁TULLIVER- ▁HAMILTON- ▁GARRISON- ▁DISCIPLE- ▁INTENSITY- ▁TRAITOR- ▁CHANCELLOR- ▁PROVERB- ▁DAGGER- ▁FORESEE- ▁CONFIDE- ▁GLIMMER- ▁CHAUVELIN- ▁ILLUSTRATE- ▁VOLUNTEER- ▁JUNGLE- ▁STREAK- ▁SUNRISE- ▁DISSOLV- ▁QUEST- ▁AWHILE- ▁FELICITY- ▁LEGISLATURE- ▁LEONORA- ▁MAGAZINE- ▁PITIFUL- ▁COLONY- ▁SHAWL- ▁ARRIVING- ▁FUNDAMENTAL- ▁CARPENTER- ▁OVERFLOW- ▁EXPAND- ▁HARVEST- ▁FEMININE- ▁INNUMERABLE- ▁SCRAMBLE- ▁TWENTIETH- ▁TRIFLING- ▁GHASTL- ▁CONQUEST- ▁DANIEL- ▁FACILIT- ▁FORSAKE- ▁BEHAVIOUR- ▁GORGEOUS- ▁PRODUCING- ▁HAPPIER- ▁PROMISING- ▁RAINBOW- ▁INSTINCTIVELY- ▁DECREE- ▁EYEBROWS- ▁IRRESISTIBLE- ▁PHARAOH- ▁SCROOGE- ▁UNNATURAL- ▁CRUMBS- ▁REFINED- ▁DREARY- ▁TRENCH- ▁CONVINCE- ▁FRINGE- ▁EXTREMITY- ▁INTIMACY- ▁SCOUNDREL- ▁SUFFRAGE- ▁UNEASINESS- ▁BARRICADE- ▁CIRCULAT- ▁SAMUEL- ▁BRUCE- ▁DARCY- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: transformerlm_conf: pos_enc: null embed_unit: 128 att_unit: 512 head: 8 unit: 2048 layer: 16 dropout_rate: 0.0required:- output_dir- token_listdistributed: true", + "authors": [ + { + "name_en": "kamo-naoyuki", + "name_zh": "kamo-naoyuki" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1613318400000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 649.47, + "file_size_bytes": 681023772, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4585546", + "cstr": "", + "pid": "", + "title": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_valid.acc.ave, fs=16k, lang=en", + "title_en": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_valid.acc.ave, fs=16k, lang=en", + "title_zh": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_valid.acc.ave, fs=16k, lang=en", + "description": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout ddd205f05e4a323a0aeb5cae81604a7bb5abfa45pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Thu Mar 4 09:32:06 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.7.1`- Git hash: `fde26e9b249045a76e6cf809c85f9ab7118c2028` - Commit date: `Thu Mar 4 09:06:55 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|95401|98.2|1.3|0.5|0.4|2.2|32.5||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|946469|98.1|1.3|0.5|0.4|2.3|33.6|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|543236|99.4|0.2|0.4|0.3|0.9|32.5||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|5393048|99.4|0.2|0.4|0.3|1.0|33.6|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|102933|98.0|1.2|0.7|0.4|2.4|32.5||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|1022838|97.9|1.3|0.8|0.4|2.5|33.6|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 46040dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_en_bpe5000/train/speech_shape- exp/asr_stats_raw_en_bpe5000/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_en_bpe5000/valid/speech_shape- exp/asr_stats_raw_en_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_nodev/wav.scp - speech - sound- - dump/raw/train_nodev/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/wav.scp - speech - sound- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁a- ▁our- s- ▁is- ▁on- ▁for- ▁as- ▁are- ▁you- ▁have- ▁i- ▁this- ▁with- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ing- ▁think- ▁what- ▁not- ▁some- ▁us- ▁or- ▁by- ▁new- ▁well- ▁about- ▁do- ▁growth- ▁can- ▁which- ▁was- ▁an- ▁its- ▁there- ▁very- ▁these- ▁also- ▁market- ed- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- d- ▁just- ▁been- ▁has- ▁weve- ▁over- ▁those- ▁they- ▁if- ▁time- ▁first- ▁where- ▁customers- ▁into- ▁out- ▁like- ▁how- ▁results- ▁other- ▁really- ▁last- ▁their- ▁up- ▁one- ▁expect- ▁than- ly- ▁look- ▁your- ▁because- ▁when- ▁through- ▁any- ▁get- ▁call- ▁good- ▁strong- ▁sales- ▁had- ▁believe- ▁then- ▁second- ▁revenue- ▁thats- ▁company- ▁performance- ▁years- ▁make- ▁product- ▁financial- ▁lot- ▁capital- ▁much- ▁cost- ▁could- ▁right- ▁both- ▁them- ▁impact- ▁terms- ▁future- ▁want- ▁dont- ▁value- ▁forward- ▁work- ▁next- ▁little- y- ▁back- ▁customer- ▁products- ▁bit- ▁increase- ▁number- ▁end- ▁take- ▁may- e- ▁while- ▁kind- ▁markets- ▁higher- ▁opportunities- er- ▁half- ▁able- ▁way- ▁during- ▁operating- ▁significant- ▁know- ▁better- ▁most- ▁go- ▁things- ▁cash- ▁focus- c- ▁2- ▁say- ▁still- ▁im- ▁part- ▁point- ▁lower- r- ▁statements- ▁provide- ▁should- ▁being- ▁across- n- ▁need- ▁made- ▁team- ▁important- ▁opportunity- ▁line- al- ▁third- ▁today- ies- ▁people- ▁rate- ▁theres- ▁down- ▁many- ▁no- ▁fourth- ▁strategy- ▁looking- ▁portfolio- m- ▁continued- t- ▁before- ▁me- ▁price- ▁level- ▁industry- ▁around- ▁management- ▁youre- ▁great- ▁working- ▁demand- ▁investment- ▁additional- ▁due- ▁share- ▁thank- ▁even- ▁actually- ▁progress- ▁give- ▁here- ▁come- ▁plan- ▁only- ▁seeing- ▁few- ▁margin- ▁overall- ▁costs- ▁development- ▁further- ▁drive- ▁high- ▁service- p- ▁same- ▁grow- ▁current- ▁different- ▁result- ▁data- ▁seen- ▁3- ▁technology- ▁coming- ▁doing- ▁services- ▁change- ▁earnings- ▁who- ▁positive- ▁key- ▁guidance- ▁start- ▁process- ▁again- ▁position- ▁turn- ▁full- ▁investments- ▁past- ▁forwardlooking- ▁support- in- ▁said- ▁improve- ▁did- ▁got- es- ▁given- ▁within- ▁environment- ▁basis- ▁based- ▁expected- ▁re- ▁increased- ▁sure- ▁my- ▁focused- ▁sort- ▁question- ▁help- ▁potential- ▁pricing- ▁large- ▁businesses- ▁months- ▁remain- ▁side- ▁such- ▁making- ▁program- ▁done- ▁balance- ▁maybe- ▁put- ▁something- o- ▁strategic- ▁production- ▁information- ▁ability- ▁interest- ▁platform- ▁move- ▁already- f- ▁couple- ▁use- b- ▁feel- ▁best- ▁mentioned- ▁acquisition- ▁several- ▁talk- ▁early- ▁each- ▁operations- ation- ▁segment- re- ▁expectations- ▁long- ▁q- ▁base- ▁deliver- ▁commercial- ▁tax- ▁assets- ▁rates- ▁order- ▁changes- k- ▁pleased- ▁experience- le- ▁build- ▁place- ▁period- ▁certain- ▁ill- ▁benefit- ▁including- ▁growing- ▁quarters- ▁improvement- ▁projects- ▁model- ▁under- ▁related- ▁initiatives- ▁flow- ▁fact- ▁addition- ▁companies- ▁activity- ▁driven- ▁areas- ▁factors- ▁getting- ▁margins- ▁net- ▁existing- ▁continues- ▁mix- ▁after- g- ▁term- ▁big- ▁levels- ▁s- ▁id- ▁volume- ▁income- ▁does- ▁theyre- ▁release- ▁pretty- ▁clients- ▁thing- ▁course- ▁project- ▁capacity- ▁probably- ▁might- ▁day- ▁competitive- ▁having- or- ▁every- ▁brand- a- ▁risk- ▁always- ▁marketing- ▁de- ▁global- ▁why- w- ▁mean- i- ▁actual- ▁c- ▁leverage- ▁solutions- ▁quite- ▁building- ▁another- ▁supply- ▁prices- ▁saw- ▁credit- ▁off- ▁digital- ▁yes- ▁update- ▁less- ▁world- ▁offset- ers- ▁conference- ▁real- ic- ▁view- ▁let- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁success- ▁system- ▁top- ▁quality- ▁obviously- ▁between- ▁operational- ▁review- ▁far- ▁efforts- ion- ▁area- ▁shareholders- ▁prior- ▁certainly- ▁group- ▁pipeline- ▁todays- ▁return- ▁range- ▁whether- ar- ▁understand- ▁expenses- ▁continuing- ▁trying- ▁primarily- ▁amount- ch- ▁retail- l- ▁low- ur- ▁questions- ▁taking- ▁2017- ▁inventory- ▁4- ▁consumer- u- ▁outlook- ▁set- able- ▁total- ▁5- ▁presentation- ▁improved- ▁ahead- ▁contract- en- ▁since- ▁p- ▁structure- ▁expense- ▁major- ▁clear- ▁fiscal- ▁profitability- ▁approach- ▁add- ▁confident- ▁risks- it- ▁timing- ▁capabilities- ▁expand- ▁distribution- ▁companys- ▁increasing- ▁materially- ▁own- ▁partners- ▁expansion- ▁revenues- ▁invest- ▁however- ▁specific- ▁longterm- ▁youve- ▁solid- ▁hard- ▁ago- ▁2018- ▁space- ▁benefits- ▁driving- ▁excited- ▁keep- ▁acquisitions- ▁plans- ▁talked- ▁increases- ▁differ- ▁small- ▁strength- ▁china- ▁particularly- ri- ▁sheet- ▁consistent- ▁begin- ▁perspective- x- ▁bring- ▁asset- ▁10- ra- li- ▁stores- ▁network- ▁debt- ▁1- ▁compared- ▁open- ▁sense- at- ▁f- ▁per- ▁un- ▁patients- ▁close- ▁control- ▁improving- ▁versus- ▁programs- 'on'- ▁average- ▁measures- ▁beginning- ▁numbers- ▁run- ne- ▁currently- ▁care- ▁needs- ▁significantly- ▁2016- ▁trends- ▁create- ▁innovation- ▁scale- ▁conditions- ▁please- ▁starting- ▁okay- ▁together- ▁tell- ▁trend- th- ▁decline- ▁energy- ▁advantage- ▁points- ll- ▁anything- ▁organization- ▁volumes- ▁detail- ▁whats- ▁throughout- ▁transaction- ▁difficult- ma- an- ▁brands- ▁pay- ▁execution- ▁include- ▁profit- ▁towards- ▁deal- ta- ▁e- ▁health- ▁gas- ▁cause- ate- ment- ▁material- ▁similar- ▁access- ▁later- ▁larger- ▁greater- ▁reduce- ▁efficiency- ▁remains- ▁spend- ▁store- ▁organic- ▁international- ▁systems- ▁yet- ▁uncertaint- ▁record- ▁events- ▁comments- il- ▁power- ▁example- ▁ongoing- ▁note- ▁fully- ▁investors- ▁longer- ▁teams- ▁6- ▁successful- ▁g- ▁oil- ▁direct- ▁announced- ▁morning- ck- ▁board- ▁infrastructure- ▁everyone- ▁sell- ▁find- ▁returns- ▁discuss- ▁front- se- ▁along- et- ive- ▁europe- ▁transition- ▁started- ▁track- ▁once- ▁case- ▁recently- ro- ▁allow- ▁talking- ▁particular- '1'- ▁achieve- ▁manage- ▁rest- ▁momentum- ▁providing- ▁become- st- ▁improvements- ▁press- ▁economic- ▁completed- ▁associated- ▁clearly- ▁shift- ▁report- ▁lines- ▁try- ▁guess- ▁activities- ▁discussed- ▁stock- ▁beyond- ▁segments- ▁previously- ▁size- ▁general- ▁impacted- ▁integration- ent- ▁confidence- ▁decision- ce- ▁pressure- ▁equity- ▁remarks- ▁regarding- ▁anticipate- ▁meaningful- ▁am- ▁offering- ▁issues- v- ▁effect- ▁reduction- ▁partner- ▁offer- ▁adjusted- ▁against- ▁annual- ▁too- ▁reason- ▁local- ▁launch- ▁delivering- ▁meet- h- as- ▁used- la- co- ▁incremental- ▁co- ▁website- ▁positioned- ▁target- ▁money- ▁equipment- ▁subject- ▁cycle- ▁he- ▁finally- ▁items- ▁slightly- ▁st- ul- ▁multiple- ▁percentage- ▁contracts- ▁guys- ▁quickly- ▁channel- ▁although- ▁without- ▁leadership- ▁relative- ▁actions- ▁especially- ▁selling- to- ▁con- ▁o- ▁resources- ▁using- ▁corporate- ▁construction- ▁spending- ▁possible- ▁unique- ▁address- '2'- ▁generate- ▁design- ▁answer- ▁manufacturing- ity- ▁public- ▁serve- ▁remind- ▁facility- ▁date- ▁combination- ▁comes- ▁maintain- ▁means- ▁comment- ▁complete- ▁online- ▁execute- ▁cloud- ▁employees- ▁included- ▁show- ▁free- ▁either- ▁pre- ▁taken- ▁content- ▁short- ▁details- ▁k- el- ▁loan- ▁job- ▁ensure- ▁until- ▁issue- ▁client- ▁challenges- ter- ▁didnt- ▁attractive- ▁various- ▁color- ▁type- ▁investing- ▁whole- ▁leading- ▁reflect- ▁t- ▁play- ▁clinical- ▁single- ▁thanks- ▁home- ▁negative- ▁previous- ▁government- ▁chain- ▁month- ▁moment- ▁exchange- ▁situation- ▁wanted- ▁productivity- ▁step- ▁marketplace- ▁thinking- ▁turning- ▁bank- ▁b- ▁regulatory- ▁forecast- ▁solution- ▁happen- ▁relationships- tic- ▁stronger- ▁ive- ▁largest- ▁committed- ▁thought- ▁- ▁form- ▁discussion- ▁develop- ▁goal- ▁20- ▁deals- ▁sale- ▁despite- ▁profitable- ▁consumers- ▁relatively- ized- ▁following- ▁hope- ▁delivered- na- z- ▁portion- ▁life- ▁favorable- est- ▁anticipated- ▁savings- ▁unit- ▁combined- mi- ▁lead- ▁season- ▁2019- ry- ▁bottom- ▁transformation- ▁mi- ▁likely- ▁underlying- ke- ▁ebitda- ▁prepared- ▁youll- ▁ways- ▁entire- ▁provided- ▁respect- ▁delivery- ▁havent- ▁cant- ▁least- ▁days- ▁flat- ▁nongaap- ti- ating- ▁near- ▁though- '3'- ▁category- ▁highly- ▁normal- ▁orders- ated- ▁enterprise- de- ol- ▁flexibility- te- ▁dividend- ▁gives- ▁closing- ▁experienced- ▁generally- me- ▁account- ▁critical- ▁private- ▁built- ▁industrial- ▁agreement- ▁majority- ▁came- ▁bo- ▁18- ▁generation- ▁ro- ▁test- age- ▁expanding- ▁week- ▁upon- ▁center- ▁buy- ▁therefore- ▁everything- ▁initial- ▁enhance- ▁specifically- up- ▁challenging- ▁quarterly- ▁effective- ▁efficient- ▁accelerate- ization- ▁currency- ▁hand- ▁commitment- ▁doesnt- ▁property- ▁competitors- ▁country- ▁strategies- ▁commission- ▁required- ▁pro- ▁12- ▁active- '00'- ▁fair- ▁phase- ▁state- '4'- ▁competition- ▁ever- ▁provides- ▁decrease- ▁largely- ▁technologies- ▁region- ▁premium- ▁win- ▁software- ▁facilities- ▁trade- ally- ▁pace- ve- ▁weeks- ▁loss- ▁mobile- ▁securities- ▁book- ▁h- ▁profile- ▁behind- ▁his- ▁final- ▁lets- ▁d- com- ▁smaller- ▁meeting- ▁extremely- ▁enable- ▁insurance- ▁field- ▁enough- line- ▁stable- ▁ourselves- rs- ▁allows- is- ▁rather- ▁planning- ▁relationship- ▁patient- ▁sector- ▁recovery- ▁safety- ▁happy- ▁reported- ▁sustainable- ▁operate- ant- ia- ▁individual- ▁internal- ▁categories- ▁accounts- ▁includes- ▁reach- ▁loans- ▁away- ▁assumptions- ▁running- ▁reduced- ▁contribution- ▁effort- ▁speak- ▁transactions- ▁food- ▁wondering- ness- ▁exactly- id- po- ▁achieved- ▁estate- um- ize- ▁parts- am- ▁ex- ▁metrics- ▁gaap- ▁obligation- ▁above- ▁basically- ▁offerings- ▁present- ▁factor- ▁weather- ▁applications- ▁outside- ca- ▁units- ▁faster- ▁gain- ▁partially- ▁makes- ▁appropriate- ▁study- ▁7- ▁added- ▁accounting- ▁8- ▁security- ▁efficienc- ▁land- ▁plant- ▁discussions- ▁main- ▁channels- ad- ▁received- ▁r- ▁exciting- ▁m- ▁reflects- ▁seems- ▁investor- ▁restructuring- ▁fund- ▁consider- ▁fuel- ▁directly- ▁developing- ▁took- ▁national- ▁middle- nt- ▁tend- ▁car- ▁dis- ▁changed- ▁ultimately- us- ▁ramp- ▁light- ▁times- ▁mo- ▁integrated- ▁shareholder- ▁footprint- ▁completion- ▁stay- ▁statement- ▁response- ▁changing- ▁force- ▁joining- ▁ratio- ▁adding- ▁traffic- ▁community- ▁highlight- ▁labor- ▁mind- ▁typically- ▁reasons- ▁substantial- ▁fleet- ors- ▁drivers- ▁decisions- ▁capability- sh- ▁cover- ▁17- ▁january- ▁robust- ▁media- ▁purchase- ▁opening- ▁managing- im- ▁po- ▁creating- ▁healthy- ▁found- ▁platforms- ▁expectation- ▁gains- ▁options- ▁water- ▁december- ▁almost- ▁comp- ▁others- ▁processes- ist- ot- ▁engagement- ▁advertising- ▁page- ▁read- ▁happening- ▁predict- ▁disconnect- ▁importantly- ▁vi- ▁natural- ▁primary- ▁yield- ▁backlog- ▁potentially- ▁foundation- ▁direction- ▁9- ▁l- ▁late- ▁executing- lo- ▁nature- ▁office- tion- ▁conversion- ▁understanding- ▁traditional- ▁driver- ▁non- ▁fall- ▁optimistic- ▁bringing- ▁planned- ▁safe- ▁filings- ▁refer- ▁excellent- ▁putting- ▁saying- ▁limited- ▁historical- ▁comfortable- ▁effectively- ▁15- ▁highlights- ▁march- ▁million- ▁goes- ▁research- ▁necessary- ph- ▁visibility- ▁needed- ▁standard- ▁proud- ▁liquidity- ▁cases- ▁assume- ▁asia- ▁countries- ▁funding- ▁disciplined- ▁tremendous- ence- ▁headwind- ting- ▁losses- ▁ask- ▁else- ▁targets- ▁comparable- ▁encouraged- ▁lease- ▁standpoint- ▁mid- ▁path- ▁bigger- ▁regions- ▁wouldnt- ac- ▁30- ▁recognize- ▁volatility- ▁fit- ▁launched- ▁franchise- ▁june- em- ▁financing- ▁maintenance- ▁live- ▁difference- ▁never- ary- ▁september- ▁extent- ▁members- ▁expanded- ▁approximately- pa- ▁fixed- ▁utilization- ▁role- ▁remaining- ▁broader- ▁capture- mo- ▁perhaps- ▁hold- mp- ▁detailed- ▁types- ▁budget- ▁n- ▁reducing- ▁focusing- tr- ▁operation- ▁sold- based- ▁economy- ▁bill- ▁properties- ▁theyve- ▁ready- ▁appreciate- ▁partnership- ▁intend- ▁proposition- ▁exposure- ▁medical- ▁below- ▁interesting- ▁domestic- ▁dollars- ▁broad- ▁acquired- ▁w- ▁led- ▁remainder- ▁locations- ▁fees- ▁gross- ha- ▁capex- ping- ▁produce- ▁tools- ▁reflected- ge- ▁nice- ▁ha- ▁pull- ni- ▁allocation- va- ▁simply- ▁legacy- ▁2015- ▁card- ▁stage- ▁ca- ▁sa- ▁treatment- ▁biggest- ru- ▁went- ▁fairly- ▁hit- ▁deep- ▁takes- ▁successfully- ▁highest- om- ▁inflation- ▁follow- ▁increasingly- ▁en- ▁everybody- ▁optimize- ▁closely- ▁ma- ▁history- ▁wont- ▁summary- he- ▁buying- ▁commodity- ▁historically- ▁requirements- ▁schedule- ▁reporting- land- ▁mark- 'no'- ▁news- ▁drug- ▁shows- ▁necessarily- ▁19- ▁di- ▁count- ▁flows- ▁policy- ▁somewhat- ▁giving- ▁outstanding- bo- ▁priority- ▁reconciliation- ▁drilling- out- ance- time- ▁dollar- ▁attention- ▁mortgage- ▁talent- ▁list- ▁auto- ▁remember- os- ▁strengthen- ▁goals- ▁maintaining- ▁event- ▁trial- ▁table- ▁mainly- ▁name- ▁european- ▁evaluate- ig- ng- ▁expertise- ▁closed- ▁operator- ▁respond- way- ▁room- ▁license- ▁innovative- ▁paid- ▁post- ▁regard- ▁prospects- ▁steps- ▁component- ▁implementation- ▁recover- ▁funds- ▁itself- ▁shares- ▁periods- ▁la- di- ▁16- ▁discipline- ▁pass- ▁expecting- ▁advance- ▁speed- tor- ▁approval- ▁compensation- ▁learning- ▁canada- ▁south- ▁touch- ▁initiative- ▁testing- ▁materials- ▁definitely- ▁adoption- ▁priorities- ▁east- ▁payments- ▁developed- ▁true- ▁leader- ▁centers- ▁se- ▁piece- ial- ▁foreign- ▁act- ▁attract- ▁nothing- ex- ▁challenge- ▁reform- ▁sec- ▁matter- ▁analysis- pi- ▁october- ▁april- ts- ba- end- ▁synerg- ▁created- ▁banking- ▁realize- ▁ba- ▁double- ▁50- ▁perform- ns- ▁contain- ▁application- ▁advanced- ▁targeted- ▁culture- ▁fast- ▁payment- ▁happened- ▁action- ▁site- ▁undertake- ▁pursue- ted- ▁context- ho- lu- vi- izing- ▁among- ▁described- ▁actively- ▁ad- ▁presence- ▁worked- ▁aggressive- ator- ▁regional- ard- ▁summer- ▁road- ▁complex- ▁deployment- ▁technical- ▁emerging- ▁choice- ▁resulted- ▁resulting- ▁special- ▁steady- ▁additionally- per- ▁training- ▁finance- ect- ld- ▁joint- ▁affect- ▁seasonal- ▁conclude- ▁retailers- ▁break- ▁july- year- ▁banks- ▁dynamics- ▁helping- ▁holiday- ▁trading- ▁smart- ine- ▁managed- ut- rt- ▁huge- ▁designed- ▁deposit- ▁generated- ▁tough- ▁involve- ▁looks- ▁relates- ▁va- ▁leveraging- ▁noted- ▁positions- ▁upside- ▁modest- ▁division- ▁v- ▁coverage- ▁idea- ▁players- ▁participation- ▁becoming- ▁brazil- ▁fee- ▁dynamic- ▁otherwise- ▁represent- ▁vision- ▁push- ▁analytics- ▁absolutely- ▁models- ▁invested- ▁occur- ▁independent- 'off'- ▁measure- ▁j- ▁discount- ▁heard- ▁implemented- ▁story- ▁yearoveryear- ▁walk- ▁exit- ▁often- ▁gone- ▁ones- ▁federal- ▁app- ▁ground- ▁upgrade- ens- ▁correct- lt- ▁relevant- ▁transform- ▁bar- und- ▁affected- ill- cu- ▁providers- con- ▁common- ▁recognized- bu- ▁variety- ▁impacts- ten- q- ▁reasonable- ▁reminder- ▁helpful- pl- ▁november- ▁must- ▁moved- ▁specialty- ▁engine- ▁adjustments- ▁compete- ▁inter- ▁reflecting- ▁class- ▁enhanced- pe- nd- ▁source- ▁soon- ▁effects- ci- ▁developments- ▁wide- ▁central- ▁al- ton- ▁drop- ▁india- ▁generating- ▁multi- ▁essentially- ▁face- ▁renewal- ▁objectives- sa- ▁sp- gen- ▁protect- ▁trust- ▁ni- ▁retain- ▁issued- ▁communities- ▁senior- ▁reductions- ▁demonstrate- ling- ▁closer- ver- ▁calls- ap- ▁excess- ▁america- ▁represents- ▁states- ▁charge- ▁truck- by- ▁hear- ▁head- ▁february- ▁function- ▁personal- ▁roll- ▁performing- ian- ▁decided- ▁easier- ▁extend- '5'- tu- ▁uncertainty- ▁california- ▁identified- ▁began- ms- ▁engineering- ▁subscription- ▁venture- ty- nc- ▁bookings- ▁happens- ▁partnerships- ▁users- ▁components- ions- ▁tri- ▁recognition- ▁york- ▁suggest- ▁slow- j- ▁law- ▁sites- ▁geographic- ▁easy- ▁identify- ▁spot- ability- ▁interested- ▁sub- ris- ▁pick- ▁cannot- ps- ▁outcomes- ▁connect- ring- ▁external- ▁established- ▁stated- ite- ▁looked- ▁underwriting- ▁population- ▁consolidation- rg- ▁le- ▁video- ▁lo- ▁professional- ▁city- ▁estimate- ▁operators- ture- ▁require- ▁li- ▁carry- ▁firm- ▁maximize- ▁achieving- ▁left- ▁frankly- go- ▁consistently- ▁provider- ight- ▁repurchase- ▁seem- ▁figure- ▁paying- ▁compelling- ▁helped- ▁conservative- ▁ta- do- ▁agreements- ▁automotive- ▁raw- ▁problem- tra- ▁aware- pt- ical- ▁section- tt- ▁penetration- ▁mar- ▁wins- ▁west- ▁projections- be- ▁shown- ▁mexico- ▁game- ▁capitalize- ▁quick- ▁thoughts- ▁allowed- ▁machine- ▁gr- ▁indicated- ▁bu- ▁ship- ous- ▁presented- ▁transportation- ▁prudent- ▁plants- ▁deploy- ny- ▁toward- ▁depending- ▁rapidly- ▁brought- ▁folks- ▁mention- ▁disease- ▁devices- ▁outcome- ▁encouraging- ▁demonstrated- ▁groups- ▁sequential- ▁limit- ▁shop- ▁august- ▁valuation- ▁supported- ▁differentiated- ir- ▁recorded- ▁executive- ▁degree- ▁residential- ▁tight- ▁filed- ▁wholesale- ▁accelerated- ▁she- ▁receive- ▁finding- ▁curious- ▁rental- ▁grew- op- ▁seasonality- ▁welcome- ▁subs- ▁option- ▁evolve- ▁considered- ▁excellence- ▁substantially- ▁leasing- ▁showing- ▁ch- ▁enter- ▁suppliers- ber- ▁lending- ▁consolidated- ▁objective- ▁concludes- ▁john- ▁u- ▁japan- ▁dedicated- ▁du- ▁retention- ▁elements- ▁staff- ▁canadian- ▁holding- ▁realized- ▁spent- ▁fill- ▁remained- ▁legal- ▁confirm- ▁estimates- ▁explain- ▁excluding- ▁ce- ▁sometimes- ▁mine- ▁involved- ▁ra- ▁rent- ▁promotional- ▁air- ga- ▁plus- ▁positioning- ▁feedback- ▁nor- ▁nearly- ▁contributed- ▁stand- ▁comprehensive- ▁qu- ▁claims- ▁felt- ▁repeat- ys- ▁leaders- ▁supporting- ▁shared- ▁benefited- ▁acquire- da- fo- son- ▁bi- ▁ti- ▁truly- tro- vo- ▁pe- ▁contribute- ▁social- ncy- ▁visit- ▁reserve- ▁original- ▁chinese- ▁te- ▁two- un- ▁utilize- ▁vehicle- ▁journey- ▁taxes- ▁bio- ▁whatever- ▁speaking- ging- fi- ▁stuff- ▁provision- ▁processing- ▁traction- ▁package- ▁ho- ▁deposits- related- lin- ▁variable- ▁clean- ▁cre- ▁raise- ▁recall- ▁simple- ▁participate- ▁signed- ▁decade- ea- ▁chart- ▁merger- ▁mike- ▁macro- ▁aggressively- ▁spread- ▁apply- ▁availability- ▁proven- ▁themselves- ▁met- ▁projected- day- ▁isnt- ▁creation- ▁worth- ▁implement- ▁na- ▁res- ▁recurring- ▁allowing- ▁optimization- ▁gave- ▁hopefully- ner- cc- ▁economics- ify- ▁north- ▁conclusion- ▁announcement- ▁commentary- ▁declines- ▁studies- ▁internally- ▁location- ▁digits- ▁afternoon- ative- ▁cut- and- ▁concept- ▁stages- ▁conversations- ▁updated- ▁deferred- ▁collaboration- ▁cautious- ▁department- ▁secure- ▁introduction- ▁convert- one- ▁held- ▁100- ▁picture- ▁texas- ▁features- ▁adjust- ▁structural- ▁travel- ▁known- ▁export- ▁wells- ▁constant- ▁engaged- ▁match- ▁subsequent- ▁assess- ▁ladies- ▁strengthening- ▁aim- ▁storage- ▁fundamentals- ▁posted- ▁mostly- ▁overview- ▁completely- ▁40- ▁shipments- ▁11- market- hi- fa- ▁accelerating- act- ▁practices- ▁vertical- ▁superior- ▁resource- ▁lu- ▁efficiently- ▁old- ▁disruption- ▁gentlemen- ▁housing- ▁hedge- ▁gap- ▁lost- ▁participating- ▁cap- ▁alternative- ▁indication- ▁globally- ▁reference- ▁education- ▁spring- ▁ecommerce- ▁hurricane- ▁sha- ▁keeping- ell- ▁slower- ▁dividends- ee- ▁sources- ▁manner- ▁exclude- ▁minutes- ▁user- ▁curve- ▁calendar- ▁performed- ff- ▁rig- ▁expressed- ▁meaning- ▁cell- ▁stream- ▁forth- bi- ▁considering- ▁frame- ▁consideration- ▁rep- ▁weak- ▁finish- ▁connection- ▁helps- red- ▁draw- ▁sh- ▁element- ▁compliance- ▁behavior- ▁works- ▁block- ▁engage- ▁compare- ▁evaluating- ▁audience- ▁standards- ▁valuable- ▁announce- ▁signs- ▁industries- ▁knowledge- ▁peak- ▁called- ▁tech- ▁awareness- ▁wed- ▁her- ▁fo- ▁peers- ities- ▁align- ▁enhancement- ▁weakness- ▁introduced- ish- ▁exist- ▁monitor- ▁launches- ▁comm- ▁gets- ▁z- ▁assuming- ▁transfer- ▁coast- ▁extended- ▁brief- ▁evolution- ▁mitigate- ▁comparison- ▁bid- ▁upcoming- ▁proceeds- '0'- ▁wait- ▁encourage- ▁evidence- ▁contained- ▁box- ▁inside- ▁sharing- ▁commitments- ▁slides- ▁et- ▁pursuing- ▁strongly- ▁bad- ▁sign- ▁vehicles- ▁custom- ▁wind- ving- ▁pressures- ▁acceleration- ▁sustain- ▁parties- ▁mining- ▁family- ▁y- ▁broadly- ▁contributions- ger- ▁shipping- ▁thus- ▁diversified- ▁stability- ▁profits- ▁enjoy- ▁device- ▁connected- ▁offers- ▁charges- ▁american- ▁regular- ful- ▁heavy- ▁hospital- ▁shopping- ▁disclosure- ▁rising- ip- ▁implementing- ▁highlighted- ▁separate- ▁opposed- ▁automation- ▁topic- ag- su- ▁enhancing- ▁setting- ▁sit- ▁shape- ▁balanced- over- ▁asked- ▁concluded- ▁circumstances- ▁message- ▁rating- ▁insight- ▁executed- ▁scenario- ▁item- ▁fa- ▁series- ▁winter- ▁extra- ▁organizations- ▁networks- ▁places- ▁words- ▁14- ▁geographi- ▁sufficient- mon- ▁managers- ▁pilot- ▁cha- ▁rec- ▁roughly- ▁steel- ▁settlement- ▁moderate- ▁financials- ▁physicians- ▁becomes- ▁em- ▁ended- ▁ve- ▁check- ▁reports- ▁matters- ▁refine- ▁extension- ▁protection- ▁publicly- ▁internet- ▁discussing- ▁logistics- ▁exceptional- ▁targeting- ▁wasnt- ▁landscape- ▁express- ron- ▁concerned- ▁slight- ▁aircraft- man- side- ▁enables- ▁seek- ▁examples- ▁integrate- ▁60- ▁influence- ▁yearend- ▁aspects- ▁utility- ▁ownership- med- ▁search- ie- ▁steve- ▁translate- ▁winning- ▁fundamental- ▁basin- ure- ▁bond- ▁13- gra- ▁physical- all- ▁approved- ▁chance- ▁rise- ▁loyalty- ▁evolving- ▁reserves- ▁leave- tiv- ▁drill- ▁replace- ▁agency- ▁continuous- ▁africa- ▁aligned- ▁enabling- ▁practice- ▁caution- ▁negatively- ▁opened- back- ▁wage- ▁employ- ▁campaign- cl- ▁pa- ▁rapid- ▁intention- ▁label- ▁starts- ▁strategically- ▁arent- ▁drove- ▁employee- ▁australia- ▁begun- io- ▁love- ▁typical- ▁print- load- ible- ▁method- ▁litigation- ▁park- ▁importance- ▁latest- ▁origination- ▁learn- ▁fashion- ▁yesterday- ▁officer- ib- ▁germany- ab- ▁lack- ▁trajectory- ▁mature- ▁dr- ▁sc- ▁th- ▁su- ▁rolling- ▁lift- ▁super- ▁watch- pro- ▁ne- ▁attribute- ▁prove- ▁ru- ▁load- ▁reality- '6'- ▁sounds- ified- ▁gold- ▁inventories- ▁phone- ▁switch- ▁rigs- ▁adjustment- ▁deeper- ▁floor- ▁x- ▁mon- ▁handle- ▁mission- ▁reward- ▁port- ▁movement- ▁florida- ▁train- ification- ▁flexible- ▁implied- ▁president- ▁absolute- ▁restaurant- ▁sustained- ▁harbor- ▁unless- ▁owners- ▁western- ▁consecutive- ▁farm- of- ▁hotel- ▁yields- ▁soft- ▁hearing- ▁replacement- ▁cor- ▁secondly- ▁tool- ▁occupancy- ▁mill- ▁opportunistic- ▁adapt- ▁determine- ▁latin- ▁caused- ▁freight- ▁pieces- ven- ▁agencies- ▁assortment- ▁guide- ▁delay- ▁enabled- ▁sand- ▁science- ▁david- ▁views- ▁paper- gu- ▁wa- od- ▁underway- ▁therapy- ▁incentive- ▁vast- ▁diversification- que- ▁foot- ▁reached- ▁liquid- ▁replay- ▁except- ▁clarity- ever- low- ▁heavily- ▁human- ▁hu- ▁outlined- ▁experiencing- ▁ju- ▁pure- ▁request- less- ▁eye- ster- ▁stakeholders- ward- ▁daily- ▁house- ▁react- ▁optimiz- ▁gotten- board- ▁oem- ▁unusual- ▁coal- ▁desire- ▁imagine- ▁assessment- ▁leases- ▁reimbursement- ▁medium- ▁sectors- ▁select- ▁cancer- ▁restaurants- ▁extensive- ▁regards- ▁selective- '8'- ▁consumption- ▁depreciation- ▁dramatically- ▁environmental- ▁purpose- ▁2020- ▁suite- ▁rich- ▁collection- ▁updates- own- ▁wish- ▁tra- ▁problems- ▁cross- ▁trials- ▁contributing- ▁depend- ▁weaker- ▁insights- ▁figures- ▁shortterm- bs- ▁chief- ler- ▁provisions- ▁entered- ▁lots- ▁asking- ▁choose- ▁framework- ▁cycles- ▁brings- ▁guests- ▁exceeded- ▁hiring- ▁inform- ▁introduce- ▁impacting- cr- ▁micro- ▁depends- ▁carefully- ▁collect- ▁usage- ▁red- ugh- ▁sequentially- ▁electric- ▁tu- ▁stop- ak- ▁returning- ▁producing- ▁es- ▁contributor- ▁fresh- ▁declined- ▁occurred- ▁expenditures- ▁ran- fin- ▁diversify- ▁instead- ▁proportion- ▁communication- ▁immediately- cor- ▁lag- mer- ▁perfect- ably- ▁metal- ▁usually- ▁packaging- ▁communications- ▁temporary- ▁ci- king- ▁downturn- ▁closure- ▁treat- ▁productive- ins- ▁attributable- '7'- ome- ▁ensuring- ▁originally- fe- car- ▁condition- ▁fire- ▁modern- ▁grown- ▁shortly- ▁scope- ▁gaining- ▁institutional- ▁complexity- ▁establish- ▁serving- ▁webcast- ▁requires- ▁format- ient- ▁ver- ▁willing- ▁powerful- ▁pain- ▁supplier- ▁cat- ▁import- eg- ▁si- ▁hasnt- ▁har- ▁doubledigit- ▁90- ▁him- ▁rail- ▁diverse- ▁da- ▁values- ▁host- sis- ▁rules- ▁el- ▁shifting- ▁map- ▁lean- ▁wealth- ▁political- ▁wireless- ▁metric- ▁exceed- ▁chris- ▁launching- ▁experiences- ▁homes- ▁initially- ▁manufacturers- ▁distributors- ▁advantages- ▁ja- qui- ▁attending- ▁instrument- ▁accomplish- ▁numerous- ▁monitoring- ▁followed- ▁carriers- ▁concern- ▁promise- ▁street- ▁hotels- ▁reliability- ned- ▁com- ▁bear- ▁tenants- ▁leads- ▁ecosystem- ▁bre- ▁hardware- ▁satisfaction- ▁usual- ▁briefly- ▁installation- ▁administration- ▁elevated- ▁associates- wa- ▁emphasize- ▁pension- ▁alternatives- ▁intelligence- ▁repair- ▁proprietary- ▁appeal- ▁strongest- ▁subscriber- ▁earn- ▁merchandise- ▁learned- air- ▁laid- ▁revise- ▁busy- ▁amounts- ▁exclusive- ▁emerge- ide- tru- ▁jim- ▁sea- ▁duration- ▁cars- der- ▁fiber- ▁scheduled- ▁fewer- ▁addressing- gg- ▁dealers- vis- ▁produced- hold- ▁solve- ▁vendors- ▁buyers- ▁heart- ▁par- ▁broaden- ▁decide- ▁indications- ▁grade- ▁rational- ▁adverse- ▁file- ▁agents- ▁chemical- ▁hospitals- ▁contact- ▁spec- ▁facing- ran- ▁waiting- ▁exercise- ▁minimum- ▁differences- ▁installed- ▁pool- ▁notice- ium- ▁theyll- pen- ▁merchant- ▁hours- ▁tariffs- ▁assist- ▁reiterate- '9'- ▁tail- ▁input- ▁multiyear- part- ▁hire- ▁stick- ▁decreased- ▁dependent- ▁declining- ▁normally- ▁trans- ▁deployed- through- ▁milestones- ▁supplemental- ▁careful- point- ▁reinvest- ▁dedication- ▁indicate- ▁awards- ther- ▁creates- ▁pu- ▁display- ▁managements- ▁showed- ▁positively- ▁personnel- ▁summarize- ▁signal- ▁intended- ▁emphasis- ▁wi- ▁secured- ▁immediate- ▁feeling- ▁normalized- ship- ▁ramping- ▁accretive- ▁cetera- ▁magnitude- ▁nu- ▁square- ▁renewable- ▁defense- ▁negotiations- ▁ed- ier- ▁sound- ▁25- ▁via- ▁concerns- ▁accurate- ▁dealer- val- ▁screen- ▁somebody- ▁balances- ▁green- ▁frac- ▁gu- ▁feed- ▁constantly- ▁policies- ▁americas- ▁delays- rate- serv- port- ▁hes- ▁france- ▁covered- ▁bought- ▁differentiate- ▁lowest- ▁length- au- ▁eliminate- ▁proposal- ▁quantify- ▁nicely- ▁turnaround- ▁conversation- ▁school- ▁incorporate- ▁enrollment- ▁purchasing- ▁deliveries- ▁court- ▁moves- dy- ▁agree- ▁airline- ▁liability- ▁competitor- ▁laws- gn- ▁demonstrates- ▁bra- ▁playing- ▁useful- ▁creative- ▁player- ▁catch- ▁favor- ▁students- ▁solar- ▁maintained- ▁terminal- ▁surprise- ▁aspect- ▁incredibly- ▁divisions- ▁organizational- ▁licensing- ▁supplement- ▁released- ▁volatile- ▁storm- ▁wrap- ▁crude- ▁explore- ▁purchases- ▁spectrum- ▁expensive- ▁dan- ▁preferred- ▁sharp- ▁hoping- ▁defined- ▁werent- ▁amortization- ▁delayed- ▁relating- ▁basic- ▁nearterm- ▁door- ▁rolled- ▁possibly- ▁fruit- ▁vo- ▁highquality- ▁status- ▁lives- ▁assumption- ▁pump- ▁lay- ▁healthcare- ▁progressing- ix- ▁finished- ▁tracking- ▁bulk- ▁longerterm- ▁embedded- ▁benefiting- ▁lock- ▁possibility- ▁age- ub- ology- ▁describe- ▁migration- ▁pacific- ▁pattern- ▁concerning- ▁reinforce- ▁sourcing- ▁told- ▁stack- ▁feature- ▁functions- ▁placed- ▁vary- ▁arrangement- ▁simplify- ▁evaluation- ▁drag- ▁sports- ▁san- ▁completing- ▁offshore- bit- work- ▁outperform- ▁tried- ▁0- ▁organically- ▁mechanism- ▁jo- ▁appear- ▁fix- ▁consulting- ▁person- ▁breadth- ang- ▁participants- ▁tied- ▁hands- ▁pi- ▁exploration- ▁determined- ▁slowdown- ▁adopt- ▁milestone- ▁avoid- ▁spreads- ▁aggregate- ▁integrating- house- ▁obtain- ▁responsible- ▁disclaim- ▁depth- ▁kick- ▁instance- ▁turned- ▁updating- ▁exact- ▁intent- ▁branch- ▁patent- ▁buyback- ▁promote- ▁plays- ▁promotions- ▁surprised- ▁surge- ▁indicators- ▁thirdparty- ▁incurred- ▁opinion- ▁ten- ▁sponsor- ▁belief- ▁according- ▁pushing- log- ▁utilities- ▁impressive- ▁hi- ▁filing- ▁elect- ▁regulations- ▁fi- gan- ▁criteria- ▁comparisons- ▁er- ▁dealing- ▁lose- ▁comps- ▁unfavorable- ▁accomplished- ▁games- ▁percent- ▁regulation- ▁patterns- ▁relation- ▁combine- ▁80- ▁churn- ▁houston- ▁split- ▁member- ▁join- ▁overhead- ▁differently- ▁accordingly- ▁mass- ▁weighted- ▁transparency- ▁bridge- ▁sustainability- ▁ideas- ▁save- ▁unchange- ▁absorb- ▁seeking- tech- ▁black- ▁institutions- ▁guest- ▁fx- ▁broker- ▁serious- ism- ▁stress- ▁mode- ▁arm- ▁estimated- ▁couldnt- pac- ▁lab- ▁sw- ▁acquiring- ▁fine- ▁entering- ▁reliable- her- ▁war- ju- ▁purposes- ▁resolution- ▁appears- ▁jeff- ▁analysts- ▁jobs- ▁northern- ▁applied- ▁formal- ▁skill- ▁fed- net- ▁medicine- ▁southern- ▁followup- ▁calculation- ▁inherent- ▁man- ▁rob- ▁retirement- fu- ▁rely- ▁located- ▁unlock- ▁interact- ▁softness- ▁minimal- ▁self- ▁dose- ▁monthly- ▁persist- ▁living- ▁edge- led- ▁complement- ▁easily- ▁verticals- ▁eventually- ▁someone- ▁impairment- ▁partly- ▁plenty- ▁wonder- ▁advise- the- ▁producers- ▁raising- ▁analyze- fl- av- ▁fda- ▁revised- ▁administrative- ▁functionality- ▁corporation- ▁disclosed- ▁comfort- ▁ceo- ▁window- ▁written- ▁diversity- ▁entirely- ▁reverse- ▁minute- ▁sets- ▁thoughtful- mark- ▁regulators- ▁station- ▁prepare- use- ▁effectiveness- ▁recap- ▁connectivity- ▁rollout- ▁considerable- ▁op- ▁smooth- ▁globe- ▁straight- ▁sun- ▁index- ▁gear- ▁stabilize- ▁colleagues- ▁guarantee- ▁realization- ▁rule- ▁servicing- ▁frequency- ▁architecture- ▁introducing- ▁sitting- ▁maturity- gi- ▁regardless- ▁offsetting- ▁doubt- duc- if- down- ▁itll- ▁remove- pay- ▁adjusting- ▁manager- ▁borrowing- ▁tenant- ▁formula- ▁capable- nic- ▁prime- ▁acreage- ▁election- ▁cal- ▁conduct- ▁seasonally- ▁indeed- ▁entertainment- ▁hybrid- ▁factory- ▁thousands- ▁eps- ▁bro- ▁distinct- ▁refinancing- ▁transmission- ▁published- ▁knew- ▁dia- lan- ▁hub- ▁tighten- ▁retailer- ▁proposed- ▁upper- ▁permanent- ▁talented- ▁interaction- ▁newer- ▁assure- ▁star- ▁approvals- ▁won- loc- ▁round- ory- ▁mr- ▁consequence- ▁anybody- ▁communicate- ▁write- ▁warrant- ▁minor- press- ▁owned- ▁dramatic- ▁characterize- ▁books- ▁older- ▁incredible- ▁exception- ▁seamless- ▁route- ▁waste- tan- ▁70- ▁amazon- ▁utilizing- ▁deploying- ▁cable- ▁promotion- ▁onetime- ▁bri- ▁cu- ▁indicator- ▁wave- ▁tv- ▁wonderful- ▁award- ▁dialogue- ▁generic- ▁blue- ▁prevent- ▁demonstrating- ▁reinsurance- ▁install- par- ▁legislation- ▁michael- ▁spoke- ▁scott- ▁russia- ▁firms- ▁reviewing- ious- ▁seat- ▁horizon- ▁synergy- ▁engaging- ▁entry- ▁concentration- ▁pillar- ▁voice- ▁levers- ▁reflection- ▁damage- ▁skills- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁unlike- ▁latter- ▁preparing- ▁menu- ▁publish- ▁dry- ▁unfortunately- ▁women- ▁none- ▁cities- ▁ticket- ▁referring- ▁headcount- ▁candidates- ▁tim- ▁layer- ▁committee- ▁advisory- ▁fortunate- ▁modeling- ▁narrow- ▁fundamentally- ▁continuously- ▁permian- ▁equal- ▁massive- ▁vessels- ▁streamline- ▁threat- ▁pharma- ▁essential- ▁facilitate- ▁respective- ▁millions- ▁negotiate- ▁gulf- ▁streams- ▁measured- ▁procurement- ▁gaming- ▁electronic- ▁fantastic- ▁competing- ▁dave- ▁procedures- ▁ratios- ▁worse- ▁bob- ▁audit- ▁merchandising- ▁branches- ▁greatest- ▁appropriately- ▁advertisers- ▁ultimate- ▁heading- ▁documents- ▁distributor- ▁rock- ▁movements- ▁physician- ▁ter- ▁night- ▁link- ▁communicated- ▁analyst- ▁incentives- ▁payers- ▁score- ▁selected- sign- ▁reaching- ▁selection- ▁honest- ▁uptick- ▁mer- ▁electronics- ▁permit- ▁beliefs- ▁hundreds- ▁beverage- ▁pivot- ▁purchased- ▁grant- rn- ▁broadcast- ▁crop- ▁offices- ▁became- ▁leg- ▁receiving- ▁modestly- ▁proactive- ▁challenged- ▁divest- ▁assurance- ▁recognizing- ▁spin- ▁blend- ▁faced- ▁counter- ▁passion- ▁equally- ▁extraordinary- ▁disposition- ▁vendor- ▁promising- ▁affordable- ▁syn- ▁relate- ▁version- ▁claim- ▁sensor- ▁listening- ▁reset- ▁tender- ▁jump- ▁terrific- top- ▁cadence- ▁preference- ▁succeed- ▁liabilities- ▁upward- ▁carrier- ▁worldwide- ▁heat- ▁campaigns- ▁elaborate- ▁achievements- ▁che- ▁definition- ▁medicare- ▁harder- ▁wrong- ▁disposal- ▁upfront- ▁bunch- vers- ▁strengthened- ▁renovation- ▁lenders- ▁placement- ▁warehouse- ▁responsibility- ▁ri- ▁continually- ▁pat- ▁staffing- ▁matt- ▁euro- ▁extending- ▁collections- ▁shortage- ▁receivables- ▁notable- ▁navigate- ▁predictable- ifi- pped- ▁initiated- ▁dig- bra- ▁illustrate- ▁rid- ▁advancing- ▁adequate- ▁served- ▁bright- ▁paul- ▁raised- ka- ▁explained- ▁agenda- ▁rents- ▁listen- ▁boost- ▁compression- ▁beneficial- ▁convenience- ▁behalf- ▁uniquely- ▁sophisticated- ▁hedging- ▁professionals- ▁anyone- ▁rebound- stock- ▁preliminary- ▁anticipating- ▁200- ▁offered- ▁runway- ▁nav- ▁math- ▁pl- ▁joined- ▁precise- ▁tap- ▁pet- ▁secondary- den- ▁refresh- ▁realizing- ▁innovate- ▁internationally- ▁ball- ▁gi- ▁zone- ▁panel- ▁consistency- ▁title- ▁surface- ▁understood- ▁brian- ▁aerospace- ▁satisfied- ▁uncertain- ▁joe- driven- ▁continuation- ▁acceptance- ble- ▁settle- ▁minimize- ▁pan- ▁pending- ▁guarantees- ▁pharmaceutical- ▁agent- ▁harvest- ▁funded- ▁bundle- ▁tire- ▁document- cycle- ▁principles- ▁geography- ▁sellers- ▁prefer- ▁shut- ▁announcements- ▁graph- ▁rebuild- ▁preparation- ▁discovery- ▁ban- ▁efficacy- ▁advisers- ▁collective- ▁digit- ▁affecting- ▁occurring- ▁tower- ▁evident- ▁translation- ▁motor- ▁excitement- ▁aftermarket- ▁film- ▁container- ▁allowance- ▁severe- ▁constraints- ▁branded- ▁catalyst- ▁somewhere- ▁origin- ▁characteristics- ▁diagnostic- month- ▁equation- level- ▁alignment- ▁identifying- ▁anywhere- ▁conjunction- scale- ▁london- ▁marine- ▁watching- ▁pushed- ▁incur- ▁earning- ▁destination- ▁optimal- ▁party- ▁ebit- ▁distributed- ▁picking- ▁compound- ▁satellite- ▁linked- ▁obvious- ▁sum- ▁hopeful- place- ▁ambition- ▁optimism- ▁gen- ▁clarify- ▁diligently- ▁friend- ▁telling- ▁ingredient- ▁attack- ▁demographic- ▁fluctuations- ▁logic- ▁noise- ▁log- ▁benchmark- ▁agreed- ▁divestiture- ▁virtually- ▁reputation- ▁word- ▁requirement- ▁constitute- ▁activat- ▁jurisdiction- ▁wood- ▁pickup- ▁interim- ▁ka- ▁intense- ▁three- ▁yeartodate- za- ▁eastern- ▁validate- ▁24- ▁pad- ▁hydro- ▁reliance- ▁slowing- ▁enormous- ▁families- ▁feet- ▁pipe- ▁define- ▁currencies- ▁signing- ▁complicated- ▁competitiveness- ▁notably- stone- tax- ▁ge- ▁disclose- ▁suffer- ▁variabilit- ▁contracted- ▁stra- ▁background- ▁task- ▁stabilized- ▁manufacture- ▁transparent- ▁measurement- ▁representative- ▁alone- ▁booking- ▁represented- ▁maximizing- value- ▁burn- ▁deck- ▁accomplishments- ▁dive- xi- performing- ▁exceeding- ▁contemplate- ▁nuclear- ▁afford- ▁appetite- ▁consolidate- ▁philosophy- ▁television- ▁corresponding- ▁midpoint- ▁shorter- ▁fulfill- ▁unknown- ▁qualified- ▁therapeutic- ▁tre- ▁flu- hand- ▁grid- ▁startup- ▁bonus- ▁campus- ▁student- ▁accepted- ▁renewed- ▁assembl- ▁personally- ▁structured- ▁fra- ▁familiar- ▁virtual- ▁staying- ▁opt- ▁sorry- ▁recruiting- ▁code- ▁experts- ▁opex- ▁complementary- ▁gained- ▁memory- ▁hot- state- ▁flex- ▁former- ▁prospective- ▁ski- ▁proceed- ▁gradually- ▁classes- ▁korea- ▁tank- ▁allocate- ▁affiliate- ▁exploring- lon- ▁white- ▁bidding- ▁gate- ▁consultant- ▁contractual- ▁warm- ▁cold- light- wide- ▁macroeconomic- ▁passed- ▁appreciation- ▁tangible- ▁carbon- ▁chip- ▁neutral- ▁reaction- ▁gene- ▁send- ▁entity- ▁decent- ▁career- ▁guided- ▁gathering- ▁language- ▁vice- ▁cur- ▁cla- ▁franchisees- ▁auction- ▁fluid- ▁addressed- ▁stabilization- ▁representing- ▁crosssell- ▁rampup- ▁covenant- ▁kevin- ▁burden- ▁occasion- ▁royalty- ▁adjacent- ▁flavor- ▁session- ▁owner- ▁awarded- ▁epi- ▁softer- ▁southeast- ▁copy- ▁lap- ▁bucket- ▁distribut- ▁inflection- ▁mu- ▁progression- ▁noncash- ▁urban- ▁corner- ▁buyer- ▁refining- ▁sensitive- price- ▁funnel- ▁survey- ▁picked- ▁jack- ▁metro- ▁sentiment- ▁reasonably- ▁amazing- ▁progressive- ▁proceeding- ▁constructive- ▁mall- tel- ▁restrict- ▁revision- ▁wider- ▁renew- ▁shouldnt- ▁converting- ▁underpin- ▁recycling- ▁proactively- ▁downward- ▁trigger- ▁booked- ▁headline- ▁transport- ▁testament- ▁clinic- ▁earned- ▁mutual- ▁charter- ▁developers- room- ▁animal- ▁pack- ville- ▁firmly- ▁deliberate- ▁arise- ▁module- ▁club- ▁sight- ▁deepen- ▁operated- ▁2014- ▁diligence- ▁referred- ▁premier- ▁mandate- ▁sample- ▁style- ▁barrels- ▁construct- ▁row- ▁reg- ▁indicative- ▁meant- ▁letter- ▁acknowledge- ▁whilst- ▁cooper- ▁laser- ▁achievement- ▁fy- ▁master- ▁fan- ▁supportive- ▁downstream- ▁mitigat- field- ▁shelf- ▁cutting- ▁capturing- ▁registration- ▁compensate- ▁radio- ▁traditionally- ▁cyclical- ▁steadily- ▁detect- ▁ideal- ▁applicable- ▁artificial- ▁attempt- ▁valueadded- ▁standing- ▁naturally- ▁resilient- ▁alliance- ▁reit- ▁accept- ▁treated- ▁programming- ▁concentrated- ▁marked- ▁anticipation- ▁properly- ▁cheap- ▁tailwind- ▁listeners- ▁casual- ▁furthermore- ▁functional- ▁commodities- source- ▁principal- ▁audio- ▁employment- ▁apparel- ▁entities- ▁membership- ▁augment- ▁fight- ▁fl- ▁billion- ▁concession- ▁semiconductor- ▁visible- ▁implications- ▁composition- ▁authorities- ▁mag- tric- ▁wire- ▁indirect- ▁messaging- ▁literally- ▁broadband- ▁discover- ▁resolved- ▁announcing- ▁equivalent- ▁swing- ▁handling- ▁repositioning- ▁uk- ▁pit- ▁historic- ▁economies- ▁spain- ▁monetize- ▁greg- ▁turnover- ▁transactional- ▁clo- ▁kept- ▁certainty- ▁brexit- ▁regulated- ▁italy- ▁commit- ▁discontinued- ▁separation- ▁establishing- ▁amongst- ▁beauty- ▁hired- ▁scientific- ▁territories- ▁image- ▁satisfy- ▁payroll- ▁pound- ▁redevelopment- ▁tariff- ▁cautionary- ▁parent- ▁apple- ▁military- ▁prioritize- ▁losing- ▁yourself- quarter- ▁prescription- ▁district- ▁fun- ▁technological- ▁strict- ▁adopted- ▁endpoint- ▁bullish- ▁strive- ▁reflective- ▁predominantly- ▁copper- ▁evidenced- ▁northeast- ▁scheme- ▁pharmacy- water- ▁tier- ▁quicker- ▁popular- ▁standalone- ▁attrition- ▁washington- ▁database- ▁differential- ▁personalized- ▁balancing- ▁delever- wood- ▁slowed- ▁pause- ▁official- ▁overseas- ▁inject- ▁dar- ▁union- ▁dc- ▁lever- ▁hitting- ▁fabric- ▁elsewhere- ▁precision- ▁poor- ▁prospect- ▁ease- ▁handful- ▁assumed- ▁carolina- ▁swap- ▁territory- ▁description- ▁household- ▁bla- ▁meantime- ▁intellectual- ▁mobility- ▁outlet- ▁controlling- ▁samestore- ▁sizable- ▁periodic- grade- ▁enroll- ▁chosen- ▁carried- ▁payout- ▁airport- ▁competenc- ▁referenced- ▁combining- ▁wall- service- ▁issuance- ▁receivable- ▁shrink- ▁pra- ▁industryleading- ▁proof- ▁alluded- ▁noncore- ▁realistic- ▁upstream- ▁telecom- ▁absorption- ▁appendix- ▁materialize- ▁sooner- ▁shipment- ▁collaborat- ▁definitive- ▁automated- ▁vote- ▁lifetime- ▁conducted- ▁basket- ▁lumpy- ▁differentiator- ▁migrate- ▁float- ▁capitalized- ▁cool- ▁midstream- ▁bump- ▁governance- ▁takeaway- ▁temp- ▁electricity- ▁output- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- ▁frank- ▁maximum- ▁repayment- ▁intensity- ▁exhibit- ▁hong- ▁amendment- ▁cohort- ▁kong- ▁agile- ▁disappointed- ▁surgical- ▁tele- ▁separately- ▁sim- ▁judgment- ▁undu- ▁penetrate- ▁quote- view- ▁hour- ▁domain- ▁german- ▁body- ▁consist- ▁ev- ▁methodology- ▁principally- ▁sym- ▁rank- ▁chicago- ▁relentless- ▁scaling- ▁spite- ▁argentina- ▁email- ▁instore- app- ▁mac- ▁lifestyle- ▁therapies- ▁throughput- ▁cfo- ▁foreseeable- ▁observed- ▁fifth- ▁resolve- ▁mineral- ▁smartphone- ▁deduct- ▁municipal- ▁duty- ▁hurdle- oriented- ▁manufacturer- ▁diesel- run- ▁fell- ▁sensitivity- ▁tie- cular- ▁battery- brand- ▁passenger- ▁inflationary- ▁google- ▁investigation- bl- ▁disruptive- ▁luxury- ▁approaches- ▁delaware- ▁barrier- ▁31- ▁variation- ▁correctly- ▁observation- ▁securing- ▁ken- ▁interpret- ution- ▁nation- ▁recruit- ▁profitably- print- ▁underground- ▁protocol- ▁delighted- ▁identity- ▁noticed- logic- ▁advancement- ▁constrained- ▁strike- ▁derive- ▁casino- ▁remote- ▁submission- ▁rain- ▁bankers- ▁suppose- ▁explanation- ▁hyper- ▁causing- ▁compute- ▁scrap- ▁irr- focused- cast- ▁downside- ▁refinance- ▁prepayment- ▁expenditure- ▁gradual- ▁slowly- order- ▁peer- ▁simultaneously- ▁interface- ▁favorably- ▁considerably- ▁worldclass- ▁comprise- ▁tumor- bility- ▁responsive- ▁commerce- ▁niche- ▁movie- ▁extract- ▁stake- ▁myself- ▁flight- ▁exceptionally- ▁vessel- ▁mindful- ▁remarkable- ▁outflow- ▁shipped- qua- ▁incident- well- ▁lie- ▁conventional- ▁accommodate- ▁allocated- ▁finalized- ▁rare- ▁weekend- ▁saas- ▁embrace- ▁ample- ▁integrity- ▁monetization- ▁supplies- centric- ▁redeploy- ▁remodel- ▁disrupt- ▁nextgeneration- ▁surgery- ▁climate- book- ▁threshold- ▁normalize- ▁recommendation- ▁payable- ▁leaving- ▁parallel- ▁fulfillment- ▁enthusiasm- ▁relief- ▁delta- ▁yearonyear- ▁honor- star- ▁subsidiaries- ▁surrounding- ▁deflation- ▁singledigit- ▁consume- ▁pop- ▁innovat- ▁strides- ford- ▁thorough- ▁dozen- ▁weigh- ▁chose- ▁conscious- ▁intelligent- ▁variance- ▁preserve- ▁attend- ▁collaborative- ▁association- ▁multifamily- ▁congress- ▁controlled- ▁missed- ▁acute- ▁enthusiastic- ▁resilience- ▁everywhere- ▁resort- ▁aviation- ▁rico- ▁surprising- ▁submitted- ▁omnichannel- ▁spirit- ▁sudden- ▁avenue- ▁array- ▁density- ▁outdoor- ▁calculated- build- power- ▁specialist- ▁consolidating- ▁breakdown- ▁optionalit- ▁rigorous- ▁predictions- ▁educate- ▁anchor- ▁proper- ▁advice- ▁novel- ▁nonrecurring- ▁subsidiary- ▁protein- ▁deem- ▁peter- ▁treasury- ▁inspection- ▁impression- ▁termination- ▁outperformance- ▁acceptable- ▁negotiation- ▁consumable- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁accountability- ▁struggle- ▁empower- ▁loyal- ▁strip- ▁crisis- ▁geo- wise- ▁defend- ▁vital- ▁algorithm- ▁urgency- ▁pathway- ▁reposition- ▁analytic- ▁electrical- ▁pleasure- ▁proxy- ▁failure- ▁extreme- ▁blood- ▁derivative- ▁robotic- ▁certification- ▁accident- ▁impressed- ▁discretionary- stream- ▁dimension- ▁articulat- ▁recession- ▁triple- ▁stockholders- ▁silver- ▁frequently- ▁inclusion- ▁medicaid- ▁molecule- ▁glass- ▁vegas- product- ▁authority- ▁reinvestment- ▁jv- ▁upgrading- equ- ▁spoken- ▁sku- ▁engineers- ▁eagle- ▁jersey- ▁exposed- ▁unexpected- ▁unfold- ▁agility- ▁bestinclass- ▁sweet- ▁alongside- ▁society- ▁worry- ▁comparing- ▁studio- ▁granular- ▁keen- ▁alberta- ▁breakeven- ▁christmas- ▁goforward- ▁twice- ▁workflow- ▁imaging- ▁scan- ▁perception- ▁grand- ▁authorization- ▁concrete- ▁receipt- ▁absence- ▁australian- ▁radi- ▁comparative- ▁negotiating- ▁nutrition- ▁replacing- ▁guiding- ▁stretch- ▁underscore- ▁apartment- ▁younger- ▁collateral- ▁script- ▁resume- ▁plastic- ▁turkey- ware- ▁dilution- ▁anniversary- ▁phil- ▁computing- ▁substitute- ▁river- ▁disappointing- ▁specialized- '50'- ▁determination- ▁powder- ▁oncology- ▁japanese- ▁imply- ▁rationalization- ▁finalize- ▁preclinical- ▁undertaking- ▁register- ▁hospitality- ▁thrilled- ▁valley- ▁secular- ▁music- ▁cultural- ▁holistic- ▁lowcost- ▁hurt- ▁outsourcing- ▁adult- ▁invite- ▁reorganization- ▁unified- ▁reservoir- ▁motion- ▁glad- ▁visual- ▁regime- ▁theater- ▁academic- ▁concentrate- ▁cancellation- ▁diluted- ▁inorganic- ▁deleveraging- ▁french- ▁bolster- ▁simplification- ▁writing- ▁headquarters- ▁submit- ▁resonate- ▁midwest- ▁university- ▁brokerage- plus- ▁relevance- ▁text- ▁boston- ▁practical- ▁midst- ▁max- ▁nobody- ▁intangible- ▁snow- ▁bankruptcy- ▁overlap- ▁doug- ▁modernization- ▁cargo- ▁wallet- ▁merit- ▁revolving- ▁aluminum- ▁stabilizing- ▁recommend- ▁procedure- ▁immune- ▁valid- ▁restore- ▁coffee- ▁arrive- ▁reconcile- performance- ▁referral- '20'- ▁children- ▁geographically- ▁accretion- ▁reversal- ▁tissue- ▁tomorrow- ▁nimble- ▁uplift- ▁nevertheless- ▁revolver- ▁willingness- ▁convenient- ▁deterioration- ▁contingent- ▁parameters- ▁pursuit- ▁cyber- '95'- ▁root- ▁costeffective- ▁lumber- ▁singapore- ▁arpu- ▁gift- ▁fail- ▁borrowers- ▁town- ▁convertible- ▁journal- ▁fish- charge- ▁temperature- ▁character- ▁modification- ▁ocean- ▁suspect- ▁possibilities- ▁flood- ▁solely- ▁brazilian- ▁experiment- ▁colorado- ▁foresee- quartertoquarter- ▁inefficienc- ▁notwithstanding- ▁spike- ▁transit- ▁interconnect- ▁analyzing- ▁qualify- ▁banner- ▁maturit- growth- ▁eliminating- ▁retire- ▁virginia- ▁accuracy- ▁redemption- ▁recruitment- ▁click- ▁guidelines- ▁restrictions- ▁broadbased- ▁continent- ▁grocery- ▁additive- ▁chunk- ▁formulation- ▁intervention- ▁hence- ▁silicon- ▁unprecedented- ▁expire- ▁kids- ▁apparent- ▁stories- ▁poised- ▁anymore- ▁redesign- ▁hawaii- ▁likelihood- ▁gotomarket- ▁plate- ▁aspiration- ▁correlation- ▁qualification- ▁underwrite- ▁engineered- ▁consequently- ▁craft- ▁foremost- ▁consent- ▁colombia- ▁tactical- ▁forget- ▁eric- ▁permitting- ▁healthier- force- ▁mechanical- ▁poland- ▁realignment- ▁refinery- ▁replicate- ▁outpace- ▁chairman- ▁doubling- contract- ▁generator- ▁rick- ▁appliance- ▁contrast- ▁candidate- efficient- ▁ontario- ▁saving- ▁borrow- ▁proving- ▁friday- ▁photo- ▁assistance- ▁worried- ▁judge- ▁refund- ▁hundred- ▁embark- ▁ultra- ▁greenfield- ▁consensus- ▁accessories- ▁flagship- ▁entrepreneur- ▁diamond- ▁expiration- ▁forefront- ▁venue- ▁default- ▁placing- ▁choosing- ▁fluctuate- ▁attendance- ▁hike- ▁dallas- ▁fragmented- ▁classified- ▁optical- ▁revolution- ▁institution- ▁chronic- ▁conviction- ▁demonstration- ▁overwhelm- ▁struggling- ▁sky- ▁broken- ▁decreasing- ▁sweden- turn- ▁heightened- ▁pennsylvania- ▁intake- ▁genetic- mobile- ▁crystal- ▁reaffirm- ▁regulator- ▁transact- ▁dropped- ▁advertise- ▁decelerat- ▁unsecure- ▁worst- ▁perpetual- ▁trouble- ▁gather- ▁walmart- ▁accrue- ▁pulp- ▁caught- ological- ▁uptake- ▁furniture- ▁pronounced- '10'- ▁ohio- ▁quantity- ▁routine- ▁mindset- ▁resonat- ▁severity- ▁debate- modal- ▁diminish- ▁riskadjusted- ▁shutdown- ▁initiate- ▁circuit- ▁coach- ▁muted- ▁autonomous- ▁flip- ▁mistake- ▁slate- ▁ambitious- ▁dispute- ▁probability- ▁residents- ▁residual- ▁border- ▁grain- ▁upsell- bank- ▁cluster- ▁equities- ▁simplified- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁intact- ▁communicating- ▁annuity- ▁calculate- ▁authentic- spec- ▁requiring- ▁surplus- ▁instant- ▁allocating- ▁facebook- ▁universal- ▁witness- ▁jason- ▁teleconference- ▁expert- ▁coupon- ▁ancillary- ▁civil- ▁garden- ▁restart- ▁illinois- ▁emissions- ▁impossible- ▁chapter- ▁premise- ▁baked- ▁elevate- ▁filter- ivity- ▁perceive- ▁nursing- ▁realign- ▁distinguish- ▁refocus- ▁friction- ▁crack- ▁royalties- ▁college- ▁longstanding- ▁overnight- ▁incumbent- ▁endtoend- ▁snap- ▁millennial- ▁manifest- ▁regain- ▁rebate- ▁dining- ▁imperative- sphere- ▁tenure- ▁indonesia- ▁promoting- ▁transcript- ▁principle- ▁bottle- ▁flag- ▁atlantic- ▁diligent- ▁phoenix- ▁instruct- ▁neuro- ▁george- ▁prescribe- ▁heritage- ▁accrual- ▁nationwide- ▁replenish- ▁article- ▁british- ▁stepped- ▁appointment- ▁dominant- ▁zealand- free- '00000'- ▁advisor- ▁delinquenc- ▁speculate- ▁inspire- ▁envision- ▁affordabilit- ▁crucial- ▁secret- ▁integral- ▁landlord- ▁streamlining- ▁modify- ▁quota- ▁province- ▁isolation- ▁beach- ▁albeit- ▁disaster- ▁entrant- ▁erosion- ▁relied- ▁elimination- ▁republic- ▁logistic- ▁opposite- ▁signature- ▁decisionmaking- ▁midsingle- mitted- ▁privilege- ▁shortfall- ▁correlate- ▁frozen- ▁ordinary- ▁omni- ▁neighborhood- ▁implies- ▁curtail- ▁charging- ▁institute- ▁patience- ▁temporarily- ▁systematic- ▁argue- ▁eligible- ▁leisure- ▁reception- ▁implant- ▁atlanta- ▁northwest- ▁vacation- ▁minus- realized- ▁exploit- ▁differentiating- ▁sugar- ▁premature- ▁thrive- ▁fraud- ▁revpar- ▁flash- ▁revisit- ▁lumpi- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁convention- ▁highermargin- ▁skew- ▁bandwidth- ▁catastrophe- ▁netherlands- ▁midterm- specific- ▁taste- ▁dairy- ▁eager- ▁liberty- ▁oklahoma- ▁phasing- ▁accumulate- ▁unemployment- ▁softening- ▁depressed- ▁airplane- ▁prevail- ▁analog- ▁footwear- ▁terminate- ▁arizona- abilities- ▁pioneer- ▁cancel- ▁agriculture- ▁thermal- ▁composite- ▁argument- ▁wellpositioned- ▁medication- ▁neither- ▁excuse- ▁qualitative- ▁concert- ▁determining- ▁michigan- ▁mirror- ▁thereafter- ▁manual- ▁applies- ▁horizontal- ▁prepaid- ▁repricing- ▁indicating- ▁queue- ▁observe- ▁amended- weight- ▁encounter- ▁inhibitor- ▁meanwhile- ▁toronto- ▁inclusive- ▁stopped- ▁robert- ▁concluding- ▁configuration- ▁pleasant- ▁cook- ▁clarification- ▁buffer- ▁relocation- ▁parcel- ▁convey- ▁showcase- ▁severance- ▁inbound- ▁inquiries- ▁trailing- ▁drink- ▁snack- ▁chemistry- ▁energized- ▁removing- ▁modified- ▁circle- ▁kitchen- ▁vacancy- ▁plug- ▁southwest- ▁steep- ▁illustrat- ▁scheduling- ▁celebrate- ▁diabetes- ▁alpha- ▁frequent- ▁achievable- ▁molecular- ▁bounce- ▁quiet- ▁cumulative- ▁capacities- ▁bolton- ▁comparability- ▁phenomenon- ▁steward- ▁reseller- ▁pertain- ▁resiliency- ▁awful- ▁shoot- ▁clinicians- ▁measuring- ▁pleasing- ▁maturing- ▁prototype- ▁survival- ▁rural- ▁heavier- ▁immuno- ▁universe- ▁louisiana- ▁marketleading- ▁weakening- ▁somehow- ▁credibility- ▁battle- ▁declare- ▁involving- ▁columbia- ▁ounces- ▁significance- ▁compromise- ▁feasibility- ▁mexican- ▁tobacco- ▁england- ▁chicken- ▁archive- ▁gauge- ▁ought- ▁enforcement- ▁remediation- ▁relaunch- ▁dictate- ▁legislative- ▁modular- ▁cushion- ▁voluntary- demand- ▁distress- ▁quantitative- ▁releasing- ▁statutory- ▁roadmap- ▁ryan- ▁mortality- ▁scratch- ▁syndicate- ▁turbine- ▁breast- ▁james- ▁absent- ▁crm- ▁discontinu- ▁milk- ▁missouri- ▁salaries- ▁concurrent- ▁coordinate- ▁tonnage- ▁automatically- ▁catalog- ▁martin- ▁minnesota- ▁deficit- ▁reorganiz- responsibilities- ▁multinational- ▁opioid- ▁salespeople- ▁distance- thanexpected- ▁compliant- ▁dilutive- ▁proximity- ▁zero- ▁tuckin- ▁incorporating- ▁migrating- ▁mediumterm- ▁undergoing- ▁scalabilit- ▁geopolitical- ▁uniform- ▁solving- ▁intermediate- ▁angeles- ▁saudi- ▁stimulate- ▁nominal- ▁midteens- ▁speculation- ▁freedom- iconic- ▁distraction- ▁shock- ▁describing- ▁jewelry- ▁sleep- ▁squeeze- ▁gasoline- ▁refurbish- ▁unmatch- ▁golf- ▁associate- ▁removal- ▁wheel- ▁interior- ▁noninterest- ▁prohibit- ▁finaliz- ▁consultation- ▁kansas- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_en_bpe5000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.7distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_en_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 55073dist_launcher: nullmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_en_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_en_bpe5000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁a- ▁our- s- ▁is- ▁on- ▁for- ▁as- ▁are- ▁you- ▁have- ▁i- ▁this- ▁with- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ing- ▁think- ▁what- ▁not- ▁some- ▁us- ▁or- ▁by- ▁new- ▁well- ▁about- ▁do- ▁growth- ▁can- ▁which- ▁was- ▁an- ▁its- ▁there- ▁very- ▁these- ▁also- ▁market- ed- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- d- ▁just- ▁been- ▁has- ▁weve- ▁over- ▁those- ▁they- ▁if- ▁time- ▁first- ▁where- ▁customers- ▁into- ▁out- ▁like- ▁how- ▁results- ▁other- ▁really- ▁last- ▁their- ▁up- ▁one- ▁expect- ▁than- ly- ▁look- ▁your- ▁because- ▁when- ▁through- ▁any- ▁get- ▁call- ▁good- ▁strong- ▁sales- ▁had- ▁believe- ▁then- ▁second- ▁revenue- ▁thats- ▁company- ▁performance- ▁years- ▁make- ▁product- ▁financial- ▁lot- ▁capital- ▁much- ▁cost- ▁could- ▁right- ▁both- ▁them- ▁impact- ▁terms- ▁future- ▁want- ▁dont- ▁value- ▁forward- ▁work- ▁next- ▁little- y- ▁back- ▁customer- ▁products- ▁bit- ▁increase- ▁number- ▁end- ▁take- ▁may- e- ▁while- ▁kind- ▁markets- ▁higher- ▁opportunities- er- ▁half- ▁able- ▁way- ▁during- ▁operating- ▁significant- ▁know- ▁better- ▁most- ▁go- ▁things- ▁cash- ▁focus- c- ▁2- ▁say- ▁still- ▁im- ▁part- ▁point- ▁lower- r- ▁statements- ▁provide- ▁should- ▁being- ▁across- n- ▁need- ▁made- ▁team- ▁important- ▁opportunity- ▁line- al- ▁third- ▁today- ies- ▁people- ▁rate- ▁theres- ▁down- ▁many- ▁no- ▁fourth- ▁strategy- ▁looking- ▁portfolio- m- ▁continued- t- ▁before- ▁me- ▁price- ▁level- ▁industry- ▁around- ▁management- ▁youre- ▁great- ▁working- ▁demand- ▁investment- ▁additional- ▁due- ▁share- ▁thank- ▁even- ▁actually- ▁progress- ▁give- ▁here- ▁come- ▁plan- ▁only- ▁seeing- ▁few- ▁margin- ▁overall- ▁costs- ▁development- ▁further- ▁drive- ▁high- ▁service- p- ▁same- ▁grow- ▁current- ▁different- ▁result- ▁data- ▁seen- ▁3- ▁technology- ▁coming- ▁doing- ▁services- ▁change- ▁earnings- ▁who- ▁positive- ▁key- ▁guidance- ▁start- ▁process- ▁again- ▁position- ▁turn- ▁full- ▁investments- ▁past- ▁forwardlooking- ▁support- in- ▁said- ▁improve- ▁did- ▁got- es- ▁given- ▁within- ▁environment- ▁basis- ▁based- ▁expected- ▁re- ▁increased- ▁sure- ▁my- ▁focused- ▁sort- ▁question- ▁help- ▁potential- ▁pricing- ▁large- ▁businesses- ▁months- ▁remain- ▁side- ▁such- ▁making- ▁program- ▁done- ▁balance- ▁maybe- ▁put- ▁something- o- ▁strategic- ▁production- ▁information- ▁ability- ▁interest- ▁platform- ▁move- ▁already- f- ▁couple- ▁use- b- ▁feel- ▁best- ▁mentioned- ▁acquisition- ▁several- ▁talk- ▁early- ▁each- ▁operations- ation- ▁segment- re- ▁expectations- ▁long- ▁q- ▁base- ▁deliver- ▁commercial- ▁tax- ▁assets- ▁rates- ▁order- ▁changes- k- ▁pleased- ▁experience- le- ▁build- ▁place- ▁period- ▁certain- ▁ill- ▁benefit- ▁including- ▁growing- ▁quarters- ▁improvement- ▁projects- ▁model- ▁under- ▁related- ▁initiatives- ▁flow- ▁fact- ▁addition- ▁companies- ▁activity- ▁driven- ▁areas- ▁factors- ▁getting- ▁margins- ▁net- ▁existing- ▁continues- ▁mix- ▁after- g- ▁term- ▁big- ▁levels- ▁s- ▁id- ▁volume- ▁income- ▁does- ▁theyre- ▁release- ▁pretty- ▁clients- ▁thing- ▁course- ▁project- ▁capacity- ▁probably- ▁might- ▁day- ▁competitive- ▁having- or- ▁every- ▁brand- a- ▁risk- ▁always- ▁marketing- ▁de- ▁global- ▁why- w- ▁mean- i- ▁actual- ▁c- ▁leverage- ▁solutions- ▁quite- ▁building- ▁another- ▁supply- ▁prices- ▁saw- ▁credit- ▁off- ▁digital- ▁yes- ▁update- ▁less- ▁world- ▁offset- ers- ▁conference- ▁real- ic- ▁view- ▁let- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁success- ▁system- ▁top- ▁quality- ▁obviously- ▁between- ▁operational- ▁review- ▁far- ▁efforts- ion- ▁area- ▁shareholders- ▁prior- ▁certainly- ▁group- ▁pipeline- ▁todays- ▁return- ▁range- ▁whether- ar- ▁understand- ▁expenses- ▁continuing- ▁trying- ▁primarily- ▁amount- ch- ▁retail- l- ▁low- ur- ▁questions- ▁taking- ▁2017- ▁inventory- ▁4- ▁consumer- u- ▁outlook- ▁set- able- ▁total- ▁5- ▁presentation- ▁improved- ▁ahead- ▁contract- en- ▁since- ▁p- ▁structure- ▁expense- ▁major- ▁clear- ▁fiscal- ▁profitability- ▁approach- ▁add- ▁confident- ▁risks- it- ▁timing- ▁capabilities- ▁expand- ▁distribution- ▁companys- ▁increasing- ▁materially- ▁own- ▁partners- ▁expansion- ▁revenues- ▁invest- ▁however- ▁specific- ▁longterm- ▁youve- ▁solid- ▁hard- ▁ago- ▁2018- ▁space- ▁benefits- ▁driving- ▁excited- ▁keep- ▁acquisitions- ▁plans- ▁talked- ▁increases- ▁differ- ▁small- ▁strength- ▁china- ▁particularly- ri- ▁sheet- ▁consistent- ▁begin- ▁perspective- x- ▁bring- ▁asset- ▁10- ra- li- ▁stores- ▁network- ▁debt- ▁1- ▁compared- ▁open- ▁sense- at- ▁f- ▁per- ▁un- ▁patients- ▁close- ▁control- ▁improving- ▁versus- ▁programs- 'on'- ▁average- ▁measures- ▁beginning- ▁numbers- ▁run- ne- ▁currently- ▁care- ▁needs- ▁significantly- ▁2016- ▁trends- ▁create- ▁innovation- ▁scale- ▁conditions- ▁please- ▁starting- ▁okay- ▁together- ▁tell- ▁trend- th- ▁decline- ▁energy- ▁advantage- ▁points- ll- ▁anything- ▁organization- ▁volumes- ▁detail- ▁whats- ▁throughout- ▁transaction- ▁difficult- ma- an- ▁brands- ▁pay- ▁execution- ▁include- ▁profit- ▁towards- ▁deal- ta- ▁e- ▁health- ▁gas- ▁cause- ate- ment- ▁material- ▁similar- ▁access- ▁later- ▁larger- ▁greater- ▁reduce- ▁efficiency- ▁remains- ▁spend- ▁store- ▁organic- ▁international- ▁systems- ▁yet- ▁uncertaint- ▁record- ▁events- ▁comments- il- ▁power- ▁example- ▁ongoing- ▁note- ▁fully- ▁investors- ▁longer- ▁teams- ▁6- ▁successful- ▁g- ▁oil- ▁direct- ▁announced- ▁morning- ck- ▁board- ▁infrastructure- ▁everyone- ▁sell- ▁find- ▁returns- ▁discuss- ▁front- se- ▁along- et- ive- ▁europe- ▁transition- ▁started- ▁track- ▁once- ▁case- ▁recently- ro- ▁allow- ▁talking- ▁particular- '1'- ▁achieve- ▁manage- ▁rest- ▁momentum- ▁providing- ▁become- st- ▁improvements- ▁press- ▁economic- ▁completed- ▁associated- ▁clearly- ▁shift- ▁report- ▁lines- ▁try- ▁guess- ▁activities- ▁discussed- ▁stock- ▁beyond- ▁segments- ▁previously- ▁size- ▁general- ▁impacted- ▁integration- ent- ▁confidence- ▁decision- ce- ▁pressure- ▁equity- ▁remarks- ▁regarding- ▁anticipate- ▁meaningful- ▁am- ▁offering- ▁issues- v- ▁effect- ▁reduction- ▁partner- ▁offer- ▁adjusted- ▁against- ▁annual- ▁too- ▁reason- ▁local- ▁launch- ▁delivering- ▁meet- h- as- ▁used- la- co- ▁incremental- ▁co- ▁website- ▁positioned- ▁target- ▁money- ▁equipment- ▁subject- ▁cycle- ▁he- ▁finally- ▁items- ▁slightly- ▁st- ul- ▁multiple- ▁percentage- ▁contracts- ▁guys- ▁quickly- ▁channel- ▁although- ▁without- ▁leadership- ▁relative- ▁actions- ▁especially- ▁selling- to- ▁con- ▁o- ▁resources- ▁using- ▁corporate- ▁construction- ▁spending- ▁possible- ▁unique- ▁address- '2'- ▁generate- ▁design- ▁answer- ▁manufacturing- ity- ▁public- ▁serve- ▁remind- ▁facility- ▁date- ▁combination- ▁comes- ▁maintain- ▁means- ▁comment- ▁complete- ▁online- ▁execute- ▁cloud- ▁employees- ▁included- ▁show- ▁free- ▁either- ▁pre- ▁taken- ▁content- ▁short- ▁details- ▁k- el- ▁loan- ▁job- ▁ensure- ▁until- ▁issue- ▁client- ▁challenges- ter- ▁didnt- ▁attractive- ▁various- ▁color- ▁type- ▁investing- ▁whole- ▁leading- ▁reflect- ▁t- ▁play- ▁clinical- ▁single- ▁thanks- ▁home- ▁negative- ▁previous- ▁government- ▁chain- ▁month- ▁moment- ▁exchange- ▁situation- ▁wanted- ▁productivity- ▁step- ▁marketplace- ▁thinking- ▁turning- ▁bank- ▁b- ▁regulatory- ▁forecast- ▁solution- ▁happen- ▁relationships- tic- ▁stronger- ▁ive- ▁largest- ▁committed- ▁thought- ▁- ▁form- ▁discussion- ▁develop- ▁goal- ▁20- ▁deals- ▁sale- ▁despite- ▁profitable- ▁consumers- ▁relatively- ized- ▁following- ▁hope- ▁delivered- na- z- ▁portion- ▁life- ▁favorable- est- ▁anticipated- ▁savings- ▁unit- ▁combined- mi- ▁lead- ▁season- ▁2019- ry- ▁bottom- ▁transformation- ▁mi- ▁likely- ▁underlying- ke- ▁ebitda- ▁prepared- ▁youll- ▁ways- ▁entire- ▁provided- ▁respect- ▁delivery- ▁havent- ▁cant- ▁least- ▁days- ▁flat- ▁nongaap- ti- ating- ▁near- ▁though- '3'- ▁category- ▁highly- ▁normal- ▁orders- ated- ▁enterprise- de- ol- ▁flexibility- te- ▁dividend- ▁gives- ▁closing- ▁experienced- ▁generally- me- ▁account- ▁critical- ▁private- ▁built- ▁industrial- ▁agreement- ▁majority- ▁came- ▁bo- ▁18- ▁generation- ▁ro- ▁test- age- ▁expanding- ▁week- ▁upon- ▁center- ▁buy- ▁therefore- ▁everything- ▁initial- ▁enhance- ▁specifically- up- ▁challenging- ▁quarterly- ▁effective- ▁efficient- ▁accelerate- ization- ▁currency- ▁hand- ▁commitment- ▁doesnt- ▁property- ▁competitors- ▁country- ▁strategies- ▁commission- ▁required- ▁pro- ▁12- ▁active- '00'- ▁fair- ▁phase- ▁state- '4'- ▁competition- ▁ever- ▁provides- ▁decrease- ▁largely- ▁technologies- ▁region- ▁premium- ▁win- ▁software- ▁facilities- ▁trade- ally- ▁pace- ve- ▁weeks- ▁loss- ▁mobile- ▁securities- ▁book- ▁h- ▁profile- ▁behind- ▁his- ▁final- ▁lets- ▁d- com- ▁smaller- ▁meeting- ▁extremely- ▁enable- ▁insurance- ▁field- ▁enough- line- ▁stable- ▁ourselves- rs- ▁allows- is- ▁rather- ▁planning- ▁relationship- ▁patient- ▁sector- ▁recovery- ▁safety- ▁happy- ▁reported- ▁sustainable- ▁operate- ant- ia- ▁individual- ▁internal- ▁categories- ▁accounts- ▁includes- ▁reach- ▁loans- ▁away- ▁assumptions- ▁running- ▁reduced- ▁contribution- ▁effort- ▁speak- ▁transactions- ▁food- ▁wondering- ness- ▁exactly- id- po- ▁achieved- ▁estate- um- ize- ▁parts- am- ▁ex- ▁metrics- ▁gaap- ▁obligation- ▁above- ▁basically- ▁offerings- ▁present- ▁factor- ▁weather- ▁applications- ▁outside- ca- ▁units- ▁faster- ▁gain- ▁partially- ▁makes- ▁appropriate- ▁study- ▁7- ▁added- ▁accounting- ▁8- ▁security- ▁efficienc- ▁land- ▁plant- ▁discussions- ▁main- ▁channels- ad- ▁received- ▁r- ▁exciting- ▁m- ▁reflects- ▁seems- ▁investor- ▁restructuring- ▁fund- ▁consider- ▁fuel- ▁directly- ▁developing- ▁took- ▁national- ▁middle- nt- ▁tend- ▁car- ▁dis- ▁changed- ▁ultimately- us- ▁ramp- ▁light- ▁times- ▁mo- ▁integrated- ▁shareholder- ▁footprint- ▁completion- ▁stay- ▁statement- ▁response- ▁changing- ▁force- ▁joining- ▁ratio- ▁adding- ▁traffic- ▁community- ▁highlight- ▁labor- ▁mind- ▁typically- ▁reasons- ▁substantial- ▁fleet- ors- ▁drivers- ▁decisions- ▁capability- sh- ▁cover- ▁17- ▁january- ▁robust- ▁media- ▁purchase- ▁opening- ▁managing- im- ▁po- ▁creating- ▁healthy- ▁found- ▁platforms- ▁expectation- ▁gains- ▁options- ▁water- ▁december- ▁almost- ▁comp- ▁others- ▁processes- ist- ot- ▁engagement- ▁advertising- ▁page- ▁read- ▁happening- ▁predict- ▁disconnect- ▁importantly- ▁vi- ▁natural- ▁primary- ▁yield- ▁backlog- ▁potentially- ▁foundation- ▁direction- ▁9- ▁l- ▁late- ▁executing- lo- ▁nature- ▁office- tion- ▁conversion- ▁understanding- ▁traditional- ▁driver- ▁non- ▁fall- ▁optimistic- ▁bringing- ▁planned- ▁safe- ▁filings- ▁refer- ▁excellent- ▁putting- ▁saying- ▁limited- ▁historical- ▁comfortable- ▁effectively- ▁15- ▁highlights- ▁march- ▁million- ▁goes- ▁research- ▁necessary- ph- ▁visibility- ▁needed- ▁standard- ▁proud- ▁liquidity- ▁cases- ▁assume- ▁asia- ▁countries- ▁funding- ▁disciplined- ▁tremendous- ence- ▁headwind- ting- ▁losses- ▁ask- ▁else- ▁targets- ▁comparable- ▁encouraged- ▁lease- ▁standpoint- ▁mid- ▁path- ▁bigger- ▁regions- ▁wouldnt- ac- ▁30- ▁recognize- ▁volatility- ▁fit- ▁launched- ▁franchise- ▁june- em- ▁financing- ▁maintenance- ▁live- ▁difference- ▁never- ary- ▁september- ▁extent- ▁members- ▁expanded- ▁approximately- pa- ▁fixed- ▁utilization- ▁role- ▁remaining- ▁broader- ▁capture- mo- ▁perhaps- ▁hold- mp- ▁detailed- ▁types- ▁budget- ▁n- ▁reducing- ▁focusing- tr- ▁operation- ▁sold- based- ▁economy- ▁bill- ▁properties- ▁theyve- ▁ready- ▁appreciate- ▁partnership- ▁intend- ▁proposition- ▁exposure- ▁medical- ▁below- ▁interesting- ▁domestic- ▁dollars- ▁broad- ▁acquired- ▁w- ▁led- ▁remainder- ▁locations- ▁fees- ▁gross- ha- ▁capex- ping- ▁produce- ▁tools- ▁reflected- ge- ▁nice- ▁ha- ▁pull- ni- ▁allocation- va- ▁simply- ▁legacy- ▁2015- ▁card- ▁stage- ▁ca- ▁sa- ▁treatment- ▁biggest- ru- ▁went- ▁fairly- ▁hit- ▁deep- ▁takes- ▁successfully- ▁highest- om- ▁inflation- ▁follow- ▁increasingly- ▁en- ▁everybody- ▁optimize- ▁closely- ▁ma- ▁history- ▁wont- ▁summary- he- ▁buying- ▁commodity- ▁historically- ▁requirements- ▁schedule- ▁reporting- land- ▁mark- 'no'- ▁news- ▁drug- ▁shows- ▁necessarily- ▁19- ▁di- ▁count- ▁flows- ▁policy- ▁somewhat- ▁giving- ▁outstanding- bo- ▁priority- ▁reconciliation- ▁drilling- out- ance- time- ▁dollar- ▁attention- ▁mortgage- ▁talent- ▁list- ▁auto- ▁remember- os- ▁strengthen- ▁goals- ▁maintaining- ▁event- ▁trial- ▁table- ▁mainly- ▁name- ▁european- ▁evaluate- ig- ng- ▁expertise- ▁closed- ▁operator- ▁respond- way- ▁room- ▁license- ▁innovative- ▁paid- ▁post- ▁regard- ▁prospects- ▁steps- ▁component- ▁implementation- ▁recover- ▁funds- ▁itself- ▁shares- ▁periods- ▁la- di- ▁16- ▁discipline- ▁pass- ▁expecting- ▁advance- ▁speed- tor- ▁approval- ▁compensation- ▁learning- ▁canada- ▁south- ▁touch- ▁initiative- ▁testing- ▁materials- ▁definitely- ▁adoption- ▁priorities- ▁east- ▁payments- ▁developed- ▁true- ▁leader- ▁centers- ▁se- ▁piece- ial- ▁foreign- ▁act- ▁attract- ▁nothing- ex- ▁challenge- ▁reform- ▁sec- ▁matter- ▁analysis- pi- ▁october- ▁april- ts- ba- end- ▁synerg- ▁created- ▁banking- ▁realize- ▁ba- ▁double- ▁50- ▁perform- ns- ▁contain- ▁application- ▁advanced- ▁targeted- ▁culture- ▁fast- ▁payment- ▁happened- ▁action- ▁site- ▁undertake- ▁pursue- ted- ▁context- ho- lu- vi- izing- ▁among- ▁described- ▁actively- ▁ad- ▁presence- ▁worked- ▁aggressive- ator- ▁regional- ard- ▁summer- ▁road- ▁complex- ▁deployment- ▁technical- ▁emerging- ▁choice- ▁resulted- ▁resulting- ▁special- ▁steady- ▁additionally- per- ▁training- ▁finance- ect- ld- ▁joint- ▁affect- ▁seasonal- ▁conclude- ▁retailers- ▁break- ▁july- year- ▁banks- ▁dynamics- ▁helping- ▁holiday- ▁trading- ▁smart- ine- ▁managed- ut- rt- ▁huge- ▁designed- ▁deposit- ▁generated- ▁tough- ▁involve- ▁looks- ▁relates- ▁va- ▁leveraging- ▁noted- ▁positions- ▁upside- ▁modest- ▁division- ▁v- ▁coverage- ▁idea- ▁players- ▁participation- ▁becoming- ▁brazil- ▁fee- ▁dynamic- ▁otherwise- ▁represent- ▁vision- ▁push- ▁analytics- ▁absolutely- ▁models- ▁invested- ▁occur- ▁independent- 'off'- ▁measure- ▁j- ▁discount- ▁heard- ▁implemented- ▁story- ▁yearoveryear- ▁walk- ▁exit- ▁often- ▁gone- ▁ones- ▁federal- ▁app- ▁ground- ▁upgrade- ens- ▁correct- lt- ▁relevant- ▁transform- ▁bar- und- ▁affected- ill- cu- ▁providers- con- ▁common- ▁recognized- bu- ▁variety- ▁impacts- ten- q- ▁reasonable- ▁reminder- ▁helpful- pl- ▁november- ▁must- ▁moved- ▁specialty- ▁engine- ▁adjustments- ▁compete- ▁inter- ▁reflecting- ▁class- ▁enhanced- pe- nd- ▁source- ▁soon- ▁effects- ci- ▁developments- ▁wide- ▁central- ▁al- ton- ▁drop- ▁india- ▁generating- ▁multi- ▁essentially- ▁face- ▁renewal- ▁objectives- sa- ▁sp- gen- ▁protect- ▁trust- ▁ni- ▁retain- ▁issued- ▁communities- ▁senior- ▁reductions- ▁demonstrate- ling- ▁closer- ver- ▁calls- ap- ▁excess- ▁america- ▁represents- ▁states- ▁charge- ▁truck- by- ▁hear- ▁head- ▁february- ▁function- ▁personal- ▁roll- ▁performing- ian- ▁decided- ▁easier- ▁extend- '5'- tu- ▁uncertainty- ▁california- ▁identified- ▁began- ms- ▁engineering- ▁subscription- ▁venture- ty- nc- ▁bookings- ▁happens- ▁partnerships- ▁users- ▁components- ions- ▁tri- ▁recognition- ▁york- ▁suggest- ▁slow- j- ▁law- ▁sites- ▁geographic- ▁easy- ▁identify- ▁spot- ability- ▁interested- ▁sub- ris- ▁pick- ▁cannot- ps- ▁outcomes- ▁connect- ring- ▁external- ▁established- ▁stated- ite- ▁looked- ▁underwriting- ▁population- ▁consolidation- rg- ▁le- ▁video- ▁lo- ▁professional- ▁city- ▁estimate- ▁operators- ture- ▁require- ▁li- ▁carry- ▁firm- ▁maximize- ▁achieving- ▁left- ▁frankly- go- ▁consistently- ▁provider- ight- ▁repurchase- ▁seem- ▁figure- ▁paying- ▁compelling- ▁helped- ▁conservative- ▁ta- do- ▁agreements- ▁automotive- ▁raw- ▁problem- tra- ▁aware- pt- ical- ▁section- tt- ▁penetration- ▁mar- ▁wins- ▁west- ▁projections- be- ▁shown- ▁mexico- ▁game- ▁capitalize- ▁quick- ▁thoughts- ▁allowed- ▁machine- ▁gr- ▁indicated- ▁bu- ▁ship- ous- ▁presented- ▁transportation- ▁prudent- ▁plants- ▁deploy- ny- ▁toward- ▁depending- ▁rapidly- ▁brought- ▁folks- ▁mention- ▁disease- ▁devices- ▁outcome- ▁encouraging- ▁demonstrated- ▁groups- ▁sequential- ▁limit- ▁shop- ▁august- ▁valuation- ▁supported- ▁differentiated- ir- ▁recorded- ▁executive- ▁degree- ▁residential- ▁tight- ▁filed- ▁wholesale- ▁accelerated- ▁she- ▁receive- ▁finding- ▁curious- ▁rental- ▁grew- op- ▁seasonality- ▁welcome- ▁subs- ▁option- ▁evolve- ▁considered- ▁excellence- ▁substantially- ▁leasing- ▁showing- ▁ch- ▁enter- ▁suppliers- ber- ▁lending- ▁consolidated- ▁objective- ▁concludes- ▁john- ▁u- ▁japan- ▁dedicated- ▁du- ▁retention- ▁elements- ▁staff- ▁canadian- ▁holding- ▁realized- ▁spent- ▁fill- ▁remained- ▁legal- ▁confirm- ▁estimates- ▁explain- ▁excluding- ▁ce- ▁sometimes- ▁mine- ▁involved- ▁ra- ▁rent- ▁promotional- ▁air- ga- ▁plus- ▁positioning- ▁feedback- ▁nor- ▁nearly- ▁contributed- ▁stand- ▁comprehensive- ▁qu- ▁claims- ▁felt- ▁repeat- ys- ▁leaders- ▁supporting- ▁shared- ▁benefited- ▁acquire- da- fo- son- ▁bi- ▁ti- ▁truly- tro- vo- ▁pe- ▁contribute- ▁social- ncy- ▁visit- ▁reserve- ▁original- ▁chinese- ▁te- ▁two- un- ▁utilize- ▁vehicle- ▁journey- ▁taxes- ▁bio- ▁whatever- ▁speaking- ging- fi- ▁stuff- ▁provision- ▁processing- ▁traction- ▁package- ▁ho- ▁deposits- related- lin- ▁variable- ▁clean- ▁cre- ▁raise- ▁recall- ▁simple- ▁participate- ▁signed- ▁decade- ea- ▁chart- ▁merger- ▁mike- ▁macro- ▁aggressively- ▁spread- ▁apply- ▁availability- ▁proven- ▁themselves- ▁met- ▁projected- day- ▁isnt- ▁creation- ▁worth- ▁implement- ▁na- ▁res- ▁recurring- ▁allowing- ▁optimization- ▁gave- ▁hopefully- ner- cc- ▁economics- ify- ▁north- ▁conclusion- ▁announcement- ▁commentary- ▁declines- ▁studies- ▁internally- ▁location- ▁digits- ▁afternoon- ative- ▁cut- and- ▁concept- ▁stages- ▁conversations- ▁updated- ▁deferred- ▁collaboration- ▁cautious- ▁department- ▁secure- ▁introduction- ▁convert- one- ▁held- ▁100- ▁picture- ▁texas- ▁features- ▁adjust- ▁structural- ▁travel- ▁known- ▁export- ▁wells- ▁constant- ▁engaged- ▁match- ▁subsequent- ▁assess- ▁ladies- ▁strengthening- ▁aim- ▁storage- ▁fundamentals- ▁posted- ▁mostly- ▁overview- ▁completely- ▁40- ▁shipments- ▁11- market- hi- fa- ▁accelerating- act- ▁practices- ▁vertical- ▁superior- ▁resource- ▁lu- ▁efficiently- ▁old- ▁disruption- ▁gentlemen- ▁housing- ▁hedge- ▁gap- ▁lost- ▁participating- ▁cap- ▁alternative- ▁indication- ▁globally- ▁reference- ▁education- ▁spring- ▁ecommerce- ▁hurricane- ▁sha- ▁keeping- ell- ▁slower- ▁dividends- ee- ▁sources- ▁manner- ▁exclude- ▁minutes- ▁user- ▁curve- ▁calendar- ▁performed- ff- ▁rig- ▁expressed- ▁meaning- ▁cell- ▁stream- ▁forth- bi- ▁considering- ▁frame- ▁consideration- ▁rep- ▁weak- ▁finish- ▁connection- ▁helps- red- ▁draw- ▁sh- ▁element- ▁compliance- ▁behavior- ▁works- ▁block- ▁engage- ▁compare- ▁evaluating- ▁audience- ▁standards- ▁valuable- ▁announce- ▁signs- ▁industries- ▁knowledge- ▁peak- ▁called- ▁tech- ▁awareness- ▁wed- ▁her- ▁fo- ▁peers- ities- ▁align- ▁enhancement- ▁weakness- ▁introduced- ish- ▁exist- ▁monitor- ▁launches- ▁comm- ▁gets- ▁z- ▁assuming- ▁transfer- ▁coast- ▁extended- ▁brief- ▁evolution- ▁mitigate- ▁comparison- ▁bid- ▁upcoming- ▁proceeds- '0'- ▁wait- ▁encourage- ▁evidence- ▁contained- ▁box- ▁inside- ▁sharing- ▁commitments- ▁slides- ▁et- ▁pursuing- ▁strongly- ▁bad- ▁sign- ▁vehicles- ▁custom- ▁wind- ving- ▁pressures- ▁acceleration- ▁sustain- ▁parties- ▁mining- ▁family- ▁y- ▁broadly- ▁contributions- ger- ▁shipping- ▁thus- ▁diversified- ▁stability- ▁profits- ▁enjoy- ▁device- ▁connected- ▁offers- ▁charges- ▁american- ▁regular- ful- ▁heavy- ▁hospital- ▁shopping- ▁disclosure- ▁rising- ip- ▁implementing- ▁highlighted- ▁separate- ▁opposed- ▁automation- ▁topic- ag- su- ▁enhancing- ▁setting- ▁sit- ▁shape- ▁balanced- over- ▁asked- ▁concluded- ▁circumstances- ▁message- ▁rating- ▁insight- ▁executed- ▁scenario- ▁item- ▁fa- ▁series- ▁winter- ▁extra- ▁organizations- ▁networks- ▁places- ▁words- ▁14- ▁geographi- ▁sufficient- mon- ▁managers- ▁pilot- ▁cha- ▁rec- ▁roughly- ▁steel- ▁settlement- ▁moderate- ▁financials- ▁physicians- ▁becomes- ▁em- ▁ended- ▁ve- ▁check- ▁reports- ▁matters- ▁refine- ▁extension- ▁protection- ▁publicly- ▁internet- ▁discussing- ▁logistics- ▁exceptional- ▁targeting- ▁wasnt- ▁landscape- ▁express- ron- ▁concerned- ▁slight- ▁aircraft- man- side- ▁enables- ▁seek- ▁examples- ▁integrate- ▁60- ▁influence- ▁yearend- ▁aspects- ▁utility- ▁ownership- med- ▁search- ie- ▁steve- ▁translate- ▁winning- ▁fundamental- ▁basin- ure- ▁bond- ▁13- gra- ▁physical- all- ▁approved- ▁chance- ▁rise- ▁loyalty- ▁evolving- ▁reserves- ▁leave- tiv- ▁drill- ▁replace- ▁agency- ▁continuous- ▁africa- ▁aligned- ▁enabling- ▁practice- ▁caution- ▁negatively- ▁opened- back- ▁wage- ▁employ- ▁campaign- cl- ▁pa- ▁rapid- ▁intention- ▁label- ▁starts- ▁strategically- ▁arent- ▁drove- ▁employee- ▁australia- ▁begun- io- ▁love- ▁typical- ▁print- load- ible- ▁method- ▁litigation- ▁park- ▁importance- ▁latest- ▁origination- ▁learn- ▁fashion- ▁yesterday- ▁officer- ib- ▁germany- ab- ▁lack- ▁trajectory- ▁mature- ▁dr- ▁sc- ▁th- ▁su- ▁rolling- ▁lift- ▁super- ▁watch- pro- ▁ne- ▁attribute- ▁prove- ▁ru- ▁load- ▁reality- '6'- ▁sounds- ified- ▁gold- ▁inventories- ▁phone- ▁switch- ▁rigs- ▁adjustment- ▁deeper- ▁floor- ▁x- ▁mon- ▁handle- ▁mission- ▁reward- ▁port- ▁movement- ▁florida- ▁train- ification- ▁flexible- ▁implied- ▁president- ▁absolute- ▁restaurant- ▁sustained- ▁harbor- ▁unless- ▁owners- ▁western- ▁consecutive- ▁farm- of- ▁hotel- ▁yields- ▁soft- ▁hearing- ▁replacement- ▁cor- ▁secondly- ▁tool- ▁occupancy- ▁mill- ▁opportunistic- ▁adapt- ▁determine- ▁latin- ▁caused- ▁freight- ▁pieces- ven- ▁agencies- ▁assortment- ▁guide- ▁delay- ▁enabled- ▁sand- ▁science- ▁david- ▁views- ▁paper- gu- ▁wa- od- ▁underway- ▁therapy- ▁incentive- ▁vast- ▁diversification- que- ▁foot- ▁reached- ▁liquid- ▁replay- ▁except- ▁clarity- ever- low- ▁heavily- ▁human- ▁hu- ▁outlined- ▁experiencing- ▁ju- ▁pure- ▁request- less- ▁eye- ster- ▁stakeholders- ward- ▁daily- ▁house- ▁react- ▁optimiz- ▁gotten- board- ▁oem- ▁unusual- ▁coal- ▁desire- ▁imagine- ▁assessment- ▁leases- ▁reimbursement- ▁medium- ▁sectors- ▁select- ▁cancer- ▁restaurants- ▁extensive- ▁regards- ▁selective- '8'- ▁consumption- ▁depreciation- ▁dramatically- ▁environmental- ▁purpose- ▁2020- ▁suite- ▁rich- ▁collection- ▁updates- own- ▁wish- ▁tra- ▁problems- ▁cross- ▁trials- ▁contributing- ▁depend- ▁weaker- ▁insights- ▁figures- ▁shortterm- bs- ▁chief- ler- ▁provisions- ▁entered- ▁lots- ▁asking- ▁choose- ▁framework- ▁cycles- ▁brings- ▁guests- ▁exceeded- ▁hiring- ▁inform- ▁introduce- ▁impacting- cr- ▁micro- ▁depends- ▁carefully- ▁collect- ▁usage- ▁red- ugh- ▁sequentially- ▁electric- ▁tu- ▁stop- ak- ▁returning- ▁producing- ▁es- ▁contributor- ▁fresh- ▁declined- ▁occurred- ▁expenditures- ▁ran- fin- ▁diversify- ▁instead- ▁proportion- ▁communication- ▁immediately- cor- ▁lag- mer- ▁perfect- ably- ▁metal- ▁usually- ▁packaging- ▁communications- ▁temporary- ▁ci- king- ▁downturn- ▁closure- ▁treat- ▁productive- ins- ▁attributable- '7'- ome- ▁ensuring- ▁originally- fe- car- ▁condition- ▁fire- ▁modern- ▁grown- ▁shortly- ▁scope- ▁gaining- ▁institutional- ▁complexity- ▁establish- ▁serving- ▁webcast- ▁requires- ▁format- ient- ▁ver- ▁willing- ▁powerful- ▁pain- ▁supplier- ▁cat- ▁import- eg- ▁si- ▁hasnt- ▁har- ▁doubledigit- ▁90- ▁him- ▁rail- ▁diverse- ▁da- ▁values- ▁host- sis- ▁rules- ▁el- ▁shifting- ▁map- ▁lean- ▁wealth- ▁political- ▁wireless- ▁metric- ▁exceed- ▁chris- ▁launching- ▁experiences- ▁homes- ▁initially- ▁manufacturers- ▁distributors- ▁advantages- ▁ja- qui- ▁attending- ▁instrument- ▁accomplish- ▁numerous- ▁monitoring- ▁followed- ▁carriers- ▁concern- ▁promise- ▁street- ▁hotels- ▁reliability- ned- ▁com- ▁bear- ▁tenants- ▁leads- ▁ecosystem- ▁bre- ▁hardware- ▁satisfaction- ▁usual- ▁briefly- ▁installation- ▁administration- ▁elevated- ▁associates- wa- ▁emphasize- ▁pension- ▁alternatives- ▁intelligence- ▁repair- ▁proprietary- ▁appeal- ▁strongest- ▁subscriber- ▁earn- ▁merchandise- ▁learned- air- ▁laid- ▁revise- ▁busy- ▁amounts- ▁exclusive- ▁emerge- ide- tru- ▁jim- ▁sea- ▁duration- ▁cars- der- ▁fiber- ▁scheduled- ▁fewer- ▁addressing- gg- ▁dealers- vis- ▁produced- hold- ▁solve- ▁vendors- ▁buyers- ▁heart- ▁par- ▁broaden- ▁decide- ▁indications- ▁grade- ▁rational- ▁adverse- ▁file- ▁agents- ▁chemical- ▁hospitals- ▁contact- ▁spec- ▁facing- ran- ▁waiting- ▁exercise- ▁minimum- ▁differences- ▁installed- ▁pool- ▁notice- ium- ▁theyll- pen- ▁merchant- ▁hours- ▁tariffs- ▁assist- ▁reiterate- '9'- ▁tail- ▁input- ▁multiyear- part- ▁hire- ▁stick- ▁decreased- ▁dependent- ▁declining- ▁normally- ▁trans- ▁deployed- through- ▁milestones- ▁supplemental- ▁careful- point- ▁reinvest- ▁dedication- ▁indicate- ▁awards- ther- ▁creates- ▁pu- ▁display- ▁managements- ▁showed- ▁positively- ▁personnel- ▁summarize- ▁signal- ▁intended- ▁emphasis- ▁wi- ▁secured- ▁immediate- ▁feeling- ▁normalized- ship- ▁ramping- ▁accretive- ▁cetera- ▁magnitude- ▁nu- ▁square- ▁renewable- ▁defense- ▁negotiations- ▁ed- ier- ▁sound- ▁25- ▁via- ▁concerns- ▁accurate- ▁dealer- val- ▁screen- ▁somebody- ▁balances- ▁green- ▁frac- ▁gu- ▁feed- ▁constantly- ▁policies- ▁americas- ▁delays- rate- serv- port- ▁hes- ▁france- ▁covered- ▁bought- ▁differentiate- ▁lowest- ▁length- au- ▁eliminate- ▁proposal- ▁quantify- ▁nicely- ▁turnaround- ▁conversation- ▁school- ▁incorporate- ▁enrollment- ▁purchasing- ▁deliveries- ▁court- ▁moves- dy- ▁agree- ▁airline- ▁liability- ▁competitor- ▁laws- gn- ▁demonstrates- ▁bra- ▁playing- ▁useful- ▁creative- ▁player- ▁catch- ▁favor- ▁students- ▁solar- ▁maintained- ▁terminal- ▁surprise- ▁aspect- ▁incredibly- ▁divisions- ▁organizational- ▁licensing- ▁supplement- ▁released- ▁volatile- ▁storm- ▁wrap- ▁crude- ▁explore- ▁purchases- ▁spectrum- ▁expensive- ▁dan- ▁preferred- ▁sharp- ▁hoping- ▁defined- ▁werent- ▁amortization- ▁delayed- ▁relating- ▁basic- ▁nearterm- ▁door- ▁rolled- ▁possibly- ▁fruit- ▁vo- ▁highquality- ▁status- ▁lives- ▁assumption- ▁pump- ▁lay- ▁healthcare- ▁progressing- ix- ▁finished- ▁tracking- ▁bulk- ▁longerterm- ▁embedded- ▁benefiting- ▁lock- ▁possibility- ▁age- ub- ology- ▁describe- ▁migration- ▁pacific- ▁pattern- ▁concerning- ▁reinforce- ▁sourcing- ▁told- ▁stack- ▁feature- ▁functions- ▁placed- ▁vary- ▁arrangement- ▁simplify- ▁evaluation- ▁drag- ▁sports- ▁san- ▁completing- ▁offshore- bit- work- ▁outperform- ▁tried- ▁0- ▁organically- ▁mechanism- ▁jo- ▁appear- ▁fix- ▁consulting- ▁person- ▁breadth- ang- ▁participants- ▁tied- ▁hands- ▁pi- ▁exploration- ▁determined- ▁slowdown- ▁adopt- ▁milestone- ▁avoid- ▁spreads- ▁aggregate- ▁integrating- house- ▁obtain- ▁responsible- ▁disclaim- ▁depth- ▁kick- ▁instance- ▁turned- ▁updating- ▁exact- ▁intent- ▁branch- ▁patent- ▁buyback- ▁promote- ▁plays- ▁promotions- ▁surprised- ▁surge- ▁indicators- ▁thirdparty- ▁incurred- ▁opinion- ▁ten- ▁sponsor- ▁belief- ▁according- ▁pushing- log- ▁utilities- ▁impressive- ▁hi- ▁filing- ▁elect- ▁regulations- ▁fi- gan- ▁criteria- ▁comparisons- ▁er- ▁dealing- ▁lose- ▁comps- ▁unfavorable- ▁accomplished- ▁games- ▁percent- ▁regulation- ▁patterns- ▁relation- ▁combine- ▁80- ▁churn- ▁houston- ▁split- ▁member- ▁join- ▁overhead- ▁differently- ▁accordingly- ▁mass- ▁weighted- ▁transparency- ▁bridge- ▁sustainability- ▁ideas- ▁save- ▁unchange- ▁absorb- ▁seeking- tech- ▁black- ▁institutions- ▁guest- ▁fx- ▁broker- ▁serious- ism- ▁stress- ▁mode- ▁arm- ▁estimated- ▁couldnt- pac- ▁lab- ▁sw- ▁acquiring- ▁fine- ▁entering- ▁reliable- her- ▁war- ju- ▁purposes- ▁resolution- ▁appears- ▁jeff- ▁analysts- ▁jobs- ▁northern- ▁applied- ▁formal- ▁skill- ▁fed- net- ▁medicine- ▁southern- ▁followup- ▁calculation- ▁inherent- ▁man- ▁rob- ▁retirement- fu- ▁rely- ▁located- ▁unlock- ▁interact- ▁softness- ▁minimal- ▁self- ▁dose- ▁monthly- ▁persist- ▁living- ▁edge- led- ▁complement- ▁easily- ▁verticals- ▁eventually- ▁someone- ▁impairment- ▁partly- ▁plenty- ▁wonder- ▁advise- the- ▁producers- ▁raising- ▁analyze- fl- av- ▁fda- ▁revised- ▁administrative- ▁functionality- ▁corporation- ▁disclosed- ▁comfort- ▁ceo- ▁window- ▁written- ▁diversity- ▁entirely- ▁reverse- ▁minute- ▁sets- ▁thoughtful- mark- ▁regulators- ▁station- ▁prepare- use- ▁effectiveness- ▁recap- ▁connectivity- ▁rollout- ▁considerable- ▁op- ▁smooth- ▁globe- ▁straight- ▁sun- ▁index- ▁gear- ▁stabilize- ▁colleagues- ▁guarantee- ▁realization- ▁rule- ▁servicing- ▁frequency- ▁architecture- ▁introducing- ▁sitting- ▁maturity- gi- ▁regardless- ▁offsetting- ▁doubt- duc- if- down- ▁itll- ▁remove- pay- ▁adjusting- ▁manager- ▁borrowing- ▁tenant- ▁formula- ▁capable- nic- ▁prime- ▁acreage- ▁election- ▁cal- ▁conduct- ▁seasonally- ▁indeed- ▁entertainment- ▁hybrid- ▁factory- ▁thousands- ▁eps- ▁bro- ▁distinct- ▁refinancing- ▁transmission- ▁published- ▁knew- ▁dia- lan- ▁hub- ▁tighten- ▁retailer- ▁proposed- ▁upper- ▁permanent- ▁talented- ▁interaction- ▁newer- ▁assure- ▁star- ▁approvals- ▁won- loc- ▁round- ory- ▁mr- ▁consequence- ▁anybody- ▁communicate- ▁write- ▁warrant- ▁minor- press- ▁owned- ▁dramatic- ▁characterize- ▁books- ▁older- ▁incredible- ▁exception- ▁seamless- ▁route- ▁waste- tan- ▁70- ▁amazon- ▁utilizing- ▁deploying- ▁cable- ▁promotion- ▁onetime- ▁bri- ▁cu- ▁indicator- ▁wave- ▁tv- ▁wonderful- ▁award- ▁dialogue- ▁generic- ▁blue- ▁prevent- ▁demonstrating- ▁reinsurance- ▁install- par- ▁legislation- ▁michael- ▁spoke- ▁scott- ▁russia- ▁firms- ▁reviewing- ious- ▁seat- ▁horizon- ▁synergy- ▁engaging- ▁entry- ▁concentration- ▁pillar- ▁voice- ▁levers- ▁reflection- ▁damage- ▁skills- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁unlike- ▁latter- ▁preparing- ▁menu- ▁publish- ▁dry- ▁unfortunately- ▁women- ▁none- ▁cities- ▁ticket- ▁referring- ▁headcount- ▁candidates- ▁tim- ▁layer- ▁committee- ▁advisory- ▁fortunate- ▁modeling- ▁narrow- ▁fundamentally- ▁continuously- ▁permian- ▁equal- ▁massive- ▁vessels- ▁streamline- ▁threat- ▁pharma- ▁essential- ▁facilitate- ▁respective- ▁millions- ▁negotiate- ▁gulf- ▁streams- ▁measured- ▁procurement- ▁gaming- ▁electronic- ▁fantastic- ▁competing- ▁dave- ▁procedures- ▁ratios- ▁worse- ▁bob- ▁audit- ▁merchandising- ▁branches- ▁greatest- ▁appropriately- ▁advertisers- ▁ultimate- ▁heading- ▁documents- ▁distributor- ▁rock- ▁movements- ▁physician- ▁ter- ▁night- ▁link- ▁communicated- ▁analyst- ▁incentives- ▁payers- ▁score- ▁selected- sign- ▁reaching- ▁selection- ▁honest- ▁uptick- ▁mer- ▁electronics- ▁permit- ▁beliefs- ▁hundreds- ▁beverage- ▁pivot- ▁purchased- ▁grant- rn- ▁broadcast- ▁crop- ▁offices- ▁became- ▁leg- ▁receiving- ▁modestly- ▁proactive- ▁challenged- ▁divest- ▁assurance- ▁recognizing- ▁spin- ▁blend- ▁faced- ▁counter- ▁passion- ▁equally- ▁extraordinary- ▁disposition- ▁vendor- ▁promising- ▁affordable- ▁syn- ▁relate- ▁version- ▁claim- ▁sensor- ▁listening- ▁reset- ▁tender- ▁jump- ▁terrific- top- ▁cadence- ▁preference- ▁succeed- ▁liabilities- ▁upward- ▁carrier- ▁worldwide- ▁heat- ▁campaigns- ▁elaborate- ▁achievements- ▁che- ▁definition- ▁medicare- ▁harder- ▁wrong- ▁disposal- ▁upfront- ▁bunch- vers- ▁strengthened- ▁renovation- ▁lenders- ▁placement- ▁warehouse- ▁responsibility- ▁ri- ▁continually- ▁pat- ▁staffing- ▁matt- ▁euro- ▁extending- ▁collections- ▁shortage- ▁receivables- ▁notable- ▁navigate- ▁predictable- ifi- pped- ▁initiated- ▁dig- bra- ▁illustrate- ▁rid- ▁advancing- ▁adequate- ▁served- ▁bright- ▁paul- ▁raised- ka- ▁explained- ▁agenda- ▁rents- ▁listen- ▁boost- ▁compression- ▁beneficial- ▁convenience- ▁behalf- ▁uniquely- ▁sophisticated- ▁hedging- ▁professionals- ▁anyone- ▁rebound- stock- ▁preliminary- ▁anticipating- ▁200- ▁offered- ▁runway- ▁nav- ▁math- ▁pl- ▁joined- ▁precise- ▁tap- ▁pet- ▁secondary- den- ▁refresh- ▁realizing- ▁innovate- ▁internationally- ▁ball- ▁gi- ▁zone- ▁panel- ▁consistency- ▁title- ▁surface- ▁understood- ▁brian- ▁aerospace- ▁satisfied- ▁uncertain- ▁joe- driven- ▁continuation- ▁acceptance- ble- ▁settle- ▁minimize- ▁pan- ▁pending- ▁guarantees- ▁pharmaceutical- ▁agent- ▁harvest- ▁funded- ▁bundle- ▁tire- ▁document- cycle- ▁principles- ▁geography- ▁sellers- ▁prefer- ▁shut- ▁announcements- ▁graph- ▁rebuild- ▁preparation- ▁discovery- ▁ban- ▁efficacy- ▁advisers- ▁collective- ▁digit- ▁affecting- ▁occurring- ▁tower- ▁evident- ▁translation- ▁motor- ▁excitement- ▁aftermarket- ▁film- ▁container- ▁allowance- ▁severe- ▁constraints- ▁branded- ▁catalyst- ▁somewhere- ▁origin- ▁characteristics- ▁diagnostic- month- ▁equation- level- ▁alignment- ▁identifying- ▁anywhere- ▁conjunction- scale- ▁london- ▁marine- ▁watching- ▁pushed- ▁incur- ▁earning- ▁destination- ▁optimal- ▁party- ▁ebit- ▁distributed- ▁picking- ▁compound- ▁satellite- ▁linked- ▁obvious- ▁sum- ▁hopeful- place- ▁ambition- ▁optimism- ▁gen- ▁clarify- ▁diligently- ▁friend- ▁telling- ▁ingredient- ▁attack- ▁demographic- ▁fluctuations- ▁logic- ▁noise- ▁log- ▁benchmark- ▁agreed- ▁divestiture- ▁virtually- ▁reputation- ▁word- ▁requirement- ▁constitute- ▁activat- ▁jurisdiction- ▁wood- ▁pickup- ▁interim- ▁ka- ▁intense- ▁three- ▁yeartodate- za- ▁eastern- ▁validate- ▁24- ▁pad- ▁hydro- ▁reliance- ▁slowing- ▁enormous- ▁families- ▁feet- ▁pipe- ▁define- ▁currencies- ▁signing- ▁complicated- ▁competitiveness- ▁notably- stone- tax- ▁ge- ▁disclose- ▁suffer- ▁variabilit- ▁contracted- ▁stra- ▁background- ▁task- ▁stabilized- ▁manufacture- ▁transparent- ▁measurement- ▁representative- ▁alone- ▁booking- ▁represented- ▁maximizing- value- ▁burn- ▁deck- ▁accomplishments- ▁dive- xi- performing- ▁exceeding- ▁contemplate- ▁nuclear- ▁afford- ▁appetite- ▁consolidate- ▁philosophy- ▁television- ▁corresponding- ▁midpoint- ▁shorter- ▁fulfill- ▁unknown- ▁qualified- ▁therapeutic- ▁tre- ▁flu- hand- ▁grid- ▁startup- ▁bonus- ▁campus- ▁student- ▁accepted- ▁renewed- ▁assembl- ▁personally- ▁structured- ▁fra- ▁familiar- ▁virtual- ▁staying- ▁opt- ▁sorry- ▁recruiting- ▁code- ▁experts- ▁opex- ▁complementary- ▁gained- ▁memory- ▁hot- state- ▁flex- ▁former- ▁prospective- ▁ski- ▁proceed- ▁gradually- ▁classes- ▁korea- ▁tank- ▁allocate- ▁affiliate- ▁exploring- lon- ▁white- ▁bidding- ▁gate- ▁consultant- ▁contractual- ▁warm- ▁cold- light- wide- ▁macroeconomic- ▁passed- ▁appreciation- ▁tangible- ▁carbon- ▁chip- ▁neutral- ▁reaction- ▁gene- ▁send- ▁entity- ▁decent- ▁career- ▁guided- ▁gathering- ▁language- ▁vice- ▁cur- ▁cla- ▁franchisees- ▁auction- ▁fluid- ▁addressed- ▁stabilization- ▁representing- ▁crosssell- ▁rampup- ▁covenant- ▁kevin- ▁burden- ▁occasion- ▁royalty- ▁adjacent- ▁flavor- ▁session- ▁owner- ▁awarded- ▁epi- ▁softer- ▁southeast- ▁copy- ▁lap- ▁bucket- ▁distribut- ▁inflection- ▁mu- ▁progression- ▁noncash- ▁urban- ▁corner- ▁buyer- ▁refining- ▁sensitive- price- ▁funnel- ▁survey- ▁picked- ▁jack- ▁metro- ▁sentiment- ▁reasonably- ▁amazing- ▁progressive- ▁proceeding- ▁constructive- ▁mall- tel- ▁restrict- ▁revision- ▁wider- ▁renew- ▁shouldnt- ▁converting- ▁underpin- ▁recycling- ▁proactively- ▁downward- ▁trigger- ▁booked- ▁headline- ▁transport- ▁testament- ▁clinic- ▁earned- ▁mutual- ▁charter- ▁developers- room- ▁animal- ▁pack- ville- ▁firmly- ▁deliberate- ▁arise- ▁module- ▁club- ▁sight- ▁deepen- ▁operated- ▁2014- ▁diligence- ▁referred- ▁premier- ▁mandate- ▁sample- ▁style- ▁barrels- ▁construct- ▁row- ▁reg- ▁indicative- ▁meant- ▁letter- ▁acknowledge- ▁whilst- ▁cooper- ▁laser- ▁achievement- ▁fy- ▁master- ▁fan- ▁supportive- ▁downstream- ▁mitigat- field- ▁shelf- ▁cutting- ▁capturing- ▁registration- ▁compensate- ▁radio- ▁traditionally- ▁cyclical- ▁steadily- ▁detect- ▁ideal- ▁applicable- ▁artificial- ▁attempt- ▁valueadded- ▁standing- ▁naturally- ▁resilient- ▁alliance- ▁reit- ▁accept- ▁treated- ▁programming- ▁concentrated- ▁marked- ▁anticipation- ▁properly- ▁cheap- ▁tailwind- ▁listeners- ▁casual- ▁furthermore- ▁functional- ▁commodities- source- ▁principal- ▁audio- ▁employment- ▁apparel- ▁entities- ▁membership- ▁augment- ▁fight- ▁fl- ▁billion- ▁concession- ▁semiconductor- ▁visible- ▁implications- ▁composition- ▁authorities- ▁mag- tric- ▁wire- ▁indirect- ▁messaging- ▁literally- ▁broadband- ▁discover- ▁resolved- ▁announcing- ▁equivalent- ▁swing- ▁handling- ▁repositioning- ▁uk- ▁pit- ▁historic- ▁economies- ▁spain- ▁monetize- ▁greg- ▁turnover- ▁transactional- ▁clo- ▁kept- ▁certainty- ▁brexit- ▁regulated- ▁italy- ▁commit- ▁discontinued- ▁separation- ▁establishing- ▁amongst- ▁beauty- ▁hired- ▁scientific- ▁territories- ▁image- ▁satisfy- ▁payroll- ▁pound- ▁redevelopment- ▁tariff- ▁cautionary- ▁parent- ▁apple- ▁military- ▁prioritize- ▁losing- ▁yourself- quarter- ▁prescription- ▁district- ▁fun- ▁technological- ▁strict- ▁adopted- ▁endpoint- ▁bullish- ▁strive- ▁reflective- ▁predominantly- ▁copper- ▁evidenced- ▁northeast- ▁scheme- ▁pharmacy- water- ▁tier- ▁quicker- ▁popular- ▁standalone- ▁attrition- ▁washington- ▁database- ▁differential- ▁personalized- ▁balancing- ▁delever- wood- ▁slowed- ▁pause- ▁official- ▁overseas- ▁inject- ▁dar- ▁union- ▁dc- ▁lever- ▁hitting- ▁fabric- ▁elsewhere- ▁precision- ▁poor- ▁prospect- ▁ease- ▁handful- ▁assumed- ▁carolina- ▁swap- ▁territory- ▁description- ▁household- ▁bla- ▁meantime- ▁intellectual- ▁mobility- ▁outlet- ▁controlling- ▁samestore- ▁sizable- ▁periodic- grade- ▁enroll- ▁chosen- ▁carried- ▁payout- ▁airport- ▁competenc- ▁referenced- ▁combining- ▁wall- service- ▁issuance- ▁receivable- ▁shrink- ▁pra- ▁industryleading- ▁proof- ▁alluded- ▁noncore- ▁realistic- ▁upstream- ▁telecom- ▁absorption- ▁appendix- ▁materialize- ▁sooner- ▁shipment- ▁collaborat- ▁definitive- ▁automated- ▁vote- ▁lifetime- ▁conducted- ▁basket- ▁lumpy- ▁differentiator- ▁migrate- ▁float- ▁capitalized- ▁cool- ▁midstream- ▁bump- ▁governance- ▁takeaway- ▁temp- ▁electricity- ▁output- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- ▁frank- ▁maximum- ▁repayment- ▁intensity- ▁exhibit- ▁hong- ▁amendment- ▁cohort- ▁kong- ▁agile- ▁disappointed- ▁surgical- ▁tele- ▁separately- ▁sim- ▁judgment- ▁undu- ▁penetrate- ▁quote- view- ▁hour- ▁domain- ▁german- ▁body- ▁consist- ▁ev- ▁methodology- ▁principally- ▁sym- ▁rank- ▁chicago- ▁relentless- ▁scaling- ▁spite- ▁argentina- ▁email- ▁instore- app- ▁mac- ▁lifestyle- ▁therapies- ▁throughput- ▁cfo- ▁foreseeable- ▁observed- ▁fifth- ▁resolve- ▁mineral- ▁smartphone- ▁deduct- ▁municipal- ▁duty- ▁hurdle- oriented- ▁manufacturer- ▁diesel- run- ▁fell- ▁sensitivity- ▁tie- cular- ▁battery- brand- ▁passenger- ▁inflationary- ▁google- ▁investigation- bl- ▁disruptive- ▁luxury- ▁approaches- ▁delaware- ▁barrier- ▁31- ▁variation- ▁correctly- ▁observation- ▁securing- ▁ken- ▁interpret- ution- ▁nation- ▁recruit- ▁profitably- print- ▁underground- ▁protocol- ▁delighted- ▁identity- ▁noticed- logic- ▁advancement- ▁constrained- ▁strike- ▁derive- ▁casino- ▁remote- ▁submission- ▁rain- ▁bankers- ▁suppose- ▁explanation- ▁hyper- ▁causing- ▁compute- ▁scrap- ▁irr- focused- cast- ▁downside- ▁refinance- ▁prepayment- ▁expenditure- ▁gradual- ▁slowly- order- ▁peer- ▁simultaneously- ▁interface- ▁favorably- ▁considerably- ▁worldclass- ▁comprise- ▁tumor- bility- ▁responsive- ▁commerce- ▁niche- ▁movie- ▁extract- ▁stake- ▁myself- ▁flight- ▁exceptionally- ▁vessel- ▁mindful- ▁remarkable- ▁outflow- ▁shipped- qua- ▁incident- well- ▁lie- ▁conventional- ▁accommodate- ▁allocated- ▁finalized- ▁rare- ▁weekend- ▁saas- ▁embrace- ▁ample- ▁integrity- ▁monetization- ▁supplies- centric- ▁redeploy- ▁remodel- ▁disrupt- ▁nextgeneration- ▁surgery- ▁climate- book- ▁threshold- ▁normalize- ▁recommendation- ▁payable- ▁leaving- ▁parallel- ▁fulfillment- ▁enthusiasm- ▁relief- ▁delta- ▁yearonyear- ▁honor- star- ▁subsidiaries- ▁surrounding- ▁deflation- ▁singledigit- ▁consume- ▁pop- ▁innovat- ▁strides- ford- ▁thorough- ▁dozen- ▁weigh- ▁chose- ▁conscious- ▁intelligent- ▁variance- ▁preserve- ▁attend- ▁collaborative- ▁association- ▁multifamily- ▁congress- ▁controlled- ▁missed- ▁acute- ▁enthusiastic- ▁resilience- ▁everywhere- ▁resort- ▁aviation- ▁rico- ▁surprising- ▁submitted- ▁omnichannel- ▁spirit- ▁sudden- ▁avenue- ▁array- ▁density- ▁outdoor- ▁calculated- build- power- ▁specialist- ▁consolidating- ▁breakdown- ▁optionalit- ▁rigorous- ▁predictions- ▁educate- ▁anchor- ▁proper- ▁advice- ▁novel- ▁nonrecurring- ▁subsidiary- ▁protein- ▁deem- ▁peter- ▁treasury- ▁inspection- ▁impression- ▁termination- ▁outperformance- ▁acceptable- ▁negotiation- ▁consumable- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁accountability- ▁struggle- ▁empower- ▁loyal- ▁strip- ▁crisis- ▁geo- wise- ▁defend- ▁vital- ▁algorithm- ▁urgency- ▁pathway- ▁reposition- ▁analytic- ▁electrical- ▁pleasure- ▁proxy- ▁failure- ▁extreme- ▁blood- ▁derivative- ▁robotic- ▁certification- ▁accident- ▁impressed- ▁discretionary- stream- ▁dimension- ▁articulat- ▁recession- ▁triple- ▁stockholders- ▁silver- ▁frequently- ▁inclusion- ▁medicaid- ▁molecule- ▁glass- ▁vegas- product- ▁authority- ▁reinvestment- ▁jv- ▁upgrading- equ- ▁spoken- ▁sku- ▁engineers- ▁eagle- ▁jersey- ▁exposed- ▁unexpected- ▁unfold- ▁agility- ▁bestinclass- ▁sweet- ▁alongside- ▁society- ▁worry- ▁comparing- ▁studio- ▁granular- ▁keen- ▁alberta- ▁breakeven- ▁christmas- ▁goforward- ▁twice- ▁workflow- ▁imaging- ▁scan- ▁perception- ▁grand- ▁authorization- ▁concrete- ▁receipt- ▁absence- ▁australian- ▁radi- ▁comparative- ▁negotiating- ▁nutrition- ▁replacing- ▁guiding- ▁stretch- ▁underscore- ▁apartment- ▁younger- ▁collateral- ▁script- ▁resume- ▁plastic- ▁turkey- ware- ▁dilution- ▁anniversary- ▁phil- ▁computing- ▁substitute- ▁river- ▁disappointing- ▁specialized- '50'- ▁determination- ▁powder- ▁oncology- ▁japanese- ▁imply- ▁rationalization- ▁finalize- ▁preclinical- ▁undertaking- ▁register- ▁hospitality- ▁thrilled- ▁valley- ▁secular- ▁music- ▁cultural- ▁holistic- ▁lowcost- ▁hurt- ▁outsourcing- ▁adult- ▁invite- ▁reorganization- ▁unified- ▁reservoir- ▁motion- ▁glad- ▁visual- ▁regime- ▁theater- ▁academic- ▁concentrate- ▁cancellation- ▁diluted- ▁inorganic- ▁deleveraging- ▁french- ▁bolster- ▁simplification- ▁writing- ▁headquarters- ▁submit- ▁resonate- ▁midwest- ▁university- ▁brokerage- plus- ▁relevance- ▁text- ▁boston- ▁practical- ▁midst- ▁max- ▁nobody- ▁intangible- ▁snow- ▁bankruptcy- ▁overlap- ▁doug- ▁modernization- ▁cargo- ▁wallet- ▁merit- ▁revolving- ▁aluminum- ▁stabilizing- ▁recommend- ▁procedure- ▁immune- ▁valid- ▁restore- ▁coffee- ▁arrive- ▁reconcile- performance- ▁referral- '20'- ▁children- ▁geographically- ▁accretion- ▁reversal- ▁tissue- ▁tomorrow- ▁nimble- ▁uplift- ▁nevertheless- ▁revolver- ▁willingness- ▁convenient- ▁deterioration- ▁contingent- ▁parameters- ▁pursuit- ▁cyber- '95'- ▁root- ▁costeffective- ▁lumber- ▁singapore- ▁arpu- ▁gift- ▁fail- ▁borrowers- ▁town- ▁convertible- ▁journal- ▁fish- charge- ▁temperature- ▁character- ▁modification- ▁ocean- ▁suspect- ▁possibilities- ▁flood- ▁solely- ▁brazilian- ▁experiment- ▁colorado- ▁foresee- quartertoquarter- ▁inefficienc- ▁notwithstanding- ▁spike- ▁transit- ▁interconnect- ▁analyzing- ▁qualify- ▁banner- ▁maturit- growth- ▁eliminating- ▁retire- ▁virginia- ▁accuracy- ▁redemption- ▁recruitment- ▁click- ▁guidelines- ▁restrictions- ▁broadbased- ▁continent- ▁grocery- ▁additive- ▁chunk- ▁formulation- ▁intervention- ▁hence- ▁silicon- ▁unprecedented- ▁expire- ▁kids- ▁apparent- ▁stories- ▁poised- ▁anymore- ▁redesign- ▁hawaii- ▁likelihood- ▁gotomarket- ▁plate- ▁aspiration- ▁correlation- ▁qualification- ▁underwrite- ▁engineered- ▁consequently- ▁craft- ▁foremost- ▁consent- ▁colombia- ▁tactical- ▁forget- ▁eric- ▁permitting- ▁healthier- force- ▁mechanical- ▁poland- ▁realignment- ▁refinery- ▁replicate- ▁outpace- ▁chairman- ▁doubling- contract- ▁generator- ▁rick- ▁appliance- ▁contrast- ▁candidate- efficient- ▁ontario- ▁saving- ▁borrow- ▁proving- ▁friday- ▁photo- ▁assistance- ▁worried- ▁judge- ▁refund- ▁hundred- ▁embark- ▁ultra- ▁greenfield- ▁consensus- ▁accessories- ▁flagship- ▁entrepreneur- ▁diamond- ▁expiration- ▁forefront- ▁venue- ▁default- ▁placing- ▁choosing- ▁fluctuate- ▁attendance- ▁hike- ▁dallas- ▁fragmented- ▁classified- ▁optical- ▁revolution- ▁institution- ▁chronic- ▁conviction- ▁demonstration- ▁overwhelm- ▁struggling- ▁sky- ▁broken- ▁decreasing- ▁sweden- turn- ▁heightened- ▁pennsylvania- ▁intake- ▁genetic- mobile- ▁crystal- ▁reaffirm- ▁regulator- ▁transact- ▁dropped- ▁advertise- ▁decelerat- ▁unsecure- ▁worst- ▁perpetual- ▁trouble- ▁gather- ▁walmart- ▁accrue- ▁pulp- ▁caught- ological- ▁uptake- ▁furniture- ▁pronounced- '10'- ▁ohio- ▁quantity- ▁routine- ▁mindset- ▁resonat- ▁severity- ▁debate- modal- ▁diminish- ▁riskadjusted- ▁shutdown- ▁initiate- ▁circuit- ▁coach- ▁muted- ▁autonomous- ▁flip- ▁mistake- ▁slate- ▁ambitious- ▁dispute- ▁probability- ▁residents- ▁residual- ▁border- ▁grain- ▁upsell- bank- ▁cluster- ▁equities- ▁simplified- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁intact- ▁communicating- ▁annuity- ▁calculate- ▁authentic- spec- ▁requiring- ▁surplus- ▁instant- ▁allocating- ▁facebook- ▁universal- ▁witness- ▁jason- ▁teleconference- ▁expert- ▁coupon- ▁ancillary- ▁civil- ▁garden- ▁restart- ▁illinois- ▁emissions- ▁impossible- ▁chapter- ▁premise- ▁baked- ▁elevate- ▁filter- ivity- ▁perceive- ▁nursing- ▁realign- ▁distinguish- ▁refocus- ▁friction- ▁crack- ▁royalties- ▁college- ▁longstanding- ▁overnight- ▁incumbent- ▁endtoend- ▁snap- ▁millennial- ▁manifest- ▁regain- ▁rebate- ▁dining- ▁imperative- sphere- ▁tenure- ▁indonesia- ▁promoting- ▁transcript- ▁principle- ▁bottle- ▁flag- ▁atlantic- ▁diligent- ▁phoenix- ▁instruct- ▁neuro- ▁george- ▁prescribe- ▁heritage- ▁accrual- ▁nationwide- ▁replenish- ▁article- ▁british- ▁stepped- ▁appointment- ▁dominant- ▁zealand- free- '00000'- ▁advisor- ▁delinquenc- ▁speculate- ▁inspire- ▁envision- ▁affordabilit- ▁crucial- ▁secret- ▁integral- ▁landlord- ▁streamlining- ▁modify- ▁quota- ▁province- ▁isolation- ▁beach- ▁albeit- ▁disaster- ▁entrant- ▁erosion- ▁relied- ▁elimination- ▁republic- ▁logistic- ▁opposite- ▁signature- ▁decisionmaking- ▁midsingle- mitted- ▁privilege- ▁shortfall- ▁correlate- ▁frozen- ▁ordinary- ▁omni- ▁neighborhood- ▁implies- ▁curtail- ▁charging- ▁institute- ▁patience- ▁temporarily- ▁systematic- ▁argue- ▁eligible- ▁leisure- ▁reception- ▁implant- ▁atlanta- ▁northwest- ▁vacation- ▁minus- realized- ▁exploit- ▁differentiating- ▁sugar- ▁premature- ▁thrive- ▁fraud- ▁revpar- ▁flash- ▁revisit- ▁lumpi- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁convention- ▁highermargin- ▁skew- ▁bandwidth- ▁catastrophe- ▁netherlands- ▁midterm- specific- ▁taste- ▁dairy- ▁eager- ▁liberty- ▁oklahoma- ▁phasing- ▁accumulate- ▁unemployment- ▁softening- ▁depressed- ▁airplane- ▁prevail- ▁analog- ▁footwear- ▁terminate- ▁arizona- abilities- ▁pioneer- ▁cancel- ▁agriculture- ▁thermal- ▁composite- ▁argument- ▁wellpositioned- ▁medication- ▁neither- ▁excuse- ▁qualitative- ▁concert- ▁determining- ▁michigan- ▁mirror- ▁thereafter- ▁manual- ▁applies- ▁horizontal- ▁prepaid- ▁repricing- ▁indicating- ▁queue- ▁observe- ▁amended- weight- ▁encounter- ▁inhibitor- ▁meanwhile- ▁toronto- ▁inclusive- ▁stopped- ▁robert- ▁concluding- ▁configuration- ▁pleasant- ▁cook- ▁clarification- ▁buffer- ▁relocation- ▁parcel- ▁convey- ▁showcase- ▁severance- ▁inbound- ▁inquiries- ▁trailing- ▁drink- ▁snack- ▁chemistry- ▁energized- ▁removing- ▁modified- ▁circle- ▁kitchen- ▁vacancy- ▁plug- ▁southwest- ▁steep- ▁illustrat- ▁scheduling- ▁celebrate- ▁diabetes- ▁alpha- ▁frequent- ▁achievable- ▁molecular- ▁bounce- ▁quiet- ▁cumulative- ▁capacities- ▁bolton- ▁comparability- ▁phenomenon- ▁steward- ▁reseller- ▁pertain- ▁resiliency- ▁awful- ▁shoot- ▁clinicians- ▁measuring- ▁pleasing- ▁maturing- ▁prototype- ▁survival- ▁rural- ▁heavier- ▁immuno- ▁universe- ▁louisiana- ▁marketleading- ▁weakening- ▁somehow- ▁credibility- ▁battle- ▁declare- ▁involving- ▁columbia- ▁ounces- ▁significance- ▁compromise- ▁feasibility- ▁mexican- ▁tobacco- ▁england- ▁chicken- ▁archive- ▁gauge- ▁ought- ▁enforcement- ▁remediation- ▁relaunch- ▁dictate- ▁legislative- ▁modular- ▁cushion- ▁voluntary- demand- ▁distress- ▁quantitative- ▁releasing- ▁statutory- ▁roadmap- ▁ryan- ▁mortality- ▁scratch- ▁syndicate- ▁turbine- ▁breast- ▁james- ▁absent- ▁crm- ▁discontinu- ▁milk- ▁missouri- ▁salaries- ▁concurrent- ▁coordinate- ▁tonnage- ▁automatically- ▁catalog- ▁martin- ▁minnesota- ▁deficit- ▁reorganiz- responsibilities- ▁multinational- ▁opioid- ▁salespeople- ▁distance- thanexpected- ▁compliant- ▁dilutive- ▁proximity- ▁zero- ▁tuckin- ▁incorporating- ▁migrating- ▁mediumterm- ▁undergoing- ▁scalabilit- ▁geopolitical- ▁uniform- ▁solving- ▁intermediate- ▁angeles- ▁saudi- ▁stimulate- ▁nominal- ▁midteens- ▁speculation- ▁freedom- iconic- ▁distraction- ▁shock- ▁describing- ▁jewelry- ▁sleep- ▁squeeze- ▁gasoline- ▁refurbish- ▁unmatch- ▁golf- ▁associate- ▁removal- ▁wheel- ▁interior- ▁noninterest- ▁prohibit- ▁finaliz- ▁consultation- ▁kansas- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "description_en": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout ddd205f05e4a323a0aeb5cae81604a7bb5abfa45pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Thu Mar 4 09:32:06 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.7.1`- Git hash: `fde26e9b249045a76e6cf809c85f9ab7118c2028` - Commit date: `Thu Mar 4 09:06:55 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|95401|98.2|1.3|0.5|0.4|2.2|32.5||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|946469|98.1|1.3|0.5|0.4|2.3|33.6|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|543236|99.4|0.2|0.4|0.3|0.9|32.5||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|5393048|99.4|0.2|0.4|0.3|1.0|33.6|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|102933|98.0|1.2|0.7|0.4|2.4|32.5||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|1022838|97.9|1.3|0.8|0.4|2.5|33.6|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 46040dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_en_bpe5000/train/speech_shape- exp/asr_stats_raw_en_bpe5000/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_en_bpe5000/valid/speech_shape- exp/asr_stats_raw_en_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_nodev/wav.scp - speech - sound- - dump/raw/train_nodev/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/wav.scp - speech - sound- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁a- ▁our- s- ▁is- ▁on- ▁for- ▁as- ▁are- ▁you- ▁have- ▁i- ▁this- ▁with- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ing- ▁think- ▁what- ▁not- ▁some- ▁us- ▁or- ▁by- ▁new- ▁well- ▁about- ▁do- ▁growth- ▁can- ▁which- ▁was- ▁an- ▁its- ▁there- ▁very- ▁these- ▁also- ▁market- ed- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- d- ▁just- ▁been- ▁has- ▁weve- ▁over- ▁those- ▁they- ▁if- ▁time- ▁first- ▁where- ▁customers- ▁into- ▁out- ▁like- ▁how- ▁results- ▁other- ▁really- ▁last- ▁their- ▁up- ▁one- ▁expect- ▁than- ly- ▁look- ▁your- ▁because- ▁when- ▁through- ▁any- ▁get- ▁call- ▁good- ▁strong- ▁sales- ▁had- ▁believe- ▁then- ▁second- ▁revenue- ▁thats- ▁company- ▁performance- ▁years- ▁make- ▁product- ▁financial- ▁lot- ▁capital- ▁much- ▁cost- ▁could- ▁right- ▁both- ▁them- ▁impact- ▁terms- ▁future- ▁want- ▁dont- ▁value- ▁forward- ▁work- ▁next- ▁little- y- ▁back- ▁customer- ▁products- ▁bit- ▁increase- ▁number- ▁end- ▁take- ▁may- e- ▁while- ▁kind- ▁markets- ▁higher- ▁opportunities- er- ▁half- ▁able- ▁way- ▁during- ▁operating- ▁significant- ▁know- ▁better- ▁most- ▁go- ▁things- ▁cash- ▁focus- c- ▁2- ▁say- ▁still- ▁im- ▁part- ▁point- ▁lower- r- ▁statements- ▁provide- ▁should- ▁being- ▁across- n- ▁need- ▁made- ▁team- ▁important- ▁opportunity- ▁line- al- ▁third- ▁today- ies- ▁people- ▁rate- ▁theres- ▁down- ▁many- ▁no- ▁fourth- ▁strategy- ▁looking- ▁portfolio- m- ▁continued- t- ▁before- ▁me- ▁price- ▁level- ▁industry- ▁around- ▁management- ▁youre- ▁great- ▁working- ▁demand- ▁investment- ▁additional- ▁due- ▁share- ▁thank- ▁even- ▁actually- ▁progress- ▁give- ▁here- ▁come- ▁plan- ▁only- ▁seeing- ▁few- ▁margin- ▁overall- ▁costs- ▁development- ▁further- ▁drive- ▁high- ▁service- p- ▁same- ▁grow- ▁current- ▁different- ▁result- ▁data- ▁seen- ▁3- ▁technology- ▁coming- ▁doing- ▁services- ▁change- ▁earnings- ▁who- ▁positive- ▁key- ▁guidance- ▁start- ▁process- ▁again- ▁position- ▁turn- ▁full- ▁investments- ▁past- ▁forwardlooking- ▁support- in- ▁said- ▁improve- ▁did- ▁got- es- ▁given- ▁within- ▁environment- ▁basis- ▁based- ▁expected- ▁re- ▁increased- ▁sure- ▁my- ▁focused- ▁sort- ▁question- ▁help- ▁potential- ▁pricing- ▁large- ▁businesses- ▁months- ▁remain- ▁side- ▁such- ▁making- ▁program- ▁done- ▁balance- ▁maybe- ▁put- ▁something- o- ▁strategic- ▁production- ▁information- ▁ability- ▁interest- ▁platform- ▁move- ▁already- f- ▁couple- ▁use- b- ▁feel- ▁best- ▁mentioned- ▁acquisition- ▁several- ▁talk- ▁early- ▁each- ▁operations- ation- ▁segment- re- ▁expectations- ▁long- ▁q- ▁base- ▁deliver- ▁commercial- ▁tax- ▁assets- ▁rates- ▁order- ▁changes- k- ▁pleased- ▁experience- le- ▁build- ▁place- ▁period- ▁certain- ▁ill- ▁benefit- ▁including- ▁growing- ▁quarters- ▁improvement- ▁projects- ▁model- ▁under- ▁related- ▁initiatives- ▁flow- ▁fact- ▁addition- ▁companies- ▁activity- ▁driven- ▁areas- ▁factors- ▁getting- ▁margins- ▁net- ▁existing- ▁continues- ▁mix- ▁after- g- ▁term- ▁big- ▁levels- ▁s- ▁id- ▁volume- ▁income- ▁does- ▁theyre- ▁release- ▁pretty- ▁clients- ▁thing- ▁course- ▁project- ▁capacity- ▁probably- ▁might- ▁day- ▁competitive- ▁having- or- ▁every- ▁brand- a- ▁risk- ▁always- ▁marketing- ▁de- ▁global- ▁why- w- ▁mean- i- ▁actual- ▁c- ▁leverage- ▁solutions- ▁quite- ▁building- ▁another- ▁supply- ▁prices- ▁saw- ▁credit- ▁off- ▁digital- ▁yes- ▁update- ▁less- ▁world- ▁offset- ers- ▁conference- ▁real- ic- ▁view- ▁let- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁success- ▁system- ▁top- ▁quality- ▁obviously- ▁between- ▁operational- ▁review- ▁far- ▁efforts- ion- ▁area- ▁shareholders- ▁prior- ▁certainly- ▁group- ▁pipeline- ▁todays- ▁return- ▁range- ▁whether- ar- ▁understand- ▁expenses- ▁continuing- ▁trying- ▁primarily- ▁amount- ch- ▁retail- l- ▁low- ur- ▁questions- ▁taking- ▁2017- ▁inventory- ▁4- ▁consumer- u- ▁outlook- ▁set- able- ▁total- ▁5- ▁presentation- ▁improved- ▁ahead- ▁contract- en- ▁since- ▁p- ▁structure- ▁expense- ▁major- ▁clear- ▁fiscal- ▁profitability- ▁approach- ▁add- ▁confident- ▁risks- it- ▁timing- ▁capabilities- ▁expand- ▁distribution- ▁companys- ▁increasing- ▁materially- ▁own- ▁partners- ▁expansion- ▁revenues- ▁invest- ▁however- ▁specific- ▁longterm- ▁youve- ▁solid- ▁hard- ▁ago- ▁2018- ▁space- ▁benefits- ▁driving- ▁excited- ▁keep- ▁acquisitions- ▁plans- ▁talked- ▁increases- ▁differ- ▁small- ▁strength- ▁china- ▁particularly- ri- ▁sheet- ▁consistent- ▁begin- ▁perspective- x- ▁bring- ▁asset- ▁10- ra- li- ▁stores- ▁network- ▁debt- ▁1- ▁compared- ▁open- ▁sense- at- ▁f- ▁per- ▁un- ▁patients- ▁close- ▁control- ▁improving- ▁versus- ▁programs- 'on'- ▁average- ▁measures- ▁beginning- ▁numbers- ▁run- ne- ▁currently- ▁care- ▁needs- ▁significantly- ▁2016- ▁trends- ▁create- ▁innovation- ▁scale- ▁conditions- ▁please- ▁starting- ▁okay- ▁together- ▁tell- ▁trend- th- ▁decline- ▁energy- ▁advantage- ▁points- ll- ▁anything- ▁organization- ▁volumes- ▁detail- ▁whats- ▁throughout- ▁transaction- ▁difficult- ma- an- ▁brands- ▁pay- ▁execution- ▁include- ▁profit- ▁towards- ▁deal- ta- ▁e- ▁health- ▁gas- ▁cause- ate- ment- ▁material- ▁similar- ▁access- ▁later- ▁larger- ▁greater- ▁reduce- ▁efficiency- ▁remains- ▁spend- ▁store- ▁organic- ▁international- ▁systems- ▁yet- ▁uncertaint- ▁record- ▁events- ▁comments- il- ▁power- ▁example- ▁ongoing- ▁note- ▁fully- ▁investors- ▁longer- ▁teams- ▁6- ▁successful- ▁g- ▁oil- ▁direct- ▁announced- ▁morning- ck- ▁board- ▁infrastructure- ▁everyone- ▁sell- ▁find- ▁returns- ▁discuss- ▁front- se- ▁along- et- ive- ▁europe- ▁transition- ▁started- ▁track- ▁once- ▁case- ▁recently- ro- ▁allow- ▁talking- ▁particular- '1'- ▁achieve- ▁manage- ▁rest- ▁momentum- ▁providing- ▁become- st- ▁improvements- ▁press- ▁economic- ▁completed- ▁associated- ▁clearly- ▁shift- ▁report- ▁lines- ▁try- ▁guess- ▁activities- ▁discussed- ▁stock- ▁beyond- ▁segments- ▁previously- ▁size- ▁general- ▁impacted- ▁integration- ent- ▁confidence- ▁decision- ce- ▁pressure- ▁equity- ▁remarks- ▁regarding- ▁anticipate- ▁meaningful- ▁am- ▁offering- ▁issues- v- ▁effect- ▁reduction- ▁partner- ▁offer- ▁adjusted- ▁against- ▁annual- ▁too- ▁reason- ▁local- ▁launch- ▁delivering- ▁meet- h- as- ▁used- la- co- ▁incremental- ▁co- ▁website- ▁positioned- ▁target- ▁money- ▁equipment- ▁subject- ▁cycle- ▁he- ▁finally- ▁items- ▁slightly- ▁st- ul- ▁multiple- ▁percentage- ▁contracts- ▁guys- ▁quickly- ▁channel- ▁although- ▁without- ▁leadership- ▁relative- ▁actions- ▁especially- ▁selling- to- ▁con- ▁o- ▁resources- ▁using- ▁corporate- ▁construction- ▁spending- ▁possible- ▁unique- ▁address- '2'- ▁generate- ▁design- ▁answer- ▁manufacturing- ity- ▁public- ▁serve- ▁remind- ▁facility- ▁date- ▁combination- ▁comes- ▁maintain- ▁means- ▁comment- ▁complete- ▁online- ▁execute- ▁cloud- ▁employees- ▁included- ▁show- ▁free- ▁either- ▁pre- ▁taken- ▁content- ▁short- ▁details- ▁k- el- ▁loan- ▁job- ▁ensure- ▁until- ▁issue- ▁client- ▁challenges- ter- ▁didnt- ▁attractive- ▁various- ▁color- ▁type- ▁investing- ▁whole- ▁leading- ▁reflect- ▁t- ▁play- ▁clinical- ▁single- ▁thanks- ▁home- ▁negative- ▁previous- ▁government- ▁chain- ▁month- ▁moment- ▁exchange- ▁situation- ▁wanted- ▁productivity- ▁step- ▁marketplace- ▁thinking- ▁turning- ▁bank- ▁b- ▁regulatory- ▁forecast- ▁solution- ▁happen- ▁relationships- tic- ▁stronger- ▁ive- ▁largest- ▁committed- ▁thought- ▁- ▁form- ▁discussion- ▁develop- ▁goal- ▁20- ▁deals- ▁sale- ▁despite- ▁profitable- ▁consumers- ▁relatively- ized- ▁following- ▁hope- ▁delivered- na- z- ▁portion- ▁life- ▁favorable- est- ▁anticipated- ▁savings- ▁unit- ▁combined- mi- ▁lead- ▁season- ▁2019- ry- ▁bottom- ▁transformation- ▁mi- ▁likely- ▁underlying- ke- ▁ebitda- ▁prepared- ▁youll- ▁ways- ▁entire- ▁provided- ▁respect- ▁delivery- ▁havent- ▁cant- ▁least- ▁days- ▁flat- ▁nongaap- ti- ating- ▁near- ▁though- '3'- ▁category- ▁highly- ▁normal- ▁orders- ated- ▁enterprise- de- ol- ▁flexibility- te- ▁dividend- ▁gives- ▁closing- ▁experienced- ▁generally- me- ▁account- ▁critical- ▁private- ▁built- ▁industrial- ▁agreement- ▁majority- ▁came- ▁bo- ▁18- ▁generation- ▁ro- ▁test- age- ▁expanding- ▁week- ▁upon- ▁center- ▁buy- ▁therefore- ▁everything- ▁initial- ▁enhance- ▁specifically- up- ▁challenging- ▁quarterly- ▁effective- ▁efficient- ▁accelerate- ization- ▁currency- ▁hand- ▁commitment- ▁doesnt- ▁property- ▁competitors- ▁country- ▁strategies- ▁commission- ▁required- ▁pro- ▁12- ▁active- '00'- ▁fair- ▁phase- ▁state- '4'- ▁competition- ▁ever- ▁provides- ▁decrease- ▁largely- ▁technologies- ▁region- ▁premium- ▁win- ▁software- ▁facilities- ▁trade- ally- ▁pace- ve- ▁weeks- ▁loss- ▁mobile- ▁securities- ▁book- ▁h- ▁profile- ▁behind- ▁his- ▁final- ▁lets- ▁d- com- ▁smaller- ▁meeting- ▁extremely- ▁enable- ▁insurance- ▁field- ▁enough- line- ▁stable- ▁ourselves- rs- ▁allows- is- ▁rather- ▁planning- ▁relationship- ▁patient- ▁sector- ▁recovery- ▁safety- ▁happy- ▁reported- ▁sustainable- ▁operate- ant- ia- ▁individual- ▁internal- ▁categories- ▁accounts- ▁includes- ▁reach- ▁loans- ▁away- ▁assumptions- ▁running- ▁reduced- ▁contribution- ▁effort- ▁speak- ▁transactions- ▁food- ▁wondering- ness- ▁exactly- id- po- ▁achieved- ▁estate- um- ize- ▁parts- am- ▁ex- ▁metrics- ▁gaap- ▁obligation- ▁above- ▁basically- ▁offerings- ▁present- ▁factor- ▁weather- ▁applications- ▁outside- ca- ▁units- ▁faster- ▁gain- ▁partially- ▁makes- ▁appropriate- ▁study- ▁7- ▁added- ▁accounting- ▁8- ▁security- ▁efficienc- ▁land- ▁plant- ▁discussions- ▁main- ▁channels- ad- ▁received- ▁r- ▁exciting- ▁m- ▁reflects- ▁seems- ▁investor- ▁restructuring- ▁fund- ▁consider- ▁fuel- ▁directly- ▁developing- ▁took- ▁national- ▁middle- nt- ▁tend- ▁car- ▁dis- ▁changed- ▁ultimately- us- ▁ramp- ▁light- ▁times- ▁mo- ▁integrated- ▁shareholder- ▁footprint- ▁completion- ▁stay- ▁statement- ▁response- ▁changing- ▁force- ▁joining- ▁ratio- ▁adding- ▁traffic- ▁community- ▁highlight- ▁labor- ▁mind- ▁typically- ▁reasons- ▁substantial- ▁fleet- ors- ▁drivers- ▁decisions- ▁capability- sh- ▁cover- ▁17- ▁january- ▁robust- ▁media- ▁purchase- ▁opening- ▁managing- im- ▁po- ▁creating- ▁healthy- ▁found- ▁platforms- ▁expectation- ▁gains- ▁options- ▁water- ▁december- ▁almost- ▁comp- ▁others- ▁processes- ist- ot- ▁engagement- ▁advertising- ▁page- ▁read- ▁happening- ▁predict- ▁disconnect- ▁importantly- ▁vi- ▁natural- ▁primary- ▁yield- ▁backlog- ▁potentially- ▁foundation- ▁direction- ▁9- ▁l- ▁late- ▁executing- lo- ▁nature- ▁office- tion- ▁conversion- ▁understanding- ▁traditional- ▁driver- ▁non- ▁fall- ▁optimistic- ▁bringing- ▁planned- ▁safe- ▁filings- ▁refer- ▁excellent- ▁putting- ▁saying- ▁limited- ▁historical- ▁comfortable- ▁effectively- ▁15- ▁highlights- ▁march- ▁million- ▁goes- ▁research- ▁necessary- ph- ▁visibility- ▁needed- ▁standard- ▁proud- ▁liquidity- ▁cases- ▁assume- ▁asia- ▁countries- ▁funding- ▁disciplined- ▁tremendous- ence- ▁headwind- ting- ▁losses- ▁ask- ▁else- ▁targets- ▁comparable- ▁encouraged- ▁lease- ▁standpoint- ▁mid- ▁path- ▁bigger- ▁regions- ▁wouldnt- ac- ▁30- ▁recognize- ▁volatility- ▁fit- ▁launched- ▁franchise- ▁june- em- ▁financing- ▁maintenance- ▁live- ▁difference- ▁never- ary- ▁september- ▁extent- ▁members- ▁expanded- ▁approximately- pa- ▁fixed- ▁utilization- ▁role- ▁remaining- ▁broader- ▁capture- mo- ▁perhaps- ▁hold- mp- ▁detailed- ▁types- ▁budget- ▁n- ▁reducing- ▁focusing- tr- ▁operation- ▁sold- based- ▁economy- ▁bill- ▁properties- ▁theyve- ▁ready- ▁appreciate- ▁partnership- ▁intend- ▁proposition- ▁exposure- ▁medical- ▁below- ▁interesting- ▁domestic- ▁dollars- ▁broad- ▁acquired- ▁w- ▁led- ▁remainder- ▁locations- ▁fees- ▁gross- ha- ▁capex- ping- ▁produce- ▁tools- ▁reflected- ge- ▁nice- ▁ha- ▁pull- ni- ▁allocation- va- ▁simply- ▁legacy- ▁2015- ▁card- ▁stage- ▁ca- ▁sa- ▁treatment- ▁biggest- ru- ▁went- ▁fairly- ▁hit- ▁deep- ▁takes- ▁successfully- ▁highest- om- ▁inflation- ▁follow- ▁increasingly- ▁en- ▁everybody- ▁optimize- ▁closely- ▁ma- ▁history- ▁wont- ▁summary- he- ▁buying- ▁commodity- ▁historically- ▁requirements- ▁schedule- ▁reporting- land- ▁mark- 'no'- ▁news- ▁drug- ▁shows- ▁necessarily- ▁19- ▁di- ▁count- ▁flows- ▁policy- ▁somewhat- ▁giving- ▁outstanding- bo- ▁priority- ▁reconciliation- ▁drilling- out- ance- time- ▁dollar- ▁attention- ▁mortgage- ▁talent- ▁list- ▁auto- ▁remember- os- ▁strengthen- ▁goals- ▁maintaining- ▁event- ▁trial- ▁table- ▁mainly- ▁name- ▁european- ▁evaluate- ig- ng- ▁expertise- ▁closed- ▁operator- ▁respond- way- ▁room- ▁license- ▁innovative- ▁paid- ▁post- ▁regard- ▁prospects- ▁steps- ▁component- ▁implementation- ▁recover- ▁funds- ▁itself- ▁shares- ▁periods- ▁la- di- ▁16- ▁discipline- ▁pass- ▁expecting- ▁advance- ▁speed- tor- ▁approval- ▁compensation- ▁learning- ▁canada- ▁south- ▁touch- ▁initiative- ▁testing- ▁materials- ▁definitely- ▁adoption- ▁priorities- ▁east- ▁payments- ▁developed- ▁true- ▁leader- ▁centers- ▁se- ▁piece- ial- ▁foreign- ▁act- ▁attract- ▁nothing- ex- ▁challenge- ▁reform- ▁sec- ▁matter- ▁analysis- pi- ▁october- ▁april- ts- ba- end- ▁synerg- ▁created- ▁banking- ▁realize- ▁ba- ▁double- ▁50- ▁perform- ns- ▁contain- ▁application- ▁advanced- ▁targeted- ▁culture- ▁fast- ▁payment- ▁happened- ▁action- ▁site- ▁undertake- ▁pursue- ted- ▁context- ho- lu- vi- izing- ▁among- ▁described- ▁actively- ▁ad- ▁presence- ▁worked- ▁aggressive- ator- ▁regional- ard- ▁summer- ▁road- ▁complex- ▁deployment- ▁technical- ▁emerging- ▁choice- ▁resulted- ▁resulting- ▁special- ▁steady- ▁additionally- per- ▁training- ▁finance- ect- ld- ▁joint- ▁affect- ▁seasonal- ▁conclude- ▁retailers- ▁break- ▁july- year- ▁banks- ▁dynamics- ▁helping- ▁holiday- ▁trading- ▁smart- ine- ▁managed- ut- rt- ▁huge- ▁designed- ▁deposit- ▁generated- ▁tough- ▁involve- ▁looks- ▁relates- ▁va- ▁leveraging- ▁noted- ▁positions- ▁upside- ▁modest- ▁division- ▁v- ▁coverage- ▁idea- ▁players- ▁participation- ▁becoming- ▁brazil- ▁fee- ▁dynamic- ▁otherwise- ▁represent- ▁vision- ▁push- ▁analytics- ▁absolutely- ▁models- ▁invested- ▁occur- ▁independent- 'off'- ▁measure- ▁j- ▁discount- ▁heard- ▁implemented- ▁story- ▁yearoveryear- ▁walk- ▁exit- ▁often- ▁gone- ▁ones- ▁federal- ▁app- ▁ground- ▁upgrade- ens- ▁correct- lt- ▁relevant- ▁transform- ▁bar- und- ▁affected- ill- cu- ▁providers- con- ▁common- ▁recognized- bu- ▁variety- ▁impacts- ten- q- ▁reasonable- ▁reminder- ▁helpful- pl- ▁november- ▁must- ▁moved- ▁specialty- ▁engine- ▁adjustments- ▁compete- ▁inter- ▁reflecting- ▁class- ▁enhanced- pe- nd- ▁source- ▁soon- ▁effects- ci- ▁developments- ▁wide- ▁central- ▁al- ton- ▁drop- ▁india- ▁generating- ▁multi- ▁essentially- ▁face- ▁renewal- ▁objectives- sa- ▁sp- gen- ▁protect- ▁trust- ▁ni- ▁retain- ▁issued- ▁communities- ▁senior- ▁reductions- ▁demonstrate- ling- ▁closer- ver- ▁calls- ap- ▁excess- ▁america- ▁represents- ▁states- ▁charge- ▁truck- by- ▁hear- ▁head- ▁february- ▁function- ▁personal- ▁roll- ▁performing- ian- ▁decided- ▁easier- ▁extend- '5'- tu- ▁uncertainty- ▁california- ▁identified- ▁began- ms- ▁engineering- ▁subscription- ▁venture- ty- nc- ▁bookings- ▁happens- ▁partnerships- ▁users- ▁components- ions- ▁tri- ▁recognition- ▁york- ▁suggest- ▁slow- j- ▁law- ▁sites- ▁geographic- ▁easy- ▁identify- ▁spot- ability- ▁interested- ▁sub- ris- ▁pick- ▁cannot- ps- ▁outcomes- ▁connect- ring- ▁external- ▁established- ▁stated- ite- ▁looked- ▁underwriting- ▁population- ▁consolidation- rg- ▁le- ▁video- ▁lo- ▁professional- ▁city- ▁estimate- ▁operators- ture- ▁require- ▁li- ▁carry- ▁firm- ▁maximize- ▁achieving- ▁left- ▁frankly- go- ▁consistently- ▁provider- ight- ▁repurchase- ▁seem- ▁figure- ▁paying- ▁compelling- ▁helped- ▁conservative- ▁ta- do- ▁agreements- ▁automotive- ▁raw- ▁problem- tra- ▁aware- pt- ical- ▁section- tt- ▁penetration- ▁mar- ▁wins- ▁west- ▁projections- be- ▁shown- ▁mexico- ▁game- ▁capitalize- ▁quick- ▁thoughts- ▁allowed- ▁machine- ▁gr- ▁indicated- ▁bu- ▁ship- ous- ▁presented- ▁transportation- ▁prudent- ▁plants- ▁deploy- ny- ▁toward- ▁depending- ▁rapidly- ▁brought- ▁folks- ▁mention- ▁disease- ▁devices- ▁outcome- ▁encouraging- ▁demonstrated- ▁groups- ▁sequential- ▁limit- ▁shop- ▁august- ▁valuation- ▁supported- ▁differentiated- ir- ▁recorded- ▁executive- ▁degree- ▁residential- ▁tight- ▁filed- ▁wholesale- ▁accelerated- ▁she- ▁receive- ▁finding- ▁curious- ▁rental- ▁grew- op- ▁seasonality- ▁welcome- ▁subs- ▁option- ▁evolve- ▁considered- ▁excellence- ▁substantially- ▁leasing- ▁showing- ▁ch- ▁enter- ▁suppliers- ber- ▁lending- ▁consolidated- ▁objective- ▁concludes- ▁john- ▁u- ▁japan- ▁dedicated- ▁du- ▁retention- ▁elements- ▁staff- ▁canadian- ▁holding- ▁realized- ▁spent- ▁fill- ▁remained- ▁legal- ▁confirm- ▁estimates- ▁explain- ▁excluding- ▁ce- ▁sometimes- ▁mine- ▁involved- ▁ra- ▁rent- ▁promotional- ▁air- ga- ▁plus- ▁positioning- ▁feedback- ▁nor- ▁nearly- ▁contributed- ▁stand- ▁comprehensive- ▁qu- ▁claims- ▁felt- ▁repeat- ys- ▁leaders- ▁supporting- ▁shared- ▁benefited- ▁acquire- da- fo- son- ▁bi- ▁ti- ▁truly- tro- vo- ▁pe- ▁contribute- ▁social- ncy- ▁visit- ▁reserve- ▁original- ▁chinese- ▁te- ▁two- un- ▁utilize- ▁vehicle- ▁journey- ▁taxes- ▁bio- ▁whatever- ▁speaking- ging- fi- ▁stuff- ▁provision- ▁processing- ▁traction- ▁package- ▁ho- ▁deposits- related- lin- ▁variable- ▁clean- ▁cre- ▁raise- ▁recall- ▁simple- ▁participate- ▁signed- ▁decade- ea- ▁chart- ▁merger- ▁mike- ▁macro- ▁aggressively- ▁spread- ▁apply- ▁availability- ▁proven- ▁themselves- ▁met- ▁projected- day- ▁isnt- ▁creation- ▁worth- ▁implement- ▁na- ▁res- ▁recurring- ▁allowing- ▁optimization- ▁gave- ▁hopefully- ner- cc- ▁economics- ify- ▁north- ▁conclusion- ▁announcement- ▁commentary- ▁declines- ▁studies- ▁internally- ▁location- ▁digits- ▁afternoon- ative- ▁cut- and- ▁concept- ▁stages- ▁conversations- ▁updated- ▁deferred- ▁collaboration- ▁cautious- ▁department- ▁secure- ▁introduction- ▁convert- one- ▁held- ▁100- ▁picture- ▁texas- ▁features- ▁adjust- ▁structural- ▁travel- ▁known- ▁export- ▁wells- ▁constant- ▁engaged- ▁match- ▁subsequent- ▁assess- ▁ladies- ▁strengthening- ▁aim- ▁storage- ▁fundamentals- ▁posted- ▁mostly- ▁overview- ▁completely- ▁40- ▁shipments- ▁11- market- hi- fa- ▁accelerating- act- ▁practices- ▁vertical- ▁superior- ▁resource- ▁lu- ▁efficiently- ▁old- ▁disruption- ▁gentlemen- ▁housing- ▁hedge- ▁gap- ▁lost- ▁participating- ▁cap- ▁alternative- ▁indication- ▁globally- ▁reference- ▁education- ▁spring- ▁ecommerce- ▁hurricane- ▁sha- ▁keeping- ell- ▁slower- ▁dividends- ee- ▁sources- ▁manner- ▁exclude- ▁minutes- ▁user- ▁curve- ▁calendar- ▁performed- ff- ▁rig- ▁expressed- ▁meaning- ▁cell- ▁stream- ▁forth- bi- ▁considering- ▁frame- ▁consideration- ▁rep- ▁weak- ▁finish- ▁connection- ▁helps- red- ▁draw- ▁sh- ▁element- ▁compliance- ▁behavior- ▁works- ▁block- ▁engage- ▁compare- ▁evaluating- ▁audience- ▁standards- ▁valuable- ▁announce- ▁signs- ▁industries- ▁knowledge- ▁peak- ▁called- ▁tech- ▁awareness- ▁wed- ▁her- ▁fo- ▁peers- ities- ▁align- ▁enhancement- ▁weakness- ▁introduced- ish- ▁exist- ▁monitor- ▁launches- ▁comm- ▁gets- ▁z- ▁assuming- ▁transfer- ▁coast- ▁extended- ▁brief- ▁evolution- ▁mitigate- ▁comparison- ▁bid- ▁upcoming- ▁proceeds- '0'- ▁wait- ▁encourage- ▁evidence- ▁contained- ▁box- ▁inside- ▁sharing- ▁commitments- ▁slides- ▁et- ▁pursuing- ▁strongly- ▁bad- ▁sign- ▁vehicles- ▁custom- ▁wind- ving- ▁pressures- ▁acceleration- ▁sustain- ▁parties- ▁mining- ▁family- ▁y- ▁broadly- ▁contributions- ger- ▁shipping- ▁thus- ▁diversified- ▁stability- ▁profits- ▁enjoy- ▁device- ▁connected- ▁offers- ▁charges- ▁american- ▁regular- ful- ▁heavy- ▁hospital- ▁shopping- ▁disclosure- ▁rising- ip- ▁implementing- ▁highlighted- ▁separate- ▁opposed- ▁automation- ▁topic- ag- su- ▁enhancing- ▁setting- ▁sit- ▁shape- ▁balanced- over- ▁asked- ▁concluded- ▁circumstances- ▁message- ▁rating- ▁insight- ▁executed- ▁scenario- ▁item- ▁fa- ▁series- ▁winter- ▁extra- ▁organizations- ▁networks- ▁places- ▁words- ▁14- ▁geographi- ▁sufficient- mon- ▁managers- ▁pilot- ▁cha- ▁rec- ▁roughly- ▁steel- ▁settlement- ▁moderate- ▁financials- ▁physicians- ▁becomes- ▁em- ▁ended- ▁ve- ▁check- ▁reports- ▁matters- ▁refine- ▁extension- ▁protection- ▁publicly- ▁internet- ▁discussing- ▁logistics- ▁exceptional- ▁targeting- ▁wasnt- ▁landscape- ▁express- ron- ▁concerned- ▁slight- ▁aircraft- man- side- ▁enables- ▁seek- ▁examples- ▁integrate- ▁60- ▁influence- ▁yearend- ▁aspects- ▁utility- ▁ownership- med- ▁search- ie- ▁steve- ▁translate- ▁winning- ▁fundamental- ▁basin- ure- ▁bond- ▁13- gra- ▁physical- all- ▁approved- ▁chance- ▁rise- ▁loyalty- ▁evolving- ▁reserves- ▁leave- tiv- ▁drill- ▁replace- ▁agency- ▁continuous- ▁africa- ▁aligned- ▁enabling- ▁practice- ▁caution- ▁negatively- ▁opened- back- ▁wage- ▁employ- ▁campaign- cl- ▁pa- ▁rapid- ▁intention- ▁label- ▁starts- ▁strategically- ▁arent- ▁drove- ▁employee- ▁australia- ▁begun- io- ▁love- ▁typical- ▁print- load- ible- ▁method- ▁litigation- ▁park- ▁importance- ▁latest- ▁origination- ▁learn- ▁fashion- ▁yesterday- ▁officer- ib- ▁germany- ab- ▁lack- ▁trajectory- ▁mature- ▁dr- ▁sc- ▁th- ▁su- ▁rolling- ▁lift- ▁super- ▁watch- pro- ▁ne- ▁attribute- ▁prove- ▁ru- ▁load- ▁reality- '6'- ▁sounds- ified- ▁gold- ▁inventories- ▁phone- ▁switch- ▁rigs- ▁adjustment- ▁deeper- ▁floor- ▁x- ▁mon- ▁handle- ▁mission- ▁reward- ▁port- ▁movement- ▁florida- ▁train- ification- ▁flexible- ▁implied- ▁president- ▁absolute- ▁restaurant- ▁sustained- ▁harbor- ▁unless- ▁owners- ▁western- ▁consecutive- ▁farm- of- ▁hotel- ▁yields- ▁soft- ▁hearing- ▁replacement- ▁cor- ▁secondly- ▁tool- ▁occupancy- ▁mill- ▁opportunistic- ▁adapt- ▁determine- ▁latin- ▁caused- ▁freight- ▁pieces- ven- ▁agencies- ▁assortment- ▁guide- ▁delay- ▁enabled- ▁sand- ▁science- ▁david- ▁views- ▁paper- gu- ▁wa- od- ▁underway- ▁therapy- ▁incentive- ▁vast- ▁diversification- que- ▁foot- ▁reached- ▁liquid- ▁replay- ▁except- ▁clarity- ever- low- ▁heavily- ▁human- ▁hu- ▁outlined- ▁experiencing- ▁ju- ▁pure- ▁request- less- ▁eye- ster- ▁stakeholders- ward- ▁daily- ▁house- ▁react- ▁optimiz- ▁gotten- board- ▁oem- ▁unusual- ▁coal- ▁desire- ▁imagine- ▁assessment- ▁leases- ▁reimbursement- ▁medium- ▁sectors- ▁select- ▁cancer- ▁restaurants- ▁extensive- ▁regards- ▁selective- '8'- ▁consumption- ▁depreciation- ▁dramatically- ▁environmental- ▁purpose- ▁2020- ▁suite- ▁rich- ▁collection- ▁updates- own- ▁wish- ▁tra- ▁problems- ▁cross- ▁trials- ▁contributing- ▁depend- ▁weaker- ▁insights- ▁figures- ▁shortterm- bs- ▁chief- ler- ▁provisions- ▁entered- ▁lots- ▁asking- ▁choose- ▁framework- ▁cycles- ▁brings- ▁guests- ▁exceeded- ▁hiring- ▁inform- ▁introduce- ▁impacting- cr- ▁micro- ▁depends- ▁carefully- ▁collect- ▁usage- ▁red- ugh- ▁sequentially- ▁electric- ▁tu- ▁stop- ak- ▁returning- ▁producing- ▁es- ▁contributor- ▁fresh- ▁declined- ▁occurred- ▁expenditures- ▁ran- fin- ▁diversify- ▁instead- ▁proportion- ▁communication- ▁immediately- cor- ▁lag- mer- ▁perfect- ably- ▁metal- ▁usually- ▁packaging- ▁communications- ▁temporary- ▁ci- king- ▁downturn- ▁closure- ▁treat- ▁productive- ins- ▁attributable- '7'- ome- ▁ensuring- ▁originally- fe- car- ▁condition- ▁fire- ▁modern- ▁grown- ▁shortly- ▁scope- ▁gaining- ▁institutional- ▁complexity- ▁establish- ▁serving- ▁webcast- ▁requires- ▁format- ient- ▁ver- ▁willing- ▁powerful- ▁pain- ▁supplier- ▁cat- ▁import- eg- ▁si- ▁hasnt- ▁har- ▁doubledigit- ▁90- ▁him- ▁rail- ▁diverse- ▁da- ▁values- ▁host- sis- ▁rules- ▁el- ▁shifting- ▁map- ▁lean- ▁wealth- ▁political- ▁wireless- ▁metric- ▁exceed- ▁chris- ▁launching- ▁experiences- ▁homes- ▁initially- ▁manufacturers- ▁distributors- ▁advantages- ▁ja- qui- ▁attending- ▁instrument- ▁accomplish- ▁numerous- ▁monitoring- ▁followed- ▁carriers- ▁concern- ▁promise- ▁street- ▁hotels- ▁reliability- ned- ▁com- ▁bear- ▁tenants- ▁leads- ▁ecosystem- ▁bre- ▁hardware- ▁satisfaction- ▁usual- ▁briefly- ▁installation- ▁administration- ▁elevated- ▁associates- wa- ▁emphasize- ▁pension- ▁alternatives- ▁intelligence- ▁repair- ▁proprietary- ▁appeal- ▁strongest- ▁subscriber- ▁earn- ▁merchandise- ▁learned- air- ▁laid- ▁revise- ▁busy- ▁amounts- ▁exclusive- ▁emerge- ide- tru- ▁jim- ▁sea- ▁duration- ▁cars- der- ▁fiber- ▁scheduled- ▁fewer- ▁addressing- gg- ▁dealers- vis- ▁produced- hold- ▁solve- ▁vendors- ▁buyers- ▁heart- ▁par- ▁broaden- ▁decide- ▁indications- ▁grade- ▁rational- ▁adverse- ▁file- ▁agents- ▁chemical- ▁hospitals- ▁contact- ▁spec- ▁facing- ran- ▁waiting- ▁exercise- ▁minimum- ▁differences- ▁installed- ▁pool- ▁notice- ium- ▁theyll- pen- ▁merchant- ▁hours- ▁tariffs- ▁assist- ▁reiterate- '9'- ▁tail- ▁input- ▁multiyear- part- ▁hire- ▁stick- ▁decreased- ▁dependent- ▁declining- ▁normally- ▁trans- ▁deployed- through- ▁milestones- ▁supplemental- ▁careful- point- ▁reinvest- ▁dedication- ▁indicate- ▁awards- ther- ▁creates- ▁pu- ▁display- ▁managements- ▁showed- ▁positively- ▁personnel- ▁summarize- ▁signal- ▁intended- ▁emphasis- ▁wi- ▁secured- ▁immediate- ▁feeling- ▁normalized- ship- ▁ramping- ▁accretive- ▁cetera- ▁magnitude- ▁nu- ▁square- ▁renewable- ▁defense- ▁negotiations- ▁ed- ier- ▁sound- ▁25- ▁via- ▁concerns- ▁accurate- ▁dealer- val- ▁screen- ▁somebody- ▁balances- ▁green- ▁frac- ▁gu- ▁feed- ▁constantly- ▁policies- ▁americas- ▁delays- rate- serv- port- ▁hes- ▁france- ▁covered- ▁bought- ▁differentiate- ▁lowest- ▁length- au- ▁eliminate- ▁proposal- ▁quantify- ▁nicely- ▁turnaround- ▁conversation- ▁school- ▁incorporate- ▁enrollment- ▁purchasing- ▁deliveries- ▁court- ▁moves- dy- ▁agree- ▁airline- ▁liability- ▁competitor- ▁laws- gn- ▁demonstrates- ▁bra- ▁playing- ▁useful- ▁creative- ▁player- ▁catch- ▁favor- ▁students- ▁solar- ▁maintained- ▁terminal- ▁surprise- ▁aspect- ▁incredibly- ▁divisions- ▁organizational- ▁licensing- ▁supplement- ▁released- ▁volatile- ▁storm- ▁wrap- ▁crude- ▁explore- ▁purchases- ▁spectrum- ▁expensive- ▁dan- ▁preferred- ▁sharp- ▁hoping- ▁defined- ▁werent- ▁amortization- ▁delayed- ▁relating- ▁basic- ▁nearterm- ▁door- ▁rolled- ▁possibly- ▁fruit- ▁vo- ▁highquality- ▁status- ▁lives- ▁assumption- ▁pump- ▁lay- ▁healthcare- ▁progressing- ix- ▁finished- ▁tracking- ▁bulk- ▁longerterm- ▁embedded- ▁benefiting- ▁lock- ▁possibility- ▁age- ub- ology- ▁describe- ▁migration- ▁pacific- ▁pattern- ▁concerning- ▁reinforce- ▁sourcing- ▁told- ▁stack- ▁feature- ▁functions- ▁placed- ▁vary- ▁arrangement- ▁simplify- ▁evaluation- ▁drag- ▁sports- ▁san- ▁completing- ▁offshore- bit- work- ▁outperform- ▁tried- ▁0- ▁organically- ▁mechanism- ▁jo- ▁appear- ▁fix- ▁consulting- ▁person- ▁breadth- ang- ▁participants- ▁tied- ▁hands- ▁pi- ▁exploration- ▁determined- ▁slowdown- ▁adopt- ▁milestone- ▁avoid- ▁spreads- ▁aggregate- ▁integrating- house- ▁obtain- ▁responsible- ▁disclaim- ▁depth- ▁kick- ▁instance- ▁turned- ▁updating- ▁exact- ▁intent- ▁branch- ▁patent- ▁buyback- ▁promote- ▁plays- ▁promotions- ▁surprised- ▁surge- ▁indicators- ▁thirdparty- ▁incurred- ▁opinion- ▁ten- ▁sponsor- ▁belief- ▁according- ▁pushing- log- ▁utilities- ▁impressive- ▁hi- ▁filing- ▁elect- ▁regulations- ▁fi- gan- ▁criteria- ▁comparisons- ▁er- ▁dealing- ▁lose- ▁comps- ▁unfavorable- ▁accomplished- ▁games- ▁percent- ▁regulation- ▁patterns- ▁relation- ▁combine- ▁80- ▁churn- ▁houston- ▁split- ▁member- ▁join- ▁overhead- ▁differently- ▁accordingly- ▁mass- ▁weighted- ▁transparency- ▁bridge- ▁sustainability- ▁ideas- ▁save- ▁unchange- ▁absorb- ▁seeking- tech- ▁black- ▁institutions- ▁guest- ▁fx- ▁broker- ▁serious- ism- ▁stress- ▁mode- ▁arm- ▁estimated- ▁couldnt- pac- ▁lab- ▁sw- ▁acquiring- ▁fine- ▁entering- ▁reliable- her- ▁war- ju- ▁purposes- ▁resolution- ▁appears- ▁jeff- ▁analysts- ▁jobs- ▁northern- ▁applied- ▁formal- ▁skill- ▁fed- net- ▁medicine- ▁southern- ▁followup- ▁calculation- ▁inherent- ▁man- ▁rob- ▁retirement- fu- ▁rely- ▁located- ▁unlock- ▁interact- ▁softness- ▁minimal- ▁self- ▁dose- ▁monthly- ▁persist- ▁living- ▁edge- led- ▁complement- ▁easily- ▁verticals- ▁eventually- ▁someone- ▁impairment- ▁partly- ▁plenty- ▁wonder- ▁advise- the- ▁producers- ▁raising- ▁analyze- fl- av- ▁fda- ▁revised- ▁administrative- ▁functionality- ▁corporation- ▁disclosed- ▁comfort- ▁ceo- ▁window- ▁written- ▁diversity- ▁entirely- ▁reverse- ▁minute- ▁sets- ▁thoughtful- mark- ▁regulators- ▁station- ▁prepare- use- ▁effectiveness- ▁recap- ▁connectivity- ▁rollout- ▁considerable- ▁op- ▁smooth- ▁globe- ▁straight- ▁sun- ▁index- ▁gear- ▁stabilize- ▁colleagues- ▁guarantee- ▁realization- ▁rule- ▁servicing- ▁frequency- ▁architecture- ▁introducing- ▁sitting- ▁maturity- gi- ▁regardless- ▁offsetting- ▁doubt- duc- if- down- ▁itll- ▁remove- pay- ▁adjusting- ▁manager- ▁borrowing- ▁tenant- ▁formula- ▁capable- nic- ▁prime- ▁acreage- ▁election- ▁cal- ▁conduct- ▁seasonally- ▁indeed- ▁entertainment- ▁hybrid- ▁factory- ▁thousands- ▁eps- ▁bro- ▁distinct- ▁refinancing- ▁transmission- ▁published- ▁knew- ▁dia- lan- ▁hub- ▁tighten- ▁retailer- ▁proposed- ▁upper- ▁permanent- ▁talented- ▁interaction- ▁newer- ▁assure- ▁star- ▁approvals- ▁won- loc- ▁round- ory- ▁mr- ▁consequence- ▁anybody- ▁communicate- ▁write- ▁warrant- ▁minor- press- ▁owned- ▁dramatic- ▁characterize- ▁books- ▁older- ▁incredible- ▁exception- ▁seamless- ▁route- ▁waste- tan- ▁70- ▁amazon- ▁utilizing- ▁deploying- ▁cable- ▁promotion- ▁onetime- ▁bri- ▁cu- ▁indicator- ▁wave- ▁tv- ▁wonderful- ▁award- ▁dialogue- ▁generic- ▁blue- ▁prevent- ▁demonstrating- ▁reinsurance- ▁install- par- ▁legislation- ▁michael- ▁spoke- ▁scott- ▁russia- ▁firms- ▁reviewing- ious- ▁seat- ▁horizon- ▁synergy- ▁engaging- ▁entry- ▁concentration- ▁pillar- ▁voice- ▁levers- ▁reflection- ▁damage- ▁skills- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁unlike- ▁latter- ▁preparing- ▁menu- ▁publish- ▁dry- ▁unfortunately- ▁women- ▁none- ▁cities- ▁ticket- ▁referring- ▁headcount- ▁candidates- ▁tim- ▁layer- ▁committee- ▁advisory- ▁fortunate- ▁modeling- ▁narrow- ▁fundamentally- ▁continuously- ▁permian- ▁equal- ▁massive- ▁vessels- ▁streamline- ▁threat- ▁pharma- ▁essential- ▁facilitate- ▁respective- ▁millions- ▁negotiate- ▁gulf- ▁streams- ▁measured- ▁procurement- ▁gaming- ▁electronic- ▁fantastic- ▁competing- ▁dave- ▁procedures- ▁ratios- ▁worse- ▁bob- ▁audit- ▁merchandising- ▁branches- ▁greatest- ▁appropriately- ▁advertisers- ▁ultimate- ▁heading- ▁documents- ▁distributor- ▁rock- ▁movements- ▁physician- ▁ter- ▁night- ▁link- ▁communicated- ▁analyst- ▁incentives- ▁payers- ▁score- ▁selected- sign- ▁reaching- ▁selection- ▁honest- ▁uptick- ▁mer- ▁electronics- ▁permit- ▁beliefs- ▁hundreds- ▁beverage- ▁pivot- ▁purchased- ▁grant- rn- ▁broadcast- ▁crop- ▁offices- ▁became- ▁leg- ▁receiving- ▁modestly- ▁proactive- ▁challenged- ▁divest- ▁assurance- ▁recognizing- ▁spin- ▁blend- ▁faced- ▁counter- ▁passion- ▁equally- ▁extraordinary- ▁disposition- ▁vendor- ▁promising- ▁affordable- ▁syn- ▁relate- ▁version- ▁claim- ▁sensor- ▁listening- ▁reset- ▁tender- ▁jump- ▁terrific- top- ▁cadence- ▁preference- ▁succeed- ▁liabilities- ▁upward- ▁carrier- ▁worldwide- ▁heat- ▁campaigns- ▁elaborate- ▁achievements- ▁che- ▁definition- ▁medicare- ▁harder- ▁wrong- ▁disposal- ▁upfront- ▁bunch- vers- ▁strengthened- ▁renovation- ▁lenders- ▁placement- ▁warehouse- ▁responsibility- ▁ri- ▁continually- ▁pat- ▁staffing- ▁matt- ▁euro- ▁extending- ▁collections- ▁shortage- ▁receivables- ▁notable- ▁navigate- ▁predictable- ifi- pped- ▁initiated- ▁dig- bra- ▁illustrate- ▁rid- ▁advancing- ▁adequate- ▁served- ▁bright- ▁paul- ▁raised- ka- ▁explained- ▁agenda- ▁rents- ▁listen- ▁boost- ▁compression- ▁beneficial- ▁convenience- ▁behalf- ▁uniquely- ▁sophisticated- ▁hedging- ▁professionals- ▁anyone- ▁rebound- stock- ▁preliminary- ▁anticipating- ▁200- ▁offered- ▁runway- ▁nav- ▁math- ▁pl- ▁joined- ▁precise- ▁tap- ▁pet- ▁secondary- den- ▁refresh- ▁realizing- ▁innovate- ▁internationally- ▁ball- ▁gi- ▁zone- ▁panel- ▁consistency- ▁title- ▁surface- ▁understood- ▁brian- ▁aerospace- ▁satisfied- ▁uncertain- ▁joe- driven- ▁continuation- ▁acceptance- ble- ▁settle- ▁minimize- ▁pan- ▁pending- ▁guarantees- ▁pharmaceutical- ▁agent- ▁harvest- ▁funded- ▁bundle- ▁tire- ▁document- cycle- ▁principles- ▁geography- ▁sellers- ▁prefer- ▁shut- ▁announcements- ▁graph- ▁rebuild- ▁preparation- ▁discovery- ▁ban- ▁efficacy- ▁advisers- ▁collective- ▁digit- ▁affecting- ▁occurring- ▁tower- ▁evident- ▁translation- ▁motor- ▁excitement- ▁aftermarket- ▁film- ▁container- ▁allowance- ▁severe- ▁constraints- ▁branded- ▁catalyst- ▁somewhere- ▁origin- ▁characteristics- ▁diagnostic- month- ▁equation- level- ▁alignment- ▁identifying- ▁anywhere- ▁conjunction- scale- ▁london- ▁marine- ▁watching- ▁pushed- ▁incur- ▁earning- ▁destination- ▁optimal- ▁party- ▁ebit- ▁distributed- ▁picking- ▁compound- ▁satellite- ▁linked- ▁obvious- ▁sum- ▁hopeful- place- ▁ambition- ▁optimism- ▁gen- ▁clarify- ▁diligently- ▁friend- ▁telling- ▁ingredient- ▁attack- ▁demographic- ▁fluctuations- ▁logic- ▁noise- ▁log- ▁benchmark- ▁agreed- ▁divestiture- ▁virtually- ▁reputation- ▁word- ▁requirement- ▁constitute- ▁activat- ▁jurisdiction- ▁wood- ▁pickup- ▁interim- ▁ka- ▁intense- ▁three- ▁yeartodate- za- ▁eastern- ▁validate- ▁24- ▁pad- ▁hydro- ▁reliance- ▁slowing- ▁enormous- ▁families- ▁feet- ▁pipe- ▁define- ▁currencies- ▁signing- ▁complicated- ▁competitiveness- ▁notably- stone- tax- ▁ge- ▁disclose- ▁suffer- ▁variabilit- ▁contracted- ▁stra- ▁background- ▁task- ▁stabilized- ▁manufacture- ▁transparent- ▁measurement- ▁representative- ▁alone- ▁booking- ▁represented- ▁maximizing- value- ▁burn- ▁deck- ▁accomplishments- ▁dive- xi- performing- ▁exceeding- ▁contemplate- ▁nuclear- ▁afford- ▁appetite- ▁consolidate- ▁philosophy- ▁television- ▁corresponding- ▁midpoint- ▁shorter- ▁fulfill- ▁unknown- ▁qualified- ▁therapeutic- ▁tre- ▁flu- hand- ▁grid- ▁startup- ▁bonus- ▁campus- ▁student- ▁accepted- ▁renewed- ▁assembl- ▁personally- ▁structured- ▁fra- ▁familiar- ▁virtual- ▁staying- ▁opt- ▁sorry- ▁recruiting- ▁code- ▁experts- ▁opex- ▁complementary- ▁gained- ▁memory- ▁hot- state- ▁flex- ▁former- ▁prospective- ▁ski- ▁proceed- ▁gradually- ▁classes- ▁korea- ▁tank- ▁allocate- ▁affiliate- ▁exploring- lon- ▁white- ▁bidding- ▁gate- ▁consultant- ▁contractual- ▁warm- ▁cold- light- wide- ▁macroeconomic- ▁passed- ▁appreciation- ▁tangible- ▁carbon- ▁chip- ▁neutral- ▁reaction- ▁gene- ▁send- ▁entity- ▁decent- ▁career- ▁guided- ▁gathering- ▁language- ▁vice- ▁cur- ▁cla- ▁franchisees- ▁auction- ▁fluid- ▁addressed- ▁stabilization- ▁representing- ▁crosssell- ▁rampup- ▁covenant- ▁kevin- ▁burden- ▁occasion- ▁royalty- ▁adjacent- ▁flavor- ▁session- ▁owner- ▁awarded- ▁epi- ▁softer- ▁southeast- ▁copy- ▁lap- ▁bucket- ▁distribut- ▁inflection- ▁mu- ▁progression- ▁noncash- ▁urban- ▁corner- ▁buyer- ▁refining- ▁sensitive- price- ▁funnel- ▁survey- ▁picked- ▁jack- ▁metro- ▁sentiment- ▁reasonably- ▁amazing- ▁progressive- ▁proceeding- ▁constructive- ▁mall- tel- ▁restrict- ▁revision- ▁wider- ▁renew- ▁shouldnt- ▁converting- ▁underpin- ▁recycling- ▁proactively- ▁downward- ▁trigger- ▁booked- ▁headline- ▁transport- ▁testament- ▁clinic- ▁earned- ▁mutual- ▁charter- ▁developers- room- ▁animal- ▁pack- ville- ▁firmly- ▁deliberate- ▁arise- ▁module- ▁club- ▁sight- ▁deepen- ▁operated- ▁2014- ▁diligence- ▁referred- ▁premier- ▁mandate- ▁sample- ▁style- ▁barrels- ▁construct- ▁row- ▁reg- ▁indicative- ▁meant- ▁letter- ▁acknowledge- ▁whilst- ▁cooper- ▁laser- ▁achievement- ▁fy- ▁master- ▁fan- ▁supportive- ▁downstream- ▁mitigat- field- ▁shelf- ▁cutting- ▁capturing- ▁registration- ▁compensate- ▁radio- ▁traditionally- ▁cyclical- ▁steadily- ▁detect- ▁ideal- ▁applicable- ▁artificial- ▁attempt- ▁valueadded- ▁standing- ▁naturally- ▁resilient- ▁alliance- ▁reit- ▁accept- ▁treated- ▁programming- ▁concentrated- ▁marked- ▁anticipation- ▁properly- ▁cheap- ▁tailwind- ▁listeners- ▁casual- ▁furthermore- ▁functional- ▁commodities- source- ▁principal- ▁audio- ▁employment- ▁apparel- ▁entities- ▁membership- ▁augment- ▁fight- ▁fl- ▁billion- ▁concession- ▁semiconductor- ▁visible- ▁implications- ▁composition- ▁authorities- ▁mag- tric- ▁wire- ▁indirect- ▁messaging- ▁literally- ▁broadband- ▁discover- ▁resolved- ▁announcing- ▁equivalent- ▁swing- ▁handling- ▁repositioning- ▁uk- ▁pit- ▁historic- ▁economies- ▁spain- ▁monetize- ▁greg- ▁turnover- ▁transactional- ▁clo- ▁kept- ▁certainty- ▁brexit- ▁regulated- ▁italy- ▁commit- ▁discontinued- ▁separation- ▁establishing- ▁amongst- ▁beauty- ▁hired- ▁scientific- ▁territories- ▁image- ▁satisfy- ▁payroll- ▁pound- ▁redevelopment- ▁tariff- ▁cautionary- ▁parent- ▁apple- ▁military- ▁prioritize- ▁losing- ▁yourself- quarter- ▁prescription- ▁district- ▁fun- ▁technological- ▁strict- ▁adopted- ▁endpoint- ▁bullish- ▁strive- ▁reflective- ▁predominantly- ▁copper- ▁evidenced- ▁northeast- ▁scheme- ▁pharmacy- water- ▁tier- ▁quicker- ▁popular- ▁standalone- ▁attrition- ▁washington- ▁database- ▁differential- ▁personalized- ▁balancing- ▁delever- wood- ▁slowed- ▁pause- ▁official- ▁overseas- ▁inject- ▁dar- ▁union- ▁dc- ▁lever- ▁hitting- ▁fabric- ▁elsewhere- ▁precision- ▁poor- ▁prospect- ▁ease- ▁handful- ▁assumed- ▁carolina- ▁swap- ▁territory- ▁description- ▁household- ▁bla- ▁meantime- ▁intellectual- ▁mobility- ▁outlet- ▁controlling- ▁samestore- ▁sizable- ▁periodic- grade- ▁enroll- ▁chosen- ▁carried- ▁payout- ▁airport- ▁competenc- ▁referenced- ▁combining- ▁wall- service- ▁issuance- ▁receivable- ▁shrink- ▁pra- ▁industryleading- ▁proof- ▁alluded- ▁noncore- ▁realistic- ▁upstream- ▁telecom- ▁absorption- ▁appendix- ▁materialize- ▁sooner- ▁shipment- ▁collaborat- ▁definitive- ▁automated- ▁vote- ▁lifetime- ▁conducted- ▁basket- ▁lumpy- ▁differentiator- ▁migrate- ▁float- ▁capitalized- ▁cool- ▁midstream- ▁bump- ▁governance- ▁takeaway- ▁temp- ▁electricity- ▁output- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- ▁frank- ▁maximum- ▁repayment- ▁intensity- ▁exhibit- ▁hong- ▁amendment- ▁cohort- ▁kong- ▁agile- ▁disappointed- ▁surgical- ▁tele- ▁separately- ▁sim- ▁judgment- ▁undu- ▁penetrate- ▁quote- view- ▁hour- ▁domain- ▁german- ▁body- ▁consist- ▁ev- ▁methodology- ▁principally- ▁sym- ▁rank- ▁chicago- ▁relentless- ▁scaling- ▁spite- ▁argentina- ▁email- ▁instore- app- ▁mac- ▁lifestyle- ▁therapies- ▁throughput- ▁cfo- ▁foreseeable- ▁observed- ▁fifth- ▁resolve- ▁mineral- ▁smartphone- ▁deduct- ▁municipal- ▁duty- ▁hurdle- oriented- ▁manufacturer- ▁diesel- run- ▁fell- ▁sensitivity- ▁tie- cular- ▁battery- brand- ▁passenger- ▁inflationary- ▁google- ▁investigation- bl- ▁disruptive- ▁luxury- ▁approaches- ▁delaware- ▁barrier- ▁31- ▁variation- ▁correctly- ▁observation- ▁securing- ▁ken- ▁interpret- ution- ▁nation- ▁recruit- ▁profitably- print- ▁underground- ▁protocol- ▁delighted- ▁identity- ▁noticed- logic- ▁advancement- ▁constrained- ▁strike- ▁derive- ▁casino- ▁remote- ▁submission- ▁rain- ▁bankers- ▁suppose- ▁explanation- ▁hyper- ▁causing- ▁compute- ▁scrap- ▁irr- focused- cast- ▁downside- ▁refinance- ▁prepayment- ▁expenditure- ▁gradual- ▁slowly- order- ▁peer- ▁simultaneously- ▁interface- ▁favorably- ▁considerably- ▁worldclass- ▁comprise- ▁tumor- bility- ▁responsive- ▁commerce- ▁niche- ▁movie- ▁extract- ▁stake- ▁myself- ▁flight- ▁exceptionally- ▁vessel- ▁mindful- ▁remarkable- ▁outflow- ▁shipped- qua- ▁incident- well- ▁lie- ▁conventional- ▁accommodate- ▁allocated- ▁finalized- ▁rare- ▁weekend- ▁saas- ▁embrace- ▁ample- ▁integrity- ▁monetization- ▁supplies- centric- ▁redeploy- ▁remodel- ▁disrupt- ▁nextgeneration- ▁surgery- ▁climate- book- ▁threshold- ▁normalize- ▁recommendation- ▁payable- ▁leaving- ▁parallel- ▁fulfillment- ▁enthusiasm- ▁relief- ▁delta- ▁yearonyear- ▁honor- star- ▁subsidiaries- ▁surrounding- ▁deflation- ▁singledigit- ▁consume- ▁pop- ▁innovat- ▁strides- ford- ▁thorough- ▁dozen- ▁weigh- ▁chose- ▁conscious- ▁intelligent- ▁variance- ▁preserve- ▁attend- ▁collaborative- ▁association- ▁multifamily- ▁congress- ▁controlled- ▁missed- ▁acute- ▁enthusiastic- ▁resilience- ▁everywhere- ▁resort- ▁aviation- ▁rico- ▁surprising- ▁submitted- ▁omnichannel- ▁spirit- ▁sudden- ▁avenue- ▁array- ▁density- ▁outdoor- ▁calculated- build- power- ▁specialist- ▁consolidating- ▁breakdown- ▁optionalit- ▁rigorous- ▁predictions- ▁educate- ▁anchor- ▁proper- ▁advice- ▁novel- ▁nonrecurring- ▁subsidiary- ▁protein- ▁deem- ▁peter- ▁treasury- ▁inspection- ▁impression- ▁termination- ▁outperformance- ▁acceptable- ▁negotiation- ▁consumable- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁accountability- ▁struggle- ▁empower- ▁loyal- ▁strip- ▁crisis- ▁geo- wise- ▁defend- ▁vital- ▁algorithm- ▁urgency- ▁pathway- ▁reposition- ▁analytic- ▁electrical- ▁pleasure- ▁proxy- ▁failure- ▁extreme- ▁blood- ▁derivative- ▁robotic- ▁certification- ▁accident- ▁impressed- ▁discretionary- stream- ▁dimension- ▁articulat- ▁recession- ▁triple- ▁stockholders- ▁silver- ▁frequently- ▁inclusion- ▁medicaid- ▁molecule- ▁glass- ▁vegas- product- ▁authority- ▁reinvestment- ▁jv- ▁upgrading- equ- ▁spoken- ▁sku- ▁engineers- ▁eagle- ▁jersey- ▁exposed- ▁unexpected- ▁unfold- ▁agility- ▁bestinclass- ▁sweet- ▁alongside- ▁society- ▁worry- ▁comparing- ▁studio- ▁granular- ▁keen- ▁alberta- ▁breakeven- ▁christmas- ▁goforward- ▁twice- ▁workflow- ▁imaging- ▁scan- ▁perception- ▁grand- ▁authorization- ▁concrete- ▁receipt- ▁absence- ▁australian- ▁radi- ▁comparative- ▁negotiating- ▁nutrition- ▁replacing- ▁guiding- ▁stretch- ▁underscore- ▁apartment- ▁younger- ▁collateral- ▁script- ▁resume- ▁plastic- ▁turkey- ware- ▁dilution- ▁anniversary- ▁phil- ▁computing- ▁substitute- ▁river- ▁disappointing- ▁specialized- '50'- ▁determination- ▁powder- ▁oncology- ▁japanese- ▁imply- ▁rationalization- ▁finalize- ▁preclinical- ▁undertaking- ▁register- ▁hospitality- ▁thrilled- ▁valley- ▁secular- ▁music- ▁cultural- ▁holistic- ▁lowcost- ▁hurt- ▁outsourcing- ▁adult- ▁invite- ▁reorganization- ▁unified- ▁reservoir- ▁motion- ▁glad- ▁visual- ▁regime- ▁theater- ▁academic- ▁concentrate- ▁cancellation- ▁diluted- ▁inorganic- ▁deleveraging- ▁french- ▁bolster- ▁simplification- ▁writing- ▁headquarters- ▁submit- ▁resonate- ▁midwest- ▁university- ▁brokerage- plus- ▁relevance- ▁text- ▁boston- ▁practical- ▁midst- ▁max- ▁nobody- ▁intangible- ▁snow- ▁bankruptcy- ▁overlap- ▁doug- ▁modernization- ▁cargo- ▁wallet- ▁merit- ▁revolving- ▁aluminum- ▁stabilizing- ▁recommend- ▁procedure- ▁immune- ▁valid- ▁restore- ▁coffee- ▁arrive- ▁reconcile- performance- ▁referral- '20'- ▁children- ▁geographically- ▁accretion- ▁reversal- ▁tissue- ▁tomorrow- ▁nimble- ▁uplift- ▁nevertheless- ▁revolver- ▁willingness- ▁convenient- ▁deterioration- ▁contingent- ▁parameters- ▁pursuit- ▁cyber- '95'- ▁root- ▁costeffective- ▁lumber- ▁singapore- ▁arpu- ▁gift- ▁fail- ▁borrowers- ▁town- ▁convertible- ▁journal- ▁fish- charge- ▁temperature- ▁character- ▁modification- ▁ocean- ▁suspect- ▁possibilities- ▁flood- ▁solely- ▁brazilian- ▁experiment- ▁colorado- ▁foresee- quartertoquarter- ▁inefficienc- ▁notwithstanding- ▁spike- ▁transit- ▁interconnect- ▁analyzing- ▁qualify- ▁banner- ▁maturit- growth- ▁eliminating- ▁retire- ▁virginia- ▁accuracy- ▁redemption- ▁recruitment- ▁click- ▁guidelines- ▁restrictions- ▁broadbased- ▁continent- ▁grocery- ▁additive- ▁chunk- ▁formulation- ▁intervention- ▁hence- ▁silicon- ▁unprecedented- ▁expire- ▁kids- ▁apparent- ▁stories- ▁poised- ▁anymore- ▁redesign- ▁hawaii- ▁likelihood- ▁gotomarket- ▁plate- ▁aspiration- ▁correlation- ▁qualification- ▁underwrite- ▁engineered- ▁consequently- ▁craft- ▁foremost- ▁consent- ▁colombia- ▁tactical- ▁forget- ▁eric- ▁permitting- ▁healthier- force- ▁mechanical- ▁poland- ▁realignment- ▁refinery- ▁replicate- ▁outpace- ▁chairman- ▁doubling- contract- ▁generator- ▁rick- ▁appliance- ▁contrast- ▁candidate- efficient- ▁ontario- ▁saving- ▁borrow- ▁proving- ▁friday- ▁photo- ▁assistance- ▁worried- ▁judge- ▁refund- ▁hundred- ▁embark- ▁ultra- ▁greenfield- ▁consensus- ▁accessories- ▁flagship- ▁entrepreneur- ▁diamond- ▁expiration- ▁forefront- ▁venue- ▁default- ▁placing- ▁choosing- ▁fluctuate- ▁attendance- ▁hike- ▁dallas- ▁fragmented- ▁classified- ▁optical- ▁revolution- ▁institution- ▁chronic- ▁conviction- ▁demonstration- ▁overwhelm- ▁struggling- ▁sky- ▁broken- ▁decreasing- ▁sweden- turn- ▁heightened- ▁pennsylvania- ▁intake- ▁genetic- mobile- ▁crystal- ▁reaffirm- ▁regulator- ▁transact- ▁dropped- ▁advertise- ▁decelerat- ▁unsecure- ▁worst- ▁perpetual- ▁trouble- ▁gather- ▁walmart- ▁accrue- ▁pulp- ▁caught- ological- ▁uptake- ▁furniture- ▁pronounced- '10'- ▁ohio- ▁quantity- ▁routine- ▁mindset- ▁resonat- ▁severity- ▁debate- modal- ▁diminish- ▁riskadjusted- ▁shutdown- ▁initiate- ▁circuit- ▁coach- ▁muted- ▁autonomous- ▁flip- ▁mistake- ▁slate- ▁ambitious- ▁dispute- ▁probability- ▁residents- ▁residual- ▁border- ▁grain- ▁upsell- bank- ▁cluster- ▁equities- ▁simplified- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁intact- ▁communicating- ▁annuity- ▁calculate- ▁authentic- spec- ▁requiring- ▁surplus- ▁instant- ▁allocating- ▁facebook- ▁universal- ▁witness- ▁jason- ▁teleconference- ▁expert- ▁coupon- ▁ancillary- ▁civil- ▁garden- ▁restart- ▁illinois- ▁emissions- ▁impossible- ▁chapter- ▁premise- ▁baked- ▁elevate- ▁filter- ivity- ▁perceive- ▁nursing- ▁realign- ▁distinguish- ▁refocus- ▁friction- ▁crack- ▁royalties- ▁college- ▁longstanding- ▁overnight- ▁incumbent- ▁endtoend- ▁snap- ▁millennial- ▁manifest- ▁regain- ▁rebate- ▁dining- ▁imperative- sphere- ▁tenure- ▁indonesia- ▁promoting- ▁transcript- ▁principle- ▁bottle- ▁flag- ▁atlantic- ▁diligent- ▁phoenix- ▁instruct- ▁neuro- ▁george- ▁prescribe- ▁heritage- ▁accrual- ▁nationwide- ▁replenish- ▁article- ▁british- ▁stepped- ▁appointment- ▁dominant- ▁zealand- free- '00000'- ▁advisor- ▁delinquenc- ▁speculate- ▁inspire- ▁envision- ▁affordabilit- ▁crucial- ▁secret- ▁integral- ▁landlord- ▁streamlining- ▁modify- ▁quota- ▁province- ▁isolation- ▁beach- ▁albeit- ▁disaster- ▁entrant- ▁erosion- ▁relied- ▁elimination- ▁republic- ▁logistic- ▁opposite- ▁signature- ▁decisionmaking- ▁midsingle- mitted- ▁privilege- ▁shortfall- ▁correlate- ▁frozen- ▁ordinary- ▁omni- ▁neighborhood- ▁implies- ▁curtail- ▁charging- ▁institute- ▁patience- ▁temporarily- ▁systematic- ▁argue- ▁eligible- ▁leisure- ▁reception- ▁implant- ▁atlanta- ▁northwest- ▁vacation- ▁minus- realized- ▁exploit- ▁differentiating- ▁sugar- ▁premature- ▁thrive- ▁fraud- ▁revpar- ▁flash- ▁revisit- ▁lumpi- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁convention- ▁highermargin- ▁skew- ▁bandwidth- ▁catastrophe- ▁netherlands- ▁midterm- specific- ▁taste- ▁dairy- ▁eager- ▁liberty- ▁oklahoma- ▁phasing- ▁accumulate- ▁unemployment- ▁softening- ▁depressed- ▁airplane- ▁prevail- ▁analog- ▁footwear- ▁terminate- ▁arizona- abilities- ▁pioneer- ▁cancel- ▁agriculture- ▁thermal- ▁composite- ▁argument- ▁wellpositioned- ▁medication- ▁neither- ▁excuse- ▁qualitative- ▁concert- ▁determining- ▁michigan- ▁mirror- ▁thereafter- ▁manual- ▁applies- ▁horizontal- ▁prepaid- ▁repricing- ▁indicating- ▁queue- ▁observe- ▁amended- weight- ▁encounter- ▁inhibitor- ▁meanwhile- ▁toronto- ▁inclusive- ▁stopped- ▁robert- ▁concluding- ▁configuration- ▁pleasant- ▁cook- ▁clarification- ▁buffer- ▁relocation- ▁parcel- ▁convey- ▁showcase- ▁severance- ▁inbound- ▁inquiries- ▁trailing- ▁drink- ▁snack- ▁chemistry- ▁energized- ▁removing- ▁modified- ▁circle- ▁kitchen- ▁vacancy- ▁plug- ▁southwest- ▁steep- ▁illustrat- ▁scheduling- ▁celebrate- ▁diabetes- ▁alpha- ▁frequent- ▁achievable- ▁molecular- ▁bounce- ▁quiet- ▁cumulative- ▁capacities- ▁bolton- ▁comparability- ▁phenomenon- ▁steward- ▁reseller- ▁pertain- ▁resiliency- ▁awful- ▁shoot- ▁clinicians- ▁measuring- ▁pleasing- ▁maturing- ▁prototype- ▁survival- ▁rural- ▁heavier- ▁immuno- ▁universe- ▁louisiana- ▁marketleading- ▁weakening- ▁somehow- ▁credibility- ▁battle- ▁declare- ▁involving- ▁columbia- ▁ounces- ▁significance- ▁compromise- ▁feasibility- ▁mexican- ▁tobacco- ▁england- ▁chicken- ▁archive- ▁gauge- ▁ought- ▁enforcement- ▁remediation- ▁relaunch- ▁dictate- ▁legislative- ▁modular- ▁cushion- ▁voluntary- demand- ▁distress- ▁quantitative- ▁releasing- ▁statutory- ▁roadmap- ▁ryan- ▁mortality- ▁scratch- ▁syndicate- ▁turbine- ▁breast- ▁james- ▁absent- ▁crm- ▁discontinu- ▁milk- ▁missouri- ▁salaries- ▁concurrent- ▁coordinate- ▁tonnage- ▁automatically- ▁catalog- ▁martin- ▁minnesota- ▁deficit- ▁reorganiz- responsibilities- ▁multinational- ▁opioid- ▁salespeople- ▁distance- thanexpected- ▁compliant- ▁dilutive- ▁proximity- ▁zero- ▁tuckin- ▁incorporating- ▁migrating- ▁mediumterm- ▁undergoing- ▁scalabilit- ▁geopolitical- ▁uniform- ▁solving- ▁intermediate- ▁angeles- ▁saudi- ▁stimulate- ▁nominal- ▁midteens- ▁speculation- ▁freedom- iconic- ▁distraction- ▁shock- ▁describing- ▁jewelry- ▁sleep- ▁squeeze- ▁gasoline- ▁refurbish- ▁unmatch- ▁golf- ▁associate- ▁removal- ▁wheel- ▁interior- ▁noninterest- ▁prohibit- ▁finaliz- ▁consultation- ▁kansas- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_en_bpe5000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.7distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_en_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 55073dist_launcher: nullmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_en_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_en_bpe5000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁a- ▁our- s- ▁is- ▁on- ▁for- ▁as- ▁are- ▁you- ▁have- ▁i- ▁this- ▁with- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ing- ▁think- ▁what- ▁not- ▁some- ▁us- ▁or- ▁by- ▁new- ▁well- ▁about- ▁do- ▁growth- ▁can- ▁which- ▁was- ▁an- ▁its- ▁there- ▁very- ▁these- ▁also- ▁market- ed- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- d- ▁just- ▁been- ▁has- ▁weve- ▁over- ▁those- ▁they- ▁if- ▁time- ▁first- ▁where- ▁customers- ▁into- ▁out- ▁like- ▁how- ▁results- ▁other- ▁really- ▁last- ▁their- ▁up- ▁one- ▁expect- ▁than- ly- ▁look- ▁your- ▁because- ▁when- ▁through- ▁any- ▁get- ▁call- ▁good- ▁strong- ▁sales- ▁had- ▁believe- ▁then- ▁second- ▁revenue- ▁thats- ▁company- ▁performance- ▁years- ▁make- ▁product- ▁financial- ▁lot- ▁capital- ▁much- ▁cost- ▁could- ▁right- ▁both- ▁them- ▁impact- ▁terms- ▁future- ▁want- ▁dont- ▁value- ▁forward- ▁work- ▁next- ▁little- y- ▁back- ▁customer- ▁products- ▁bit- ▁increase- ▁number- ▁end- ▁take- ▁may- e- ▁while- ▁kind- ▁markets- ▁higher- ▁opportunities- er- ▁half- ▁able- ▁way- ▁during- ▁operating- ▁significant- ▁know- ▁better- ▁most- ▁go- ▁things- ▁cash- ▁focus- c- ▁2- ▁say- ▁still- ▁im- ▁part- ▁point- ▁lower- r- ▁statements- ▁provide- ▁should- ▁being- ▁across- n- ▁need- ▁made- ▁team- ▁important- ▁opportunity- ▁line- al- ▁third- ▁today- ies- ▁people- ▁rate- ▁theres- ▁down- ▁many- ▁no- ▁fourth- ▁strategy- ▁looking- ▁portfolio- m- ▁continued- t- ▁before- ▁me- ▁price- ▁level- ▁industry- ▁around- ▁management- ▁youre- ▁great- ▁working- ▁demand- ▁investment- ▁additional- ▁due- ▁share- ▁thank- ▁even- ▁actually- ▁progress- ▁give- ▁here- ▁come- ▁plan- ▁only- ▁seeing- ▁few- ▁margin- ▁overall- ▁costs- ▁development- ▁further- ▁drive- ▁high- ▁service- p- ▁same- ▁grow- ▁current- ▁different- ▁result- ▁data- ▁seen- ▁3- ▁technology- ▁coming- ▁doing- ▁services- ▁change- ▁earnings- ▁who- ▁positive- ▁key- ▁guidance- ▁start- ▁process- ▁again- ▁position- ▁turn- ▁full- ▁investments- ▁past- ▁forwardlooking- ▁support- in- ▁said- ▁improve- ▁did- ▁got- es- ▁given- ▁within- ▁environment- ▁basis- ▁based- ▁expected- ▁re- ▁increased- ▁sure- ▁my- ▁focused- ▁sort- ▁question- ▁help- ▁potential- ▁pricing- ▁large- ▁businesses- ▁months- ▁remain- ▁side- ▁such- ▁making- ▁program- ▁done- ▁balance- ▁maybe- ▁put- ▁something- o- ▁strategic- ▁production- ▁information- ▁ability- ▁interest- ▁platform- ▁move- ▁already- f- ▁couple- ▁use- b- ▁feel- ▁best- ▁mentioned- ▁acquisition- ▁several- ▁talk- ▁early- ▁each- ▁operations- ation- ▁segment- re- ▁expectations- ▁long- ▁q- ▁base- ▁deliver- ▁commercial- ▁tax- ▁assets- ▁rates- ▁order- ▁changes- k- ▁pleased- ▁experience- le- ▁build- ▁place- ▁period- ▁certain- ▁ill- ▁benefit- ▁including- ▁growing- ▁quarters- ▁improvement- ▁projects- ▁model- ▁under- ▁related- ▁initiatives- ▁flow- ▁fact- ▁addition- ▁companies- ▁activity- ▁driven- ▁areas- ▁factors- ▁getting- ▁margins- ▁net- ▁existing- ▁continues- ▁mix- ▁after- g- ▁term- ▁big- ▁levels- ▁s- ▁id- ▁volume- ▁income- ▁does- ▁theyre- ▁release- ▁pretty- ▁clients- ▁thing- ▁course- ▁project- ▁capacity- ▁probably- ▁might- ▁day- ▁competitive- ▁having- or- ▁every- ▁brand- a- ▁risk- ▁always- ▁marketing- ▁de- ▁global- ▁why- w- ▁mean- i- ▁actual- ▁c- ▁leverage- ▁solutions- ▁quite- ▁building- ▁another- ▁supply- ▁prices- ▁saw- ▁credit- ▁off- ▁digital- ▁yes- ▁update- ▁less- ▁world- ▁offset- ers- ▁conference- ▁real- ic- ▁view- ▁let- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁success- ▁system- ▁top- ▁quality- ▁obviously- ▁between- ▁operational- ▁review- ▁far- ▁efforts- ion- ▁area- ▁shareholders- ▁prior- ▁certainly- ▁group- ▁pipeline- ▁todays- ▁return- ▁range- ▁whether- ar- ▁understand- ▁expenses- ▁continuing- ▁trying- ▁primarily- ▁amount- ch- ▁retail- l- ▁low- ur- ▁questions- ▁taking- ▁2017- ▁inventory- ▁4- ▁consumer- u- ▁outlook- ▁set- able- ▁total- ▁5- ▁presentation- ▁improved- ▁ahead- ▁contract- en- ▁since- ▁p- ▁structure- ▁expense- ▁major- ▁clear- ▁fiscal- ▁profitability- ▁approach- ▁add- ▁confident- ▁risks- it- ▁timing- ▁capabilities- ▁expand- ▁distribution- ▁companys- ▁increasing- ▁materially- ▁own- ▁partners- ▁expansion- ▁revenues- ▁invest- ▁however- ▁specific- ▁longterm- ▁youve- ▁solid- ▁hard- ▁ago- ▁2018- ▁space- ▁benefits- ▁driving- ▁excited- ▁keep- ▁acquisitions- ▁plans- ▁talked- ▁increases- ▁differ- ▁small- ▁strength- ▁china- ▁particularly- ri- ▁sheet- ▁consistent- ▁begin- ▁perspective- x- ▁bring- ▁asset- ▁10- ra- li- ▁stores- ▁network- ▁debt- ▁1- ▁compared- ▁open- ▁sense- at- ▁f- ▁per- ▁un- ▁patients- ▁close- ▁control- ▁improving- ▁versus- ▁programs- 'on'- ▁average- ▁measures- ▁beginning- ▁numbers- ▁run- ne- ▁currently- ▁care- ▁needs- ▁significantly- ▁2016- ▁trends- ▁create- ▁innovation- ▁scale- ▁conditions- ▁please- ▁starting- ▁okay- ▁together- ▁tell- ▁trend- th- ▁decline- ▁energy- ▁advantage- ▁points- ll- ▁anything- ▁organization- ▁volumes- ▁detail- ▁whats- ▁throughout- ▁transaction- ▁difficult- ma- an- ▁brands- ▁pay- ▁execution- ▁include- ▁profit- ▁towards- ▁deal- ta- ▁e- ▁health- ▁gas- ▁cause- ate- ment- ▁material- ▁similar- ▁access- ▁later- ▁larger- ▁greater- ▁reduce- ▁efficiency- ▁remains- ▁spend- ▁store- ▁organic- ▁international- ▁systems- ▁yet- ▁uncertaint- ▁record- ▁events- ▁comments- il- ▁power- ▁example- ▁ongoing- ▁note- ▁fully- ▁investors- ▁longer- ▁teams- ▁6- ▁successful- ▁g- ▁oil- ▁direct- ▁announced- ▁morning- ck- ▁board- ▁infrastructure- ▁everyone- ▁sell- ▁find- ▁returns- ▁discuss- ▁front- se- ▁along- et- ive- ▁europe- ▁transition- ▁started- ▁track- ▁once- ▁case- ▁recently- ro- ▁allow- ▁talking- ▁particular- '1'- ▁achieve- ▁manage- ▁rest- ▁momentum- ▁providing- ▁become- st- ▁improvements- ▁press- ▁economic- ▁completed- ▁associated- ▁clearly- ▁shift- ▁report- ▁lines- ▁try- ▁guess- ▁activities- ▁discussed- ▁stock- ▁beyond- ▁segments- ▁previously- ▁size- ▁general- ▁impacted- ▁integration- ent- ▁confidence- ▁decision- ce- ▁pressure- ▁equity- ▁remarks- ▁regarding- ▁anticipate- ▁meaningful- ▁am- ▁offering- ▁issues- v- ▁effect- ▁reduction- ▁partner- ▁offer- ▁adjusted- ▁against- ▁annual- ▁too- ▁reason- ▁local- ▁launch- ▁delivering- ▁meet- h- as- ▁used- la- co- ▁incremental- ▁co- ▁website- ▁positioned- ▁target- ▁money- ▁equipment- ▁subject- ▁cycle- ▁he- ▁finally- ▁items- ▁slightly- ▁st- ul- ▁multiple- ▁percentage- ▁contracts- ▁guys- ▁quickly- ▁channel- ▁although- ▁without- ▁leadership- ▁relative- ▁actions- ▁especially- ▁selling- to- ▁con- ▁o- ▁resources- ▁using- ▁corporate- ▁construction- ▁spending- ▁possible- ▁unique- ▁address- '2'- ▁generate- ▁design- ▁answer- ▁manufacturing- ity- ▁public- ▁serve- ▁remind- ▁facility- ▁date- ▁combination- ▁comes- ▁maintain- ▁means- ▁comment- ▁complete- ▁online- ▁execute- ▁cloud- ▁employees- ▁included- ▁show- ▁free- ▁either- ▁pre- ▁taken- ▁content- ▁short- ▁details- ▁k- el- ▁loan- ▁job- ▁ensure- ▁until- ▁issue- ▁client- ▁challenges- ter- ▁didnt- ▁attractive- ▁various- ▁color- ▁type- ▁investing- ▁whole- ▁leading- ▁reflect- ▁t- ▁play- ▁clinical- ▁single- ▁thanks- ▁home- ▁negative- ▁previous- ▁government- ▁chain- ▁month- ▁moment- ▁exchange- ▁situation- ▁wanted- ▁productivity- ▁step- ▁marketplace- ▁thinking- ▁turning- ▁bank- ▁b- ▁regulatory- ▁forecast- ▁solution- ▁happen- ▁relationships- tic- ▁stronger- ▁ive- ▁largest- ▁committed- ▁thought- ▁- ▁form- ▁discussion- ▁develop- ▁goal- ▁20- ▁deals- ▁sale- ▁despite- ▁profitable- ▁consumers- ▁relatively- ized- ▁following- ▁hope- ▁delivered- na- z- ▁portion- ▁life- ▁favorable- est- ▁anticipated- ▁savings- ▁unit- ▁combined- mi- ▁lead- ▁season- ▁2019- ry- ▁bottom- ▁transformation- ▁mi- ▁likely- ▁underlying- ke- ▁ebitda- ▁prepared- ▁youll- ▁ways- ▁entire- ▁provided- ▁respect- ▁delivery- ▁havent- ▁cant- ▁least- ▁days- ▁flat- ▁nongaap- ti- ating- ▁near- ▁though- '3'- ▁category- ▁highly- ▁normal- ▁orders- ated- ▁enterprise- de- ol- ▁flexibility- te- ▁dividend- ▁gives- ▁closing- ▁experienced- ▁generally- me- ▁account- ▁critical- ▁private- ▁built- ▁industrial- ▁agreement- ▁majority- ▁came- ▁bo- ▁18- ▁generation- ▁ro- ▁test- age- ▁expanding- ▁week- ▁upon- ▁center- ▁buy- ▁therefore- ▁everything- ▁initial- ▁enhance- ▁specifically- up- ▁challenging- ▁quarterly- ▁effective- ▁efficient- ▁accelerate- ization- ▁currency- ▁hand- ▁commitment- ▁doesnt- ▁property- ▁competitors- ▁country- ▁strategies- ▁commission- ▁required- ▁pro- ▁12- ▁active- '00'- ▁fair- ▁phase- ▁state- '4'- ▁competition- ▁ever- ▁provides- ▁decrease- ▁largely- ▁technologies- ▁region- ▁premium- ▁win- ▁software- ▁facilities- ▁trade- ally- ▁pace- ve- ▁weeks- ▁loss- ▁mobile- ▁securities- ▁book- ▁h- ▁profile- ▁behind- ▁his- ▁final- ▁lets- ▁d- com- ▁smaller- ▁meeting- ▁extremely- ▁enable- ▁insurance- ▁field- ▁enough- line- ▁stable- ▁ourselves- rs- ▁allows- is- ▁rather- ▁planning- ▁relationship- ▁patient- ▁sector- ▁recovery- ▁safety- ▁happy- ▁reported- ▁sustainable- ▁operate- ant- ia- ▁individual- ▁internal- ▁categories- ▁accounts- ▁includes- ▁reach- ▁loans- ▁away- ▁assumptions- ▁running- ▁reduced- ▁contribution- ▁effort- ▁speak- ▁transactions- ▁food- ▁wondering- ness- ▁exactly- id- po- ▁achieved- ▁estate- um- ize- ▁parts- am- ▁ex- ▁metrics- ▁gaap- ▁obligation- ▁above- ▁basically- ▁offerings- ▁present- ▁factor- ▁weather- ▁applications- ▁outside- ca- ▁units- ▁faster- ▁gain- ▁partially- ▁makes- ▁appropriate- ▁study- ▁7- ▁added- ▁accounting- ▁8- ▁security- ▁efficienc- ▁land- ▁plant- ▁discussions- ▁main- ▁channels- ad- ▁received- ▁r- ▁exciting- ▁m- ▁reflects- ▁seems- ▁investor- ▁restructuring- ▁fund- ▁consider- ▁fuel- ▁directly- ▁developing- ▁took- ▁national- ▁middle- nt- ▁tend- ▁car- ▁dis- ▁changed- ▁ultimately- us- ▁ramp- ▁light- ▁times- ▁mo- ▁integrated- ▁shareholder- ▁footprint- ▁completion- ▁stay- ▁statement- ▁response- ▁changing- ▁force- ▁joining- ▁ratio- ▁adding- ▁traffic- ▁community- ▁highlight- ▁labor- ▁mind- ▁typically- ▁reasons- ▁substantial- ▁fleet- ors- ▁drivers- ▁decisions- ▁capability- sh- ▁cover- ▁17- ▁january- ▁robust- ▁media- ▁purchase- ▁opening- ▁managing- im- ▁po- ▁creating- ▁healthy- ▁found- ▁platforms- ▁expectation- ▁gains- ▁options- ▁water- ▁december- ▁almost- ▁comp- ▁others- ▁processes- ist- ot- ▁engagement- ▁advertising- ▁page- ▁read- ▁happening- ▁predict- ▁disconnect- ▁importantly- ▁vi- ▁natural- ▁primary- ▁yield- ▁backlog- ▁potentially- ▁foundation- ▁direction- ▁9- ▁l- ▁late- ▁executing- lo- ▁nature- ▁office- tion- ▁conversion- ▁understanding- ▁traditional- ▁driver- ▁non- ▁fall- ▁optimistic- ▁bringing- ▁planned- ▁safe- ▁filings- ▁refer- ▁excellent- ▁putting- ▁saying- ▁limited- ▁historical- ▁comfortable- ▁effectively- ▁15- ▁highlights- ▁march- ▁million- ▁goes- ▁research- ▁necessary- ph- ▁visibility- ▁needed- ▁standard- ▁proud- ▁liquidity- ▁cases- ▁assume- ▁asia- ▁countries- ▁funding- ▁disciplined- ▁tremendous- ence- ▁headwind- ting- ▁losses- ▁ask- ▁else- ▁targets- ▁comparable- ▁encouraged- ▁lease- ▁standpoint- ▁mid- ▁path- ▁bigger- ▁regions- ▁wouldnt- ac- ▁30- ▁recognize- ▁volatility- ▁fit- ▁launched- ▁franchise- ▁june- em- ▁financing- ▁maintenance- ▁live- ▁difference- ▁never- ary- ▁september- ▁extent- ▁members- ▁expanded- ▁approximately- pa- ▁fixed- ▁utilization- ▁role- ▁remaining- ▁broader- ▁capture- mo- ▁perhaps- ▁hold- mp- ▁detailed- ▁types- ▁budget- ▁n- ▁reducing- ▁focusing- tr- ▁operation- ▁sold- based- ▁economy- ▁bill- ▁properties- ▁theyve- ▁ready- ▁appreciate- ▁partnership- ▁intend- ▁proposition- ▁exposure- ▁medical- ▁below- ▁interesting- ▁domestic- ▁dollars- ▁broad- ▁acquired- ▁w- ▁led- ▁remainder- ▁locations- ▁fees- ▁gross- ha- ▁capex- ping- ▁produce- ▁tools- ▁reflected- ge- ▁nice- ▁ha- ▁pull- ni- ▁allocation- va- ▁simply- ▁legacy- ▁2015- ▁card- ▁stage- ▁ca- ▁sa- ▁treatment- ▁biggest- ru- ▁went- ▁fairly- ▁hit- ▁deep- ▁takes- ▁successfully- ▁highest- om- ▁inflation- ▁follow- ▁increasingly- ▁en- ▁everybody- ▁optimize- ▁closely- ▁ma- ▁history- ▁wont- ▁summary- he- ▁buying- ▁commodity- ▁historically- ▁requirements- ▁schedule- ▁reporting- land- ▁mark- 'no'- ▁news- ▁drug- ▁shows- ▁necessarily- ▁19- ▁di- ▁count- ▁flows- ▁policy- ▁somewhat- ▁giving- ▁outstanding- bo- ▁priority- ▁reconciliation- ▁drilling- out- ance- time- ▁dollar- ▁attention- ▁mortgage- ▁talent- ▁list- ▁auto- ▁remember- os- ▁strengthen- ▁goals- ▁maintaining- ▁event- ▁trial- ▁table- ▁mainly- ▁name- ▁european- ▁evaluate- ig- ng- ▁expertise- ▁closed- ▁operator- ▁respond- way- ▁room- ▁license- ▁innovative- ▁paid- ▁post- ▁regard- ▁prospects- ▁steps- ▁component- ▁implementation- ▁recover- ▁funds- ▁itself- ▁shares- ▁periods- ▁la- di- ▁16- ▁discipline- ▁pass- ▁expecting- ▁advance- ▁speed- tor- ▁approval- ▁compensation- ▁learning- ▁canada- ▁south- ▁touch- ▁initiative- ▁testing- ▁materials- ▁definitely- ▁adoption- ▁priorities- ▁east- ▁payments- ▁developed- ▁true- ▁leader- ▁centers- ▁se- ▁piece- ial- ▁foreign- ▁act- ▁attract- ▁nothing- ex- ▁challenge- ▁reform- ▁sec- ▁matter- ▁analysis- pi- ▁october- ▁april- ts- ba- end- ▁synerg- ▁created- ▁banking- ▁realize- ▁ba- ▁double- ▁50- ▁perform- ns- ▁contain- ▁application- ▁advanced- ▁targeted- ▁culture- ▁fast- ▁payment- ▁happened- ▁action- ▁site- ▁undertake- ▁pursue- ted- ▁context- ho- lu- vi- izing- ▁among- ▁described- ▁actively- ▁ad- ▁presence- ▁worked- ▁aggressive- ator- ▁regional- ard- ▁summer- ▁road- ▁complex- ▁deployment- ▁technical- ▁emerging- ▁choice- ▁resulted- ▁resulting- ▁special- ▁steady- ▁additionally- per- ▁training- ▁finance- ect- ld- ▁joint- ▁affect- ▁seasonal- ▁conclude- ▁retailers- ▁break- ▁july- year- ▁banks- ▁dynamics- ▁helping- ▁holiday- ▁trading- ▁smart- ine- ▁managed- ut- rt- ▁huge- ▁designed- ▁deposit- ▁generated- ▁tough- ▁involve- ▁looks- ▁relates- ▁va- ▁leveraging- ▁noted- ▁positions- ▁upside- ▁modest- ▁division- ▁v- ▁coverage- ▁idea- ▁players- ▁participation- ▁becoming- ▁brazil- ▁fee- ▁dynamic- ▁otherwise- ▁represent- ▁vision- ▁push- ▁analytics- ▁absolutely- ▁models- ▁invested- ▁occur- ▁independent- 'off'- ▁measure- ▁j- ▁discount- ▁heard- ▁implemented- ▁story- ▁yearoveryear- ▁walk- ▁exit- ▁often- ▁gone- ▁ones- ▁federal- ▁app- ▁ground- ▁upgrade- ens- ▁correct- lt- ▁relevant- ▁transform- ▁bar- und- ▁affected- ill- cu- ▁providers- con- ▁common- ▁recognized- bu- ▁variety- ▁impacts- ten- q- ▁reasonable- ▁reminder- ▁helpful- pl- ▁november- ▁must- ▁moved- ▁specialty- ▁engine- ▁adjustments- ▁compete- ▁inter- ▁reflecting- ▁class- ▁enhanced- pe- nd- ▁source- ▁soon- ▁effects- ci- ▁developments- ▁wide- ▁central- ▁al- ton- ▁drop- ▁india- ▁generating- ▁multi- ▁essentially- ▁face- ▁renewal- ▁objectives- sa- ▁sp- gen- ▁protect- ▁trust- ▁ni- ▁retain- ▁issued- ▁communities- ▁senior- ▁reductions- ▁demonstrate- ling- ▁closer- ver- ▁calls- ap- ▁excess- ▁america- ▁represents- ▁states- ▁charge- ▁truck- by- ▁hear- ▁head- ▁february- ▁function- ▁personal- ▁roll- ▁performing- ian- ▁decided- ▁easier- ▁extend- '5'- tu- ▁uncertainty- ▁california- ▁identified- ▁began- ms- ▁engineering- ▁subscription- ▁venture- ty- nc- ▁bookings- ▁happens- ▁partnerships- ▁users- ▁components- ions- ▁tri- ▁recognition- ▁york- ▁suggest- ▁slow- j- ▁law- ▁sites- ▁geographic- ▁easy- ▁identify- ▁spot- ability- ▁interested- ▁sub- ris- ▁pick- ▁cannot- ps- ▁outcomes- ▁connect- ring- ▁external- ▁established- ▁stated- ite- ▁looked- ▁underwriting- ▁population- ▁consolidation- rg- ▁le- ▁video- ▁lo- ▁professional- ▁city- ▁estimate- ▁operators- ture- ▁require- ▁li- ▁carry- ▁firm- ▁maximize- ▁achieving- ▁left- ▁frankly- go- ▁consistently- ▁provider- ight- ▁repurchase- ▁seem- ▁figure- ▁paying- ▁compelling- ▁helped- ▁conservative- ▁ta- do- ▁agreements- ▁automotive- ▁raw- ▁problem- tra- ▁aware- pt- ical- ▁section- tt- ▁penetration- ▁mar- ▁wins- ▁west- ▁projections- be- ▁shown- ▁mexico- ▁game- ▁capitalize- ▁quick- ▁thoughts- ▁allowed- ▁machine- ▁gr- ▁indicated- ▁bu- ▁ship- ous- ▁presented- ▁transportation- ▁prudent- ▁plants- ▁deploy- ny- ▁toward- ▁depending- ▁rapidly- ▁brought- ▁folks- ▁mention- ▁disease- ▁devices- ▁outcome- ▁encouraging- ▁demonstrated- ▁groups- ▁sequential- ▁limit- ▁shop- ▁august- ▁valuation- ▁supported- ▁differentiated- ir- ▁recorded- ▁executive- ▁degree- ▁residential- ▁tight- ▁filed- ▁wholesale- ▁accelerated- ▁she- ▁receive- ▁finding- ▁curious- ▁rental- ▁grew- op- ▁seasonality- ▁welcome- ▁subs- ▁option- ▁evolve- ▁considered- ▁excellence- ▁substantially- ▁leasing- ▁showing- ▁ch- ▁enter- ▁suppliers- ber- ▁lending- ▁consolidated- ▁objective- ▁concludes- ▁john- ▁u- ▁japan- ▁dedicated- ▁du- ▁retention- ▁elements- ▁staff- ▁canadian- ▁holding- ▁realized- ▁spent- ▁fill- ▁remained- ▁legal- ▁confirm- ▁estimates- ▁explain- ▁excluding- ▁ce- ▁sometimes- ▁mine- ▁involved- ▁ra- ▁rent- ▁promotional- ▁air- ga- ▁plus- ▁positioning- ▁feedback- ▁nor- ▁nearly- ▁contributed- ▁stand- ▁comprehensive- ▁qu- ▁claims- ▁felt- ▁repeat- ys- ▁leaders- ▁supporting- ▁shared- ▁benefited- ▁acquire- da- fo- son- ▁bi- ▁ti- ▁truly- tro- vo- ▁pe- ▁contribute- ▁social- ncy- ▁visit- ▁reserve- ▁original- ▁chinese- ▁te- ▁two- un- ▁utilize- ▁vehicle- ▁journey- ▁taxes- ▁bio- ▁whatever- ▁speaking- ging- fi- ▁stuff- ▁provision- ▁processing- ▁traction- ▁package- ▁ho- ▁deposits- related- lin- ▁variable- ▁clean- ▁cre- ▁raise- ▁recall- ▁simple- ▁participate- ▁signed- ▁decade- ea- ▁chart- ▁merger- ▁mike- ▁macro- ▁aggressively- ▁spread- ▁apply- ▁availability- ▁proven- ▁themselves- ▁met- ▁projected- day- ▁isnt- ▁creation- ▁worth- ▁implement- ▁na- ▁res- ▁recurring- ▁allowing- ▁optimization- ▁gave- ▁hopefully- ner- cc- ▁economics- ify- ▁north- ▁conclusion- ▁announcement- ▁commentary- ▁declines- ▁studies- ▁internally- ▁location- ▁digits- ▁afternoon- ative- ▁cut- and- ▁concept- ▁stages- ▁conversations- ▁updated- ▁deferred- ▁collaboration- ▁cautious- ▁department- ▁secure- ▁introduction- ▁convert- one- ▁held- ▁100- ▁picture- ▁texas- ▁features- ▁adjust- ▁structural- ▁travel- ▁known- ▁export- ▁wells- ▁constant- ▁engaged- ▁match- ▁subsequent- ▁assess- ▁ladies- ▁strengthening- ▁aim- ▁storage- ▁fundamentals- ▁posted- ▁mostly- ▁overview- ▁completely- ▁40- ▁shipments- ▁11- market- hi- fa- ▁accelerating- act- ▁practices- ▁vertical- ▁superior- ▁resource- ▁lu- ▁efficiently- ▁old- ▁disruption- ▁gentlemen- ▁housing- ▁hedge- ▁gap- ▁lost- ▁participating- ▁cap- ▁alternative- ▁indication- ▁globally- ▁reference- ▁education- ▁spring- ▁ecommerce- ▁hurricane- ▁sha- ▁keeping- ell- ▁slower- ▁dividends- ee- ▁sources- ▁manner- ▁exclude- ▁minutes- ▁user- ▁curve- ▁calendar- ▁performed- ff- ▁rig- ▁expressed- ▁meaning- ▁cell- ▁stream- ▁forth- bi- ▁considering- ▁frame- ▁consideration- ▁rep- ▁weak- ▁finish- ▁connection- ▁helps- red- ▁draw- ▁sh- ▁element- ▁compliance- ▁behavior- ▁works- ▁block- ▁engage- ▁compare- ▁evaluating- ▁audience- ▁standards- ▁valuable- ▁announce- ▁signs- ▁industries- ▁knowledge- ▁peak- ▁called- ▁tech- ▁awareness- ▁wed- ▁her- ▁fo- ▁peers- ities- ▁align- ▁enhancement- ▁weakness- ▁introduced- ish- ▁exist- ▁monitor- ▁launches- ▁comm- ▁gets- ▁z- ▁assuming- ▁transfer- ▁coast- ▁extended- ▁brief- ▁evolution- ▁mitigate- ▁comparison- ▁bid- ▁upcoming- ▁proceeds- '0'- ▁wait- ▁encourage- ▁evidence- ▁contained- ▁box- ▁inside- ▁sharing- ▁commitments- ▁slides- ▁et- ▁pursuing- ▁strongly- ▁bad- ▁sign- ▁vehicles- ▁custom- ▁wind- ving- ▁pressures- ▁acceleration- ▁sustain- ▁parties- ▁mining- ▁family- ▁y- ▁broadly- ▁contributions- ger- ▁shipping- ▁thus- ▁diversified- ▁stability- ▁profits- ▁enjoy- ▁device- ▁connected- ▁offers- ▁charges- ▁american- ▁regular- ful- ▁heavy- ▁hospital- ▁shopping- ▁disclosure- ▁rising- ip- ▁implementing- ▁highlighted- ▁separate- ▁opposed- ▁automation- ▁topic- ag- su- ▁enhancing- ▁setting- ▁sit- ▁shape- ▁balanced- over- ▁asked- ▁concluded- ▁circumstances- ▁message- ▁rating- ▁insight- ▁executed- ▁scenario- ▁item- ▁fa- ▁series- ▁winter- ▁extra- ▁organizations- ▁networks- ▁places- ▁words- ▁14- ▁geographi- ▁sufficient- mon- ▁managers- ▁pilot- ▁cha- ▁rec- ▁roughly- ▁steel- ▁settlement- ▁moderate- ▁financials- ▁physicians- ▁becomes- ▁em- ▁ended- ▁ve- ▁check- ▁reports- ▁matters- ▁refine- ▁extension- ▁protection- ▁publicly- ▁internet- ▁discussing- ▁logistics- ▁exceptional- ▁targeting- ▁wasnt- ▁landscape- ▁express- ron- ▁concerned- ▁slight- ▁aircraft- man- side- ▁enables- ▁seek- ▁examples- ▁integrate- ▁60- ▁influence- ▁yearend- ▁aspects- ▁utility- ▁ownership- med- ▁search- ie- ▁steve- ▁translate- ▁winning- ▁fundamental- ▁basin- ure- ▁bond- ▁13- gra- ▁physical- all- ▁approved- ▁chance- ▁rise- ▁loyalty- ▁evolving- ▁reserves- ▁leave- tiv- ▁drill- ▁replace- ▁agency- ▁continuous- ▁africa- ▁aligned- ▁enabling- ▁practice- ▁caution- ▁negatively- ▁opened- back- ▁wage- ▁employ- ▁campaign- cl- ▁pa- ▁rapid- ▁intention- ▁label- ▁starts- ▁strategically- ▁arent- ▁drove- ▁employee- ▁australia- ▁begun- io- ▁love- ▁typical- ▁print- load- ible- ▁method- ▁litigation- ▁park- ▁importance- ▁latest- ▁origination- ▁learn- ▁fashion- ▁yesterday- ▁officer- ib- ▁germany- ab- ▁lack- ▁trajectory- ▁mature- ▁dr- ▁sc- ▁th- ▁su- ▁rolling- ▁lift- ▁super- ▁watch- pro- ▁ne- ▁attribute- ▁prove- ▁ru- ▁load- ▁reality- '6'- ▁sounds- ified- ▁gold- ▁inventories- ▁phone- ▁switch- ▁rigs- ▁adjustment- ▁deeper- ▁floor- ▁x- ▁mon- ▁handle- ▁mission- ▁reward- ▁port- ▁movement- ▁florida- ▁train- ification- ▁flexible- ▁implied- ▁president- ▁absolute- ▁restaurant- ▁sustained- ▁harbor- ▁unless- ▁owners- ▁western- ▁consecutive- ▁farm- of- ▁hotel- ▁yields- ▁soft- ▁hearing- ▁replacement- ▁cor- ▁secondly- ▁tool- ▁occupancy- ▁mill- ▁opportunistic- ▁adapt- ▁determine- ▁latin- ▁caused- ▁freight- ▁pieces- ven- ▁agencies- ▁assortment- ▁guide- ▁delay- ▁enabled- ▁sand- ▁science- ▁david- ▁views- ▁paper- gu- ▁wa- od- ▁underway- ▁therapy- ▁incentive- ▁vast- ▁diversification- que- ▁foot- ▁reached- ▁liquid- ▁replay- ▁except- ▁clarity- ever- low- ▁heavily- ▁human- ▁hu- ▁outlined- ▁experiencing- ▁ju- ▁pure- ▁request- less- ▁eye- ster- ▁stakeholders- ward- ▁daily- ▁house- ▁react- ▁optimiz- ▁gotten- board- ▁oem- ▁unusual- ▁coal- ▁desire- ▁imagine- ▁assessment- ▁leases- ▁reimbursement- ▁medium- ▁sectors- ▁select- ▁cancer- ▁restaurants- ▁extensive- ▁regards- ▁selective- '8'- ▁consumption- ▁depreciation- ▁dramatically- ▁environmental- ▁purpose- ▁2020- ▁suite- ▁rich- ▁collection- ▁updates- own- ▁wish- ▁tra- ▁problems- ▁cross- ▁trials- ▁contributing- ▁depend- ▁weaker- ▁insights- ▁figures- ▁shortterm- bs- ▁chief- ler- ▁provisions- ▁entered- ▁lots- ▁asking- ▁choose- ▁framework- ▁cycles- ▁brings- ▁guests- ▁exceeded- ▁hiring- ▁inform- ▁introduce- ▁impacting- cr- ▁micro- ▁depends- ▁carefully- ▁collect- ▁usage- ▁red- ugh- ▁sequentially- ▁electric- ▁tu- ▁stop- ak- ▁returning- ▁producing- ▁es- ▁contributor- ▁fresh- ▁declined- ▁occurred- ▁expenditures- ▁ran- fin- ▁diversify- ▁instead- ▁proportion- ▁communication- ▁immediately- cor- ▁lag- mer- ▁perfect- ably- ▁metal- ▁usually- ▁packaging- ▁communications- ▁temporary- ▁ci- king- ▁downturn- ▁closure- ▁treat- ▁productive- ins- ▁attributable- '7'- ome- ▁ensuring- ▁originally- fe- car- ▁condition- ▁fire- ▁modern- ▁grown- ▁shortly- ▁scope- ▁gaining- ▁institutional- ▁complexity- ▁establish- ▁serving- ▁webcast- ▁requires- ▁format- ient- ▁ver- ▁willing- ▁powerful- ▁pain- ▁supplier- ▁cat- ▁import- eg- ▁si- ▁hasnt- ▁har- ▁doubledigit- ▁90- ▁him- ▁rail- ▁diverse- ▁da- ▁values- ▁host- sis- ▁rules- ▁el- ▁shifting- ▁map- ▁lean- ▁wealth- ▁political- ▁wireless- ▁metric- ▁exceed- ▁chris- ▁launching- ▁experiences- ▁homes- ▁initially- ▁manufacturers- ▁distributors- ▁advantages- ▁ja- qui- ▁attending- ▁instrument- ▁accomplish- ▁numerous- ▁monitoring- ▁followed- ▁carriers- ▁concern- ▁promise- ▁street- ▁hotels- ▁reliability- ned- ▁com- ▁bear- ▁tenants- ▁leads- ▁ecosystem- ▁bre- ▁hardware- ▁satisfaction- ▁usual- ▁briefly- ▁installation- ▁administration- ▁elevated- ▁associates- wa- ▁emphasize- ▁pension- ▁alternatives- ▁intelligence- ▁repair- ▁proprietary- ▁appeal- ▁strongest- ▁subscriber- ▁earn- ▁merchandise- ▁learned- air- ▁laid- ▁revise- ▁busy- ▁amounts- ▁exclusive- ▁emerge- ide- tru- ▁jim- ▁sea- ▁duration- ▁cars- der- ▁fiber- ▁scheduled- ▁fewer- ▁addressing- gg- ▁dealers- vis- ▁produced- hold- ▁solve- ▁vendors- ▁buyers- ▁heart- ▁par- ▁broaden- ▁decide- ▁indications- ▁grade- ▁rational- ▁adverse- ▁file- ▁agents- ▁chemical- ▁hospitals- ▁contact- ▁spec- ▁facing- ran- ▁waiting- ▁exercise- ▁minimum- ▁differences- ▁installed- ▁pool- ▁notice- ium- ▁theyll- pen- ▁merchant- ▁hours- ▁tariffs- ▁assist- ▁reiterate- '9'- ▁tail- ▁input- ▁multiyear- part- ▁hire- ▁stick- ▁decreased- ▁dependent- ▁declining- ▁normally- ▁trans- ▁deployed- through- ▁milestones- ▁supplemental- ▁careful- point- ▁reinvest- ▁dedication- ▁indicate- ▁awards- ther- ▁creates- ▁pu- ▁display- ▁managements- ▁showed- ▁positively- ▁personnel- ▁summarize- ▁signal- ▁intended- ▁emphasis- ▁wi- ▁secured- ▁immediate- ▁feeling- ▁normalized- ship- ▁ramping- ▁accretive- ▁cetera- ▁magnitude- ▁nu- ▁square- ▁renewable- ▁defense- ▁negotiations- ▁ed- ier- ▁sound- ▁25- ▁via- ▁concerns- ▁accurate- ▁dealer- val- ▁screen- ▁somebody- ▁balances- ▁green- ▁frac- ▁gu- ▁feed- ▁constantly- ▁policies- ▁americas- ▁delays- rate- serv- port- ▁hes- ▁france- ▁covered- ▁bought- ▁differentiate- ▁lowest- ▁length- au- ▁eliminate- ▁proposal- ▁quantify- ▁nicely- ▁turnaround- ▁conversation- ▁school- ▁incorporate- ▁enrollment- ▁purchasing- ▁deliveries- ▁court- ▁moves- dy- ▁agree- ▁airline- ▁liability- ▁competitor- ▁laws- gn- ▁demonstrates- ▁bra- ▁playing- ▁useful- ▁creative- ▁player- ▁catch- ▁favor- ▁students- ▁solar- ▁maintained- ▁terminal- ▁surprise- ▁aspect- ▁incredibly- ▁divisions- ▁organizational- ▁licensing- ▁supplement- ▁released- ▁volatile- ▁storm- ▁wrap- ▁crude- ▁explore- ▁purchases- ▁spectrum- ▁expensive- ▁dan- ▁preferred- ▁sharp- ▁hoping- ▁defined- ▁werent- ▁amortization- ▁delayed- ▁relating- ▁basic- ▁nearterm- ▁door- ▁rolled- ▁possibly- ▁fruit- ▁vo- ▁highquality- ▁status- ▁lives- ▁assumption- ▁pump- ▁lay- ▁healthcare- ▁progressing- ix- ▁finished- ▁tracking- ▁bulk- ▁longerterm- ▁embedded- ▁benefiting- ▁lock- ▁possibility- ▁age- ub- ology- ▁describe- ▁migration- ▁pacific- ▁pattern- ▁concerning- ▁reinforce- ▁sourcing- ▁told- ▁stack- ▁feature- ▁functions- ▁placed- ▁vary- ▁arrangement- ▁simplify- ▁evaluation- ▁drag- ▁sports- ▁san- ▁completing- ▁offshore- bit- work- ▁outperform- ▁tried- ▁0- ▁organically- ▁mechanism- ▁jo- ▁appear- ▁fix- ▁consulting- ▁person- ▁breadth- ang- ▁participants- ▁tied- ▁hands- ▁pi- ▁exploration- ▁determined- ▁slowdown- ▁adopt- ▁milestone- ▁avoid- ▁spreads- ▁aggregate- ▁integrating- house- ▁obtain- ▁responsible- ▁disclaim- ▁depth- ▁kick- ▁instance- ▁turned- ▁updating- ▁exact- ▁intent- ▁branch- ▁patent- ▁buyback- ▁promote- ▁plays- ▁promotions- ▁surprised- ▁surge- ▁indicators- ▁thirdparty- ▁incurred- ▁opinion- ▁ten- ▁sponsor- ▁belief- ▁according- ▁pushing- log- ▁utilities- ▁impressive- ▁hi- ▁filing- ▁elect- ▁regulations- ▁fi- gan- ▁criteria- ▁comparisons- ▁er- ▁dealing- ▁lose- ▁comps- ▁unfavorable- ▁accomplished- ▁games- ▁percent- ▁regulation- ▁patterns- ▁relation- ▁combine- ▁80- ▁churn- ▁houston- ▁split- ▁member- ▁join- ▁overhead- ▁differently- ▁accordingly- ▁mass- ▁weighted- ▁transparency- ▁bridge- ▁sustainability- ▁ideas- ▁save- ▁unchange- ▁absorb- ▁seeking- tech- ▁black- ▁institutions- ▁guest- ▁fx- ▁broker- ▁serious- ism- ▁stress- ▁mode- ▁arm- ▁estimated- ▁couldnt- pac- ▁lab- ▁sw- ▁acquiring- ▁fine- ▁entering- ▁reliable- her- ▁war- ju- ▁purposes- ▁resolution- ▁appears- ▁jeff- ▁analysts- ▁jobs- ▁northern- ▁applied- ▁formal- ▁skill- ▁fed- net- ▁medicine- ▁southern- ▁followup- ▁calculation- ▁inherent- ▁man- ▁rob- ▁retirement- fu- ▁rely- ▁located- ▁unlock- ▁interact- ▁softness- ▁minimal- ▁self- ▁dose- ▁monthly- ▁persist- ▁living- ▁edge- led- ▁complement- ▁easily- ▁verticals- ▁eventually- ▁someone- ▁impairment- ▁partly- ▁plenty- ▁wonder- ▁advise- the- ▁producers- ▁raising- ▁analyze- fl- av- ▁fda- ▁revised- ▁administrative- ▁functionality- ▁corporation- ▁disclosed- ▁comfort- ▁ceo- ▁window- ▁written- ▁diversity- ▁entirely- ▁reverse- ▁minute- ▁sets- ▁thoughtful- mark- ▁regulators- ▁station- ▁prepare- use- ▁effectiveness- ▁recap- ▁connectivity- ▁rollout- ▁considerable- ▁op- ▁smooth- ▁globe- ▁straight- ▁sun- ▁index- ▁gear- ▁stabilize- ▁colleagues- ▁guarantee- ▁realization- ▁rule- ▁servicing- ▁frequency- ▁architecture- ▁introducing- ▁sitting- ▁maturity- gi- ▁regardless- ▁offsetting- ▁doubt- duc- if- down- ▁itll- ▁remove- pay- ▁adjusting- ▁manager- ▁borrowing- ▁tenant- ▁formula- ▁capable- nic- ▁prime- ▁acreage- ▁election- ▁cal- ▁conduct- ▁seasonally- ▁indeed- ▁entertainment- ▁hybrid- ▁factory- ▁thousands- ▁eps- ▁bro- ▁distinct- ▁refinancing- ▁transmission- ▁published- ▁knew- ▁dia- lan- ▁hub- ▁tighten- ▁retailer- ▁proposed- ▁upper- ▁permanent- ▁talented- ▁interaction- ▁newer- ▁assure- ▁star- ▁approvals- ▁won- loc- ▁round- ory- ▁mr- ▁consequence- ▁anybody- ▁communicate- ▁write- ▁warrant- ▁minor- press- ▁owned- ▁dramatic- ▁characterize- ▁books- ▁older- ▁incredible- ▁exception- ▁seamless- ▁route- ▁waste- tan- ▁70- ▁amazon- ▁utilizing- ▁deploying- ▁cable- ▁promotion- ▁onetime- ▁bri- ▁cu- ▁indicator- ▁wave- ▁tv- ▁wonderful- ▁award- ▁dialogue- ▁generic- ▁blue- ▁prevent- ▁demonstrating- ▁reinsurance- ▁install- par- ▁legislation- ▁michael- ▁spoke- ▁scott- ▁russia- ▁firms- ▁reviewing- ious- ▁seat- ▁horizon- ▁synergy- ▁engaging- ▁entry- ▁concentration- ▁pillar- ▁voice- ▁levers- ▁reflection- ▁damage- ▁skills- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁unlike- ▁latter- ▁preparing- ▁menu- ▁publish- ▁dry- ▁unfortunately- ▁women- ▁none- ▁cities- ▁ticket- ▁referring- ▁headcount- ▁candidates- ▁tim- ▁layer- ▁committee- ▁advisory- ▁fortunate- ▁modeling- ▁narrow- ▁fundamentally- ▁continuously- ▁permian- ▁equal- ▁massive- ▁vessels- ▁streamline- ▁threat- ▁pharma- ▁essential- ▁facilitate- ▁respective- ▁millions- ▁negotiate- ▁gulf- ▁streams- ▁measured- ▁procurement- ▁gaming- ▁electronic- ▁fantastic- ▁competing- ▁dave- ▁procedures- ▁ratios- ▁worse- ▁bob- ▁audit- ▁merchandising- ▁branches- ▁greatest- ▁appropriately- ▁advertisers- ▁ultimate- ▁heading- ▁documents- ▁distributor- ▁rock- ▁movements- ▁physician- ▁ter- ▁night- ▁link- ▁communicated- ▁analyst- ▁incentives- ▁payers- ▁score- ▁selected- sign- ▁reaching- ▁selection- ▁honest- ▁uptick- ▁mer- ▁electronics- ▁permit- ▁beliefs- ▁hundreds- ▁beverage- ▁pivot- ▁purchased- ▁grant- rn- ▁broadcast- ▁crop- ▁offices- ▁became- ▁leg- ▁receiving- ▁modestly- ▁proactive- ▁challenged- ▁divest- ▁assurance- ▁recognizing- ▁spin- ▁blend- ▁faced- ▁counter- ▁passion- ▁equally- ▁extraordinary- ▁disposition- ▁vendor- ▁promising- ▁affordable- ▁syn- ▁relate- ▁version- ▁claim- ▁sensor- ▁listening- ▁reset- ▁tender- ▁jump- ▁terrific- top- ▁cadence- ▁preference- ▁succeed- ▁liabilities- ▁upward- ▁carrier- ▁worldwide- ▁heat- ▁campaigns- ▁elaborate- ▁achievements- ▁che- ▁definition- ▁medicare- ▁harder- ▁wrong- ▁disposal- ▁upfront- ▁bunch- vers- ▁strengthened- ▁renovation- ▁lenders- ▁placement- ▁warehouse- ▁responsibility- ▁ri- ▁continually- ▁pat- ▁staffing- ▁matt- ▁euro- ▁extending- ▁collections- ▁shortage- ▁receivables- ▁notable- ▁navigate- ▁predictable- ifi- pped- ▁initiated- ▁dig- bra- ▁illustrate- ▁rid- ▁advancing- ▁adequate- ▁served- ▁bright- ▁paul- ▁raised- ka- ▁explained- ▁agenda- ▁rents- ▁listen- ▁boost- ▁compression- ▁beneficial- ▁convenience- ▁behalf- ▁uniquely- ▁sophisticated- ▁hedging- ▁professionals- ▁anyone- ▁rebound- stock- ▁preliminary- ▁anticipating- ▁200- ▁offered- ▁runway- ▁nav- ▁math- ▁pl- ▁joined- ▁precise- ▁tap- ▁pet- ▁secondary- den- ▁refresh- ▁realizing- ▁innovate- ▁internationally- ▁ball- ▁gi- ▁zone- ▁panel- ▁consistency- ▁title- ▁surface- ▁understood- ▁brian- ▁aerospace- ▁satisfied- ▁uncertain- ▁joe- driven- ▁continuation- ▁acceptance- ble- ▁settle- ▁minimize- ▁pan- ▁pending- ▁guarantees- ▁pharmaceutical- ▁agent- ▁harvest- ▁funded- ▁bundle- ▁tire- ▁document- cycle- ▁principles- ▁geography- ▁sellers- ▁prefer- ▁shut- ▁announcements- ▁graph- ▁rebuild- ▁preparation- ▁discovery- ▁ban- ▁efficacy- ▁advisers- ▁collective- ▁digit- ▁affecting- ▁occurring- ▁tower- ▁evident- ▁translation- ▁motor- ▁excitement- ▁aftermarket- ▁film- ▁container- ▁allowance- ▁severe- ▁constraints- ▁branded- ▁catalyst- ▁somewhere- ▁origin- ▁characteristics- ▁diagnostic- month- ▁equation- level- ▁alignment- ▁identifying- ▁anywhere- ▁conjunction- scale- ▁london- ▁marine- ▁watching- ▁pushed- ▁incur- ▁earning- ▁destination- ▁optimal- ▁party- ▁ebit- ▁distributed- ▁picking- ▁compound- ▁satellite- ▁linked- ▁obvious- ▁sum- ▁hopeful- place- ▁ambition- ▁optimism- ▁gen- ▁clarify- ▁diligently- ▁friend- ▁telling- ▁ingredient- ▁attack- ▁demographic- ▁fluctuations- ▁logic- ▁noise- ▁log- ▁benchmark- ▁agreed- ▁divestiture- ▁virtually- ▁reputation- ▁word- ▁requirement- ▁constitute- ▁activat- ▁jurisdiction- ▁wood- ▁pickup- ▁interim- ▁ka- ▁intense- ▁three- ▁yeartodate- za- ▁eastern- ▁validate- ▁24- ▁pad- ▁hydro- ▁reliance- ▁slowing- ▁enormous- ▁families- ▁feet- ▁pipe- ▁define- ▁currencies- ▁signing- ▁complicated- ▁competitiveness- ▁notably- stone- tax- ▁ge- ▁disclose- ▁suffer- ▁variabilit- ▁contracted- ▁stra- ▁background- ▁task- ▁stabilized- ▁manufacture- ▁transparent- ▁measurement- ▁representative- ▁alone- ▁booking- ▁represented- ▁maximizing- value- ▁burn- ▁deck- ▁accomplishments- ▁dive- xi- performing- ▁exceeding- ▁contemplate- ▁nuclear- ▁afford- ▁appetite- ▁consolidate- ▁philosophy- ▁television- ▁corresponding- ▁midpoint- ▁shorter- ▁fulfill- ▁unknown- ▁qualified- ▁therapeutic- ▁tre- ▁flu- hand- ▁grid- ▁startup- ▁bonus- ▁campus- ▁student- ▁accepted- ▁renewed- ▁assembl- ▁personally- ▁structured- ▁fra- ▁familiar- ▁virtual- ▁staying- ▁opt- ▁sorry- ▁recruiting- ▁code- ▁experts- ▁opex- ▁complementary- ▁gained- ▁memory- ▁hot- state- ▁flex- ▁former- ▁prospective- ▁ski- ▁proceed- ▁gradually- ▁classes- ▁korea- ▁tank- ▁allocate- ▁affiliate- ▁exploring- lon- ▁white- ▁bidding- ▁gate- ▁consultant- ▁contractual- ▁warm- ▁cold- light- wide- ▁macroeconomic- ▁passed- ▁appreciation- ▁tangible- ▁carbon- ▁chip- ▁neutral- ▁reaction- ▁gene- ▁send- ▁entity- ▁decent- ▁career- ▁guided- ▁gathering- ▁language- ▁vice- ▁cur- ▁cla- ▁franchisees- ▁auction- ▁fluid- ▁addressed- ▁stabilization- ▁representing- ▁crosssell- ▁rampup- ▁covenant- ▁kevin- ▁burden- ▁occasion- ▁royalty- ▁adjacent- ▁flavor- ▁session- ▁owner- ▁awarded- ▁epi- ▁softer- ▁southeast- ▁copy- ▁lap- ▁bucket- ▁distribut- ▁inflection- ▁mu- ▁progression- ▁noncash- ▁urban- ▁corner- ▁buyer- ▁refining- ▁sensitive- price- ▁funnel- ▁survey- ▁picked- ▁jack- ▁metro- ▁sentiment- ▁reasonably- ▁amazing- ▁progressive- ▁proceeding- ▁constructive- ▁mall- tel- ▁restrict- ▁revision- ▁wider- ▁renew- ▁shouldnt- ▁converting- ▁underpin- ▁recycling- ▁proactively- ▁downward- ▁trigger- ▁booked- ▁headline- ▁transport- ▁testament- ▁clinic- ▁earned- ▁mutual- ▁charter- ▁developers- room- ▁animal- ▁pack- ville- ▁firmly- ▁deliberate- ▁arise- ▁module- ▁club- ▁sight- ▁deepen- ▁operated- ▁2014- ▁diligence- ▁referred- ▁premier- ▁mandate- ▁sample- ▁style- ▁barrels- ▁construct- ▁row- ▁reg- ▁indicative- ▁meant- ▁letter- ▁acknowledge- ▁whilst- ▁cooper- ▁laser- ▁achievement- ▁fy- ▁master- ▁fan- ▁supportive- ▁downstream- ▁mitigat- field- ▁shelf- ▁cutting- ▁capturing- ▁registration- ▁compensate- ▁radio- ▁traditionally- ▁cyclical- ▁steadily- ▁detect- ▁ideal- ▁applicable- ▁artificial- ▁attempt- ▁valueadded- ▁standing- ▁naturally- ▁resilient- ▁alliance- ▁reit- ▁accept- ▁treated- ▁programming- ▁concentrated- ▁marked- ▁anticipation- ▁properly- ▁cheap- ▁tailwind- ▁listeners- ▁casual- ▁furthermore- ▁functional- ▁commodities- source- ▁principal- ▁audio- ▁employment- ▁apparel- ▁entities- ▁membership- ▁augment- ▁fight- ▁fl- ▁billion- ▁concession- ▁semiconductor- ▁visible- ▁implications- ▁composition- ▁authorities- ▁mag- tric- ▁wire- ▁indirect- ▁messaging- ▁literally- ▁broadband- ▁discover- ▁resolved- ▁announcing- ▁equivalent- ▁swing- ▁handling- ▁repositioning- ▁uk- ▁pit- ▁historic- ▁economies- ▁spain- ▁monetize- ▁greg- ▁turnover- ▁transactional- ▁clo- ▁kept- ▁certainty- ▁brexit- ▁regulated- ▁italy- ▁commit- ▁discontinued- ▁separation- ▁establishing- ▁amongst- ▁beauty- ▁hired- ▁scientific- ▁territories- ▁image- ▁satisfy- ▁payroll- ▁pound- ▁redevelopment- ▁tariff- ▁cautionary- ▁parent- ▁apple- ▁military- ▁prioritize- ▁losing- ▁yourself- quarter- ▁prescription- ▁district- ▁fun- ▁technological- ▁strict- ▁adopted- ▁endpoint- ▁bullish- ▁strive- ▁reflective- ▁predominantly- ▁copper- ▁evidenced- ▁northeast- ▁scheme- ▁pharmacy- water- ▁tier- ▁quicker- ▁popular- ▁standalone- ▁attrition- ▁washington- ▁database- ▁differential- ▁personalized- ▁balancing- ▁delever- wood- ▁slowed- ▁pause- ▁official- ▁overseas- ▁inject- ▁dar- ▁union- ▁dc- ▁lever- ▁hitting- ▁fabric- ▁elsewhere- ▁precision- ▁poor- ▁prospect- ▁ease- ▁handful- ▁assumed- ▁carolina- ▁swap- ▁territory- ▁description- ▁household- ▁bla- ▁meantime- ▁intellectual- ▁mobility- ▁outlet- ▁controlling- ▁samestore- ▁sizable- ▁periodic- grade- ▁enroll- ▁chosen- ▁carried- ▁payout- ▁airport- ▁competenc- ▁referenced- ▁combining- ▁wall- service- ▁issuance- ▁receivable- ▁shrink- ▁pra- ▁industryleading- ▁proof- ▁alluded- ▁noncore- ▁realistic- ▁upstream- ▁telecom- ▁absorption- ▁appendix- ▁materialize- ▁sooner- ▁shipment- ▁collaborat- ▁definitive- ▁automated- ▁vote- ▁lifetime- ▁conducted- ▁basket- ▁lumpy- ▁differentiator- ▁migrate- ▁float- ▁capitalized- ▁cool- ▁midstream- ▁bump- ▁governance- ▁takeaway- ▁temp- ▁electricity- ▁output- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- ▁frank- ▁maximum- ▁repayment- ▁intensity- ▁exhibit- ▁hong- ▁amendment- ▁cohort- ▁kong- ▁agile- ▁disappointed- ▁surgical- ▁tele- ▁separately- ▁sim- ▁judgment- ▁undu- ▁penetrate- ▁quote- view- ▁hour- ▁domain- ▁german- ▁body- ▁consist- ▁ev- ▁methodology- ▁principally- ▁sym- ▁rank- ▁chicago- ▁relentless- ▁scaling- ▁spite- ▁argentina- ▁email- ▁instore- app- ▁mac- ▁lifestyle- ▁therapies- ▁throughput- ▁cfo- ▁foreseeable- ▁observed- ▁fifth- ▁resolve- ▁mineral- ▁smartphone- ▁deduct- ▁municipal- ▁duty- ▁hurdle- oriented- ▁manufacturer- ▁diesel- run- ▁fell- ▁sensitivity- ▁tie- cular- ▁battery- brand- ▁passenger- ▁inflationary- ▁google- ▁investigation- bl- ▁disruptive- ▁luxury- ▁approaches- ▁delaware- ▁barrier- ▁31- ▁variation- ▁correctly- ▁observation- ▁securing- ▁ken- ▁interpret- ution- ▁nation- ▁recruit- ▁profitably- print- ▁underground- ▁protocol- ▁delighted- ▁identity- ▁noticed- logic- ▁advancement- ▁constrained- ▁strike- ▁derive- ▁casino- ▁remote- ▁submission- ▁rain- ▁bankers- ▁suppose- ▁explanation- ▁hyper- ▁causing- ▁compute- ▁scrap- ▁irr- focused- cast- ▁downside- ▁refinance- ▁prepayment- ▁expenditure- ▁gradual- ▁slowly- order- ▁peer- ▁simultaneously- ▁interface- ▁favorably- ▁considerably- ▁worldclass- ▁comprise- ▁tumor- bility- ▁responsive- ▁commerce- ▁niche- ▁movie- ▁extract- ▁stake- ▁myself- ▁flight- ▁exceptionally- ▁vessel- ▁mindful- ▁remarkable- ▁outflow- ▁shipped- qua- ▁incident- well- ▁lie- ▁conventional- ▁accommodate- ▁allocated- ▁finalized- ▁rare- ▁weekend- ▁saas- ▁embrace- ▁ample- ▁integrity- ▁monetization- ▁supplies- centric- ▁redeploy- ▁remodel- ▁disrupt- ▁nextgeneration- ▁surgery- ▁climate- book- ▁threshold- ▁normalize- ▁recommendation- ▁payable- ▁leaving- ▁parallel- ▁fulfillment- ▁enthusiasm- ▁relief- ▁delta- ▁yearonyear- ▁honor- star- ▁subsidiaries- ▁surrounding- ▁deflation- ▁singledigit- ▁consume- ▁pop- ▁innovat- ▁strides- ford- ▁thorough- ▁dozen- ▁weigh- ▁chose- ▁conscious- ▁intelligent- ▁variance- ▁preserve- ▁attend- ▁collaborative- ▁association- ▁multifamily- ▁congress- ▁controlled- ▁missed- ▁acute- ▁enthusiastic- ▁resilience- ▁everywhere- ▁resort- ▁aviation- ▁rico- ▁surprising- ▁submitted- ▁omnichannel- ▁spirit- ▁sudden- ▁avenue- ▁array- ▁density- ▁outdoor- ▁calculated- build- power- ▁specialist- ▁consolidating- ▁breakdown- ▁optionalit- ▁rigorous- ▁predictions- ▁educate- ▁anchor- ▁proper- ▁advice- ▁novel- ▁nonrecurring- ▁subsidiary- ▁protein- ▁deem- ▁peter- ▁treasury- ▁inspection- ▁impression- ▁termination- ▁outperformance- ▁acceptable- ▁negotiation- ▁consumable- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁accountability- ▁struggle- ▁empower- ▁loyal- ▁strip- ▁crisis- ▁geo- wise- ▁defend- ▁vital- ▁algorithm- ▁urgency- ▁pathway- ▁reposition- ▁analytic- ▁electrical- ▁pleasure- ▁proxy- ▁failure- ▁extreme- ▁blood- ▁derivative- ▁robotic- ▁certification- ▁accident- ▁impressed- ▁discretionary- stream- ▁dimension- ▁articulat- ▁recession- ▁triple- ▁stockholders- ▁silver- ▁frequently- ▁inclusion- ▁medicaid- ▁molecule- ▁glass- ▁vegas- product- ▁authority- ▁reinvestment- ▁jv- ▁upgrading- equ- ▁spoken- ▁sku- ▁engineers- ▁eagle- ▁jersey- ▁exposed- ▁unexpected- ▁unfold- ▁agility- ▁bestinclass- ▁sweet- ▁alongside- ▁society- ▁worry- ▁comparing- ▁studio- ▁granular- ▁keen- ▁alberta- ▁breakeven- ▁christmas- ▁goforward- ▁twice- ▁workflow- ▁imaging- ▁scan- ▁perception- ▁grand- ▁authorization- ▁concrete- ▁receipt- ▁absence- ▁australian- ▁radi- ▁comparative- ▁negotiating- ▁nutrition- ▁replacing- ▁guiding- ▁stretch- ▁underscore- ▁apartment- ▁younger- ▁collateral- ▁script- ▁resume- ▁plastic- ▁turkey- ware- ▁dilution- ▁anniversary- ▁phil- ▁computing- ▁substitute- ▁river- ▁disappointing- ▁specialized- '50'- ▁determination- ▁powder- ▁oncology- ▁japanese- ▁imply- ▁rationalization- ▁finalize- ▁preclinical- ▁undertaking- ▁register- ▁hospitality- ▁thrilled- ▁valley- ▁secular- ▁music- ▁cultural- ▁holistic- ▁lowcost- ▁hurt- ▁outsourcing- ▁adult- ▁invite- ▁reorganization- ▁unified- ▁reservoir- ▁motion- ▁glad- ▁visual- ▁regime- ▁theater- ▁academic- ▁concentrate- ▁cancellation- ▁diluted- ▁inorganic- ▁deleveraging- ▁french- ▁bolster- ▁simplification- ▁writing- ▁headquarters- ▁submit- ▁resonate- ▁midwest- ▁university- ▁brokerage- plus- ▁relevance- ▁text- ▁boston- ▁practical- ▁midst- ▁max- ▁nobody- ▁intangible- ▁snow- ▁bankruptcy- ▁overlap- ▁doug- ▁modernization- ▁cargo- ▁wallet- ▁merit- ▁revolving- ▁aluminum- ▁stabilizing- ▁recommend- ▁procedure- ▁immune- ▁valid- ▁restore- ▁coffee- ▁arrive- ▁reconcile- performance- ▁referral- '20'- ▁children- ▁geographically- ▁accretion- ▁reversal- ▁tissue- ▁tomorrow- ▁nimble- ▁uplift- ▁nevertheless- ▁revolver- ▁willingness- ▁convenient- ▁deterioration- ▁contingent- ▁parameters- ▁pursuit- ▁cyber- '95'- ▁root- ▁costeffective- ▁lumber- ▁singapore- ▁arpu- ▁gift- ▁fail- ▁borrowers- ▁town- ▁convertible- ▁journal- ▁fish- charge- ▁temperature- ▁character- ▁modification- ▁ocean- ▁suspect- ▁possibilities- ▁flood- ▁solely- ▁brazilian- ▁experiment- ▁colorado- ▁foresee- quartertoquarter- ▁inefficienc- ▁notwithstanding- ▁spike- ▁transit- ▁interconnect- ▁analyzing- ▁qualify- ▁banner- ▁maturit- growth- ▁eliminating- ▁retire- ▁virginia- ▁accuracy- ▁redemption- ▁recruitment- ▁click- ▁guidelines- ▁restrictions- ▁broadbased- ▁continent- ▁grocery- ▁additive- ▁chunk- ▁formulation- ▁intervention- ▁hence- ▁silicon- ▁unprecedented- ▁expire- ▁kids- ▁apparent- ▁stories- ▁poised- ▁anymore- ▁redesign- ▁hawaii- ▁likelihood- ▁gotomarket- ▁plate- ▁aspiration- ▁correlation- ▁qualification- ▁underwrite- ▁engineered- ▁consequently- ▁craft- ▁foremost- ▁consent- ▁colombia- ▁tactical- ▁forget- ▁eric- ▁permitting- ▁healthier- force- ▁mechanical- ▁poland- ▁realignment- ▁refinery- ▁replicate- ▁outpace- ▁chairman- ▁doubling- contract- ▁generator- ▁rick- ▁appliance- ▁contrast- ▁candidate- efficient- ▁ontario- ▁saving- ▁borrow- ▁proving- ▁friday- ▁photo- ▁assistance- ▁worried- ▁judge- ▁refund- ▁hundred- ▁embark- ▁ultra- ▁greenfield- ▁consensus- ▁accessories- ▁flagship- ▁entrepreneur- ▁diamond- ▁expiration- ▁forefront- ▁venue- ▁default- ▁placing- ▁choosing- ▁fluctuate- ▁attendance- ▁hike- ▁dallas- ▁fragmented- ▁classified- ▁optical- ▁revolution- ▁institution- ▁chronic- ▁conviction- ▁demonstration- ▁overwhelm- ▁struggling- ▁sky- ▁broken- ▁decreasing- ▁sweden- turn- ▁heightened- ▁pennsylvania- ▁intake- ▁genetic- mobile- ▁crystal- ▁reaffirm- ▁regulator- ▁transact- ▁dropped- ▁advertise- ▁decelerat- ▁unsecure- ▁worst- ▁perpetual- ▁trouble- ▁gather- ▁walmart- ▁accrue- ▁pulp- ▁caught- ological- ▁uptake- ▁furniture- ▁pronounced- '10'- ▁ohio- ▁quantity- ▁routine- ▁mindset- ▁resonat- ▁severity- ▁debate- modal- ▁diminish- ▁riskadjusted- ▁shutdown- ▁initiate- ▁circuit- ▁coach- ▁muted- ▁autonomous- ▁flip- ▁mistake- ▁slate- ▁ambitious- ▁dispute- ▁probability- ▁residents- ▁residual- ▁border- ▁grain- ▁upsell- bank- ▁cluster- ▁equities- ▁simplified- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁intact- ▁communicating- ▁annuity- ▁calculate- ▁authentic- spec- ▁requiring- ▁surplus- ▁instant- ▁allocating- ▁facebook- ▁universal- ▁witness- ▁jason- ▁teleconference- ▁expert- ▁coupon- ▁ancillary- ▁civil- ▁garden- ▁restart- ▁illinois- ▁emissions- ▁impossible- ▁chapter- ▁premise- ▁baked- ▁elevate- ▁filter- ivity- ▁perceive- ▁nursing- ▁realign- ▁distinguish- ▁refocus- ▁friction- ▁crack- ▁royalties- ▁college- ▁longstanding- ▁overnight- ▁incumbent- ▁endtoend- ▁snap- ▁millennial- ▁manifest- ▁regain- ▁rebate- ▁dining- ▁imperative- sphere- ▁tenure- ▁indonesia- ▁promoting- ▁transcript- ▁principle- ▁bottle- ▁flag- ▁atlantic- ▁diligent- ▁phoenix- ▁instruct- ▁neuro- ▁george- ▁prescribe- ▁heritage- ▁accrual- ▁nationwide- ▁replenish- ▁article- ▁british- ▁stepped- ▁appointment- ▁dominant- ▁zealand- free- '00000'- ▁advisor- ▁delinquenc- ▁speculate- ▁inspire- ▁envision- ▁affordabilit- ▁crucial- ▁secret- ▁integral- ▁landlord- ▁streamlining- ▁modify- ▁quota- ▁province- ▁isolation- ▁beach- ▁albeit- ▁disaster- ▁entrant- ▁erosion- ▁relied- ▁elimination- ▁republic- ▁logistic- ▁opposite- ▁signature- ▁decisionmaking- ▁midsingle- mitted- ▁privilege- ▁shortfall- ▁correlate- ▁frozen- ▁ordinary- ▁omni- ▁neighborhood- ▁implies- ▁curtail- ▁charging- ▁institute- ▁patience- ▁temporarily- ▁systematic- ▁argue- ▁eligible- ▁leisure- ▁reception- ▁implant- ▁atlanta- ▁northwest- ▁vacation- ▁minus- realized- ▁exploit- ▁differentiating- ▁sugar- ▁premature- ▁thrive- ▁fraud- ▁revpar- ▁flash- ▁revisit- ▁lumpi- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁convention- ▁highermargin- ▁skew- ▁bandwidth- ▁catastrophe- ▁netherlands- ▁midterm- specific- ▁taste- ▁dairy- ▁eager- ▁liberty- ▁oklahoma- ▁phasing- ▁accumulate- ▁unemployment- ▁softening- ▁depressed- ▁airplane- ▁prevail- ▁analog- ▁footwear- ▁terminate- ▁arizona- abilities- ▁pioneer- ▁cancel- ▁agriculture- ▁thermal- ▁composite- ▁argument- ▁wellpositioned- ▁medication- ▁neither- ▁excuse- ▁qualitative- ▁concert- ▁determining- ▁michigan- ▁mirror- ▁thereafter- ▁manual- ▁applies- ▁horizontal- ▁prepaid- ▁repricing- ▁indicating- ▁queue- ▁observe- ▁amended- weight- ▁encounter- ▁inhibitor- ▁meanwhile- ▁toronto- ▁inclusive- ▁stopped- ▁robert- ▁concluding- ▁configuration- ▁pleasant- ▁cook- ▁clarification- ▁buffer- ▁relocation- ▁parcel- ▁convey- ▁showcase- ▁severance- ▁inbound- ▁inquiries- ▁trailing- ▁drink- ▁snack- ▁chemistry- ▁energized- ▁removing- ▁modified- ▁circle- ▁kitchen- ▁vacancy- ▁plug- ▁southwest- ▁steep- ▁illustrat- ▁scheduling- ▁celebrate- ▁diabetes- ▁alpha- ▁frequent- ▁achievable- ▁molecular- ▁bounce- ▁quiet- ▁cumulative- ▁capacities- ▁bolton- ▁comparability- ▁phenomenon- ▁steward- ▁reseller- ▁pertain- ▁resiliency- ▁awful- ▁shoot- ▁clinicians- ▁measuring- ▁pleasing- ▁maturing- ▁prototype- ▁survival- ▁rural- ▁heavier- ▁immuno- ▁universe- ▁louisiana- ▁marketleading- ▁weakening- ▁somehow- ▁credibility- ▁battle- ▁declare- ▁involving- ▁columbia- ▁ounces- ▁significance- ▁compromise- ▁feasibility- ▁mexican- ▁tobacco- ▁england- ▁chicken- ▁archive- ▁gauge- ▁ought- ▁enforcement- ▁remediation- ▁relaunch- ▁dictate- ▁legislative- ▁modular- ▁cushion- ▁voluntary- demand- ▁distress- ▁quantitative- ▁releasing- ▁statutory- ▁roadmap- ▁ryan- ▁mortality- ▁scratch- ▁syndicate- ▁turbine- ▁breast- ▁james- ▁absent- ▁crm- ▁discontinu- ▁milk- ▁missouri- ▁salaries- ▁concurrent- ▁coordinate- ▁tonnage- ▁automatically- ▁catalog- ▁martin- ▁minnesota- ▁deficit- ▁reorganiz- responsibilities- ▁multinational- ▁opioid- ▁salespeople- ▁distance- thanexpected- ▁compliant- ▁dilutive- ▁proximity- ▁zero- ▁tuckin- ▁incorporating- ▁migrating- ▁mediumterm- ▁undergoing- ▁scalabilit- ▁geopolitical- ▁uniform- ▁solving- ▁intermediate- ▁angeles- ▁saudi- ▁stimulate- ▁nominal- ▁midteens- ▁speculation- ▁freedom- iconic- ▁distraction- ▁shock- ▁describing- ▁jewelry- ▁sleep- ▁squeeze- ▁gasoline- ▁refurbish- ▁unmatch- ▁golf- ▁associate- ▁removal- ▁wheel- ▁interior- ▁noninterest- ▁prohibit- ▁finaliz- ▁consultation- ▁kansas- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "description_zh": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout ddd205f05e4a323a0aeb5cae81604a7bb5abfa45pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Thu Mar 4 09:32:06 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.7.1`- Git hash: `fde26e9b249045a76e6cf809c85f9ab7118c2028` - Commit date: `Thu Mar 4 09:06:55 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|95401|98.2|1.3|0.5|0.4|2.2|32.5||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|946469|98.1|1.3|0.5|0.4|2.3|33.6|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|543236|99.4|0.2|0.4|0.3|0.9|32.5||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|5393048|99.4|0.2|0.4|0.3|1.0|33.6|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|102933|98.0|1.2|0.7|0.4|2.4|32.5||decode_asr_lm_lm_train_lm_en_bpe5000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|1022838|97.9|1.3|0.8|0.4|2.5|33.6|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 46040dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_en_bpe5000/train/speech_shape- exp/asr_stats_raw_en_bpe5000/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_en_bpe5000/valid/speech_shape- exp/asr_stats_raw_en_bpe5000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_nodev/wav.scp - speech - sound- - dump/raw/train_nodev/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/wav.scp - speech - sound- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁a- ▁our- s- ▁is- ▁on- ▁for- ▁as- ▁are- ▁you- ▁have- ▁i- ▁this- ▁with- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ing- ▁think- ▁what- ▁not- ▁some- ▁us- ▁or- ▁by- ▁new- ▁well- ▁about- ▁do- ▁growth- ▁can- ▁which- ▁was- ▁an- ▁its- ▁there- ▁very- ▁these- ▁also- ▁market- ed- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- d- ▁just- ▁been- ▁has- ▁weve- ▁over- ▁those- ▁they- ▁if- ▁time- ▁first- ▁where- ▁customers- ▁into- ▁out- ▁like- ▁how- ▁results- ▁other- ▁really- ▁last- ▁their- ▁up- ▁one- ▁expect- ▁than- ly- ▁look- ▁your- ▁because- ▁when- ▁through- ▁any- ▁get- ▁call- ▁good- ▁strong- ▁sales- ▁had- ▁believe- ▁then- ▁second- ▁revenue- ▁thats- ▁company- ▁performance- ▁years- ▁make- ▁product- ▁financial- ▁lot- ▁capital- ▁much- ▁cost- ▁could- ▁right- ▁both- ▁them- ▁impact- ▁terms- ▁future- ▁want- ▁dont- ▁value- ▁forward- ▁work- ▁next- ▁little- y- ▁back- ▁customer- ▁products- ▁bit- ▁increase- ▁number- ▁end- ▁take- ▁may- e- ▁while- ▁kind- ▁markets- ▁higher- ▁opportunities- er- ▁half- ▁able- ▁way- ▁during- ▁operating- ▁significant- ▁know- ▁better- ▁most- ▁go- ▁things- ▁cash- ▁focus- c- ▁2- ▁say- ▁still- ▁im- ▁part- ▁point- ▁lower- r- ▁statements- ▁provide- ▁should- ▁being- ▁across- n- ▁need- ▁made- ▁team- ▁important- ▁opportunity- ▁line- al- ▁third- ▁today- ies- ▁people- ▁rate- ▁theres- ▁down- ▁many- ▁no- ▁fourth- ▁strategy- ▁looking- ▁portfolio- m- ▁continued- t- ▁before- ▁me- ▁price- ▁level- ▁industry- ▁around- ▁management- ▁youre- ▁great- ▁working- ▁demand- ▁investment- ▁additional- ▁due- ▁share- ▁thank- ▁even- ▁actually- ▁progress- ▁give- ▁here- ▁come- ▁plan- ▁only- ▁seeing- ▁few- ▁margin- ▁overall- ▁costs- ▁development- ▁further- ▁drive- ▁high- ▁service- p- ▁same- ▁grow- ▁current- ▁different- ▁result- ▁data- ▁seen- ▁3- ▁technology- ▁coming- ▁doing- ▁services- ▁change- ▁earnings- ▁who- ▁positive- ▁key- ▁guidance- ▁start- ▁process- ▁again- ▁position- ▁turn- ▁full- ▁investments- ▁past- ▁forwardlooking- ▁support- in- ▁said- ▁improve- ▁did- ▁got- es- ▁given- ▁within- ▁environment- ▁basis- ▁based- ▁expected- ▁re- ▁increased- ▁sure- ▁my- ▁focused- ▁sort- ▁question- ▁help- ▁potential- ▁pricing- ▁large- ▁businesses- ▁months- ▁remain- ▁side- ▁such- ▁making- ▁program- ▁done- ▁balance- ▁maybe- ▁put- ▁something- o- ▁strategic- ▁production- ▁information- ▁ability- ▁interest- ▁platform- ▁move- ▁already- f- ▁couple- ▁use- b- ▁feel- ▁best- ▁mentioned- ▁acquisition- ▁several- ▁talk- ▁early- ▁each- ▁operations- ation- ▁segment- re- ▁expectations- ▁long- ▁q- ▁base- ▁deliver- ▁commercial- ▁tax- ▁assets- ▁rates- ▁order- ▁changes- k- ▁pleased- ▁experience- le- ▁build- ▁place- ▁period- ▁certain- ▁ill- ▁benefit- ▁including- ▁growing- ▁quarters- ▁improvement- ▁projects- ▁model- ▁under- ▁related- ▁initiatives- ▁flow- ▁fact- ▁addition- ▁companies- ▁activity- ▁driven- ▁areas- ▁factors- ▁getting- ▁margins- ▁net- ▁existing- ▁continues- ▁mix- ▁after- g- ▁term- ▁big- ▁levels- ▁s- ▁id- ▁volume- ▁income- ▁does- ▁theyre- ▁release- ▁pretty- ▁clients- ▁thing- ▁course- ▁project- ▁capacity- ▁probably- ▁might- ▁day- ▁competitive- ▁having- or- ▁every- ▁brand- a- ▁risk- ▁always- ▁marketing- ▁de- ▁global- ▁why- w- ▁mean- i- ▁actual- ▁c- ▁leverage- ▁solutions- ▁quite- ▁building- ▁another- ▁supply- ▁prices- ▁saw- ▁credit- ▁off- ▁digital- ▁yes- ▁update- ▁less- ▁world- ▁offset- ers- ▁conference- ▁real- ic- ▁view- ▁let- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁success- ▁system- ▁top- ▁quality- ▁obviously- ▁between- ▁operational- ▁review- ▁far- ▁efforts- ion- ▁area- ▁shareholders- ▁prior- ▁certainly- ▁group- ▁pipeline- ▁todays- ▁return- ▁range- ▁whether- ar- ▁understand- ▁expenses- ▁continuing- ▁trying- ▁primarily- ▁amount- ch- ▁retail- l- ▁low- ur- ▁questions- ▁taking- ▁2017- ▁inventory- ▁4- ▁consumer- u- ▁outlook- ▁set- able- ▁total- ▁5- ▁presentation- ▁improved- ▁ahead- ▁contract- en- ▁since- ▁p- ▁structure- ▁expense- ▁major- ▁clear- ▁fiscal- ▁profitability- ▁approach- ▁add- ▁confident- ▁risks- it- ▁timing- ▁capabilities- ▁expand- ▁distribution- ▁companys- ▁increasing- ▁materially- ▁own- ▁partners- ▁expansion- ▁revenues- ▁invest- ▁however- ▁specific- ▁longterm- ▁youve- ▁solid- ▁hard- ▁ago- ▁2018- ▁space- ▁benefits- ▁driving- ▁excited- ▁keep- ▁acquisitions- ▁plans- ▁talked- ▁increases- ▁differ- ▁small- ▁strength- ▁china- ▁particularly- ri- ▁sheet- ▁consistent- ▁begin- ▁perspective- x- ▁bring- ▁asset- ▁10- ra- li- ▁stores- ▁network- ▁debt- ▁1- ▁compared- ▁open- ▁sense- at- ▁f- ▁per- ▁un- ▁patients- ▁close- ▁control- ▁improving- ▁versus- ▁programs- 'on'- ▁average- ▁measures- ▁beginning- ▁numbers- ▁run- ne- ▁currently- ▁care- ▁needs- ▁significantly- ▁2016- ▁trends- ▁create- ▁innovation- ▁scale- ▁conditions- ▁please- ▁starting- ▁okay- ▁together- ▁tell- ▁trend- th- ▁decline- ▁energy- ▁advantage- ▁points- ll- ▁anything- ▁organization- ▁volumes- ▁detail- ▁whats- ▁throughout- ▁transaction- ▁difficult- ma- an- ▁brands- ▁pay- ▁execution- ▁include- ▁profit- ▁towards- ▁deal- ta- ▁e- ▁health- ▁gas- ▁cause- ate- ment- ▁material- ▁similar- ▁access- ▁later- ▁larger- ▁greater- ▁reduce- ▁efficiency- ▁remains- ▁spend- ▁store- ▁organic- ▁international- ▁systems- ▁yet- ▁uncertaint- ▁record- ▁events- ▁comments- il- ▁power- ▁example- ▁ongoing- ▁note- ▁fully- ▁investors- ▁longer- ▁teams- ▁6- ▁successful- ▁g- ▁oil- ▁direct- ▁announced- ▁morning- ck- ▁board- ▁infrastructure- ▁everyone- ▁sell- ▁find- ▁returns- ▁discuss- ▁front- se- ▁along- et- ive- ▁europe- ▁transition- ▁started- ▁track- ▁once- ▁case- ▁recently- ro- ▁allow- ▁talking- ▁particular- '1'- ▁achieve- ▁manage- ▁rest- ▁momentum- ▁providing- ▁become- st- ▁improvements- ▁press- ▁economic- ▁completed- ▁associated- ▁clearly- ▁shift- ▁report- ▁lines- ▁try- ▁guess- ▁activities- ▁discussed- ▁stock- ▁beyond- ▁segments- ▁previously- ▁size- ▁general- ▁impacted- ▁integration- ent- ▁confidence- ▁decision- ce- ▁pressure- ▁equity- ▁remarks- ▁regarding- ▁anticipate- ▁meaningful- ▁am- ▁offering- ▁issues- v- ▁effect- ▁reduction- ▁partner- ▁offer- ▁adjusted- ▁against- ▁annual- ▁too- ▁reason- ▁local- ▁launch- ▁delivering- ▁meet- h- as- ▁used- la- co- ▁incremental- ▁co- ▁website- ▁positioned- ▁target- ▁money- ▁equipment- ▁subject- ▁cycle- ▁he- ▁finally- ▁items- ▁slightly- ▁st- ul- ▁multiple- ▁percentage- ▁contracts- ▁guys- ▁quickly- ▁channel- ▁although- ▁without- ▁leadership- ▁relative- ▁actions- ▁especially- ▁selling- to- ▁con- ▁o- ▁resources- ▁using- ▁corporate- ▁construction- ▁spending- ▁possible- ▁unique- ▁address- '2'- ▁generate- ▁design- ▁answer- ▁manufacturing- ity- ▁public- ▁serve- ▁remind- ▁facility- ▁date- ▁combination- ▁comes- ▁maintain- ▁means- ▁comment- ▁complete- ▁online- ▁execute- ▁cloud- ▁employees- ▁included- ▁show- ▁free- ▁either- ▁pre- ▁taken- ▁content- ▁short- ▁details- ▁k- el- ▁loan- ▁job- ▁ensure- ▁until- ▁issue- ▁client- ▁challenges- ter- ▁didnt- ▁attractive- ▁various- ▁color- ▁type- ▁investing- ▁whole- ▁leading- ▁reflect- ▁t- ▁play- ▁clinical- ▁single- ▁thanks- ▁home- ▁negative- ▁previous- ▁government- ▁chain- ▁month- ▁moment- ▁exchange- ▁situation- ▁wanted- ▁productivity- ▁step- ▁marketplace- ▁thinking- ▁turning- ▁bank- ▁b- ▁regulatory- ▁forecast- ▁solution- ▁happen- ▁relationships- tic- ▁stronger- ▁ive- ▁largest- ▁committed- ▁thought- ▁- ▁form- ▁discussion- ▁develop- ▁goal- ▁20- ▁deals- ▁sale- ▁despite- ▁profitable- ▁consumers- ▁relatively- ized- ▁following- ▁hope- ▁delivered- na- z- ▁portion- ▁life- ▁favorable- est- ▁anticipated- ▁savings- ▁unit- ▁combined- mi- ▁lead- ▁season- ▁2019- ry- ▁bottom- ▁transformation- ▁mi- ▁likely- ▁underlying- ke- ▁ebitda- ▁prepared- ▁youll- ▁ways- ▁entire- ▁provided- ▁respect- ▁delivery- ▁havent- ▁cant- ▁least- ▁days- ▁flat- ▁nongaap- ti- ating- ▁near- ▁though- '3'- ▁category- ▁highly- ▁normal- ▁orders- ated- ▁enterprise- de- ol- ▁flexibility- te- ▁dividend- ▁gives- ▁closing- ▁experienced- ▁generally- me- ▁account- ▁critical- ▁private- ▁built- ▁industrial- ▁agreement- ▁majority- ▁came- ▁bo- ▁18- ▁generation- ▁ro- ▁test- age- ▁expanding- ▁week- ▁upon- ▁center- ▁buy- ▁therefore- ▁everything- ▁initial- ▁enhance- ▁specifically- up- ▁challenging- ▁quarterly- ▁effective- ▁efficient- ▁accelerate- ization- ▁currency- ▁hand- ▁commitment- ▁doesnt- ▁property- ▁competitors- ▁country- ▁strategies- ▁commission- ▁required- ▁pro- ▁12- ▁active- '00'- ▁fair- ▁phase- ▁state- '4'- ▁competition- ▁ever- ▁provides- ▁decrease- ▁largely- ▁technologies- ▁region- ▁premium- ▁win- ▁software- ▁facilities- ▁trade- ally- ▁pace- ve- ▁weeks- ▁loss- ▁mobile- ▁securities- ▁book- ▁h- ▁profile- ▁behind- ▁his- ▁final- ▁lets- ▁d- com- ▁smaller- ▁meeting- ▁extremely- ▁enable- ▁insurance- ▁field- ▁enough- line- ▁stable- ▁ourselves- rs- ▁allows- is- ▁rather- ▁planning- ▁relationship- ▁patient- ▁sector- ▁recovery- ▁safety- ▁happy- ▁reported- ▁sustainable- ▁operate- ant- ia- ▁individual- ▁internal- ▁categories- ▁accounts- ▁includes- ▁reach- ▁loans- ▁away- ▁assumptions- ▁running- ▁reduced- ▁contribution- ▁effort- ▁speak- ▁transactions- ▁food- ▁wondering- ness- ▁exactly- id- po- ▁achieved- ▁estate- um- ize- ▁parts- am- ▁ex- ▁metrics- ▁gaap- ▁obligation- ▁above- ▁basically- ▁offerings- ▁present- ▁factor- ▁weather- ▁applications- ▁outside- ca- ▁units- ▁faster- ▁gain- ▁partially- ▁makes- ▁appropriate- ▁study- ▁7- ▁added- ▁accounting- ▁8- ▁security- ▁efficienc- ▁land- ▁plant- ▁discussions- ▁main- ▁channels- ad- ▁received- ▁r- ▁exciting- ▁m- ▁reflects- ▁seems- ▁investor- ▁restructuring- ▁fund- ▁consider- ▁fuel- ▁directly- ▁developing- ▁took- ▁national- ▁middle- nt- ▁tend- ▁car- ▁dis- ▁changed- ▁ultimately- us- ▁ramp- ▁light- ▁times- ▁mo- ▁integrated- ▁shareholder- ▁footprint- ▁completion- ▁stay- ▁statement- ▁response- ▁changing- ▁force- ▁joining- ▁ratio- ▁adding- ▁traffic- ▁community- ▁highlight- ▁labor- ▁mind- ▁typically- ▁reasons- ▁substantial- ▁fleet- ors- ▁drivers- ▁decisions- ▁capability- sh- ▁cover- ▁17- ▁january- ▁robust- ▁media- ▁purchase- ▁opening- ▁managing- im- ▁po- ▁creating- ▁healthy- ▁found- ▁platforms- ▁expectation- ▁gains- ▁options- ▁water- ▁december- ▁almost- ▁comp- ▁others- ▁processes- ist- ot- ▁engagement- ▁advertising- ▁page- ▁read- ▁happening- ▁predict- ▁disconnect- ▁importantly- ▁vi- ▁natural- ▁primary- ▁yield- ▁backlog- ▁potentially- ▁foundation- ▁direction- ▁9- ▁l- ▁late- ▁executing- lo- ▁nature- ▁office- tion- ▁conversion- ▁understanding- ▁traditional- ▁driver- ▁non- ▁fall- ▁optimistic- ▁bringing- ▁planned- ▁safe- ▁filings- ▁refer- ▁excellent- ▁putting- ▁saying- ▁limited- ▁historical- ▁comfortable- ▁effectively- ▁15- ▁highlights- ▁march- ▁million- ▁goes- ▁research- ▁necessary- ph- ▁visibility- ▁needed- ▁standard- ▁proud- ▁liquidity- ▁cases- ▁assume- ▁asia- ▁countries- ▁funding- ▁disciplined- ▁tremendous- ence- ▁headwind- ting- ▁losses- ▁ask- ▁else- ▁targets- ▁comparable- ▁encouraged- ▁lease- ▁standpoint- ▁mid- ▁path- ▁bigger- ▁regions- ▁wouldnt- ac- ▁30- ▁recognize- ▁volatility- ▁fit- ▁launched- ▁franchise- ▁june- em- ▁financing- ▁maintenance- ▁live- ▁difference- ▁never- ary- ▁september- ▁extent- ▁members- ▁expanded- ▁approximately- pa- ▁fixed- ▁utilization- ▁role- ▁remaining- ▁broader- ▁capture- mo- ▁perhaps- ▁hold- mp- ▁detailed- ▁types- ▁budget- ▁n- ▁reducing- ▁focusing- tr- ▁operation- ▁sold- based- ▁economy- ▁bill- ▁properties- ▁theyve- ▁ready- ▁appreciate- ▁partnership- ▁intend- ▁proposition- ▁exposure- ▁medical- ▁below- ▁interesting- ▁domestic- ▁dollars- ▁broad- ▁acquired- ▁w- ▁led- ▁remainder- ▁locations- ▁fees- ▁gross- ha- ▁capex- ping- ▁produce- ▁tools- ▁reflected- ge- ▁nice- ▁ha- ▁pull- ni- ▁allocation- va- ▁simply- ▁legacy- ▁2015- ▁card- ▁stage- ▁ca- ▁sa- ▁treatment- ▁biggest- ru- ▁went- ▁fairly- ▁hit- ▁deep- ▁takes- ▁successfully- ▁highest- om- ▁inflation- ▁follow- ▁increasingly- ▁en- ▁everybody- ▁optimize- ▁closely- ▁ma- ▁history- ▁wont- ▁summary- he- ▁buying- ▁commodity- ▁historically- ▁requirements- ▁schedule- ▁reporting- land- ▁mark- 'no'- ▁news- ▁drug- ▁shows- ▁necessarily- ▁19- ▁di- ▁count- ▁flows- ▁policy- ▁somewhat- ▁giving- ▁outstanding- bo- ▁priority- ▁reconciliation- ▁drilling- out- ance- time- ▁dollar- ▁attention- ▁mortgage- ▁talent- ▁list- ▁auto- ▁remember- os- ▁strengthen- ▁goals- ▁maintaining- ▁event- ▁trial- ▁table- ▁mainly- ▁name- ▁european- ▁evaluate- ig- ng- ▁expertise- ▁closed- ▁operator- ▁respond- way- ▁room- ▁license- ▁innovative- ▁paid- ▁post- ▁regard- ▁prospects- ▁steps- ▁component- ▁implementation- ▁recover- ▁funds- ▁itself- ▁shares- ▁periods- ▁la- di- ▁16- ▁discipline- ▁pass- ▁expecting- ▁advance- ▁speed- tor- ▁approval- ▁compensation- ▁learning- ▁canada- ▁south- ▁touch- ▁initiative- ▁testing- ▁materials- ▁definitely- ▁adoption- ▁priorities- ▁east- ▁payments- ▁developed- ▁true- ▁leader- ▁centers- ▁se- ▁piece- ial- ▁foreign- ▁act- ▁attract- ▁nothing- ex- ▁challenge- ▁reform- ▁sec- ▁matter- ▁analysis- pi- ▁october- ▁april- ts- ba- end- ▁synerg- ▁created- ▁banking- ▁realize- ▁ba- ▁double- ▁50- ▁perform- ns- ▁contain- ▁application- ▁advanced- ▁targeted- ▁culture- ▁fast- ▁payment- ▁happened- ▁action- ▁site- ▁undertake- ▁pursue- ted- ▁context- ho- lu- vi- izing- ▁among- ▁described- ▁actively- ▁ad- ▁presence- ▁worked- ▁aggressive- ator- ▁regional- ard- ▁summer- ▁road- ▁complex- ▁deployment- ▁technical- ▁emerging- ▁choice- ▁resulted- ▁resulting- ▁special- ▁steady- ▁additionally- per- ▁training- ▁finance- ect- ld- ▁joint- ▁affect- ▁seasonal- ▁conclude- ▁retailers- ▁break- ▁july- year- ▁banks- ▁dynamics- ▁helping- ▁holiday- ▁trading- ▁smart- ine- ▁managed- ut- rt- ▁huge- ▁designed- ▁deposit- ▁generated- ▁tough- ▁involve- ▁looks- ▁relates- ▁va- ▁leveraging- ▁noted- ▁positions- ▁upside- ▁modest- ▁division- ▁v- ▁coverage- ▁idea- ▁players- ▁participation- ▁becoming- ▁brazil- ▁fee- ▁dynamic- ▁otherwise- ▁represent- ▁vision- ▁push- ▁analytics- ▁absolutely- ▁models- ▁invested- ▁occur- ▁independent- 'off'- ▁measure- ▁j- ▁discount- ▁heard- ▁implemented- ▁story- ▁yearoveryear- ▁walk- ▁exit- ▁often- ▁gone- ▁ones- ▁federal- ▁app- ▁ground- ▁upgrade- ens- ▁correct- lt- ▁relevant- ▁transform- ▁bar- und- ▁affected- ill- cu- ▁providers- con- ▁common- ▁recognized- bu- ▁variety- ▁impacts- ten- q- ▁reasonable- ▁reminder- ▁helpful- pl- ▁november- ▁must- ▁moved- ▁specialty- ▁engine- ▁adjustments- ▁compete- ▁inter- ▁reflecting- ▁class- ▁enhanced- pe- nd- ▁source- ▁soon- ▁effects- ci- ▁developments- ▁wide- ▁central- ▁al- ton- ▁drop- ▁india- ▁generating- ▁multi- ▁essentially- ▁face- ▁renewal- ▁objectives- sa- ▁sp- gen- ▁protect- ▁trust- ▁ni- ▁retain- ▁issued- ▁communities- ▁senior- ▁reductions- ▁demonstrate- ling- ▁closer- ver- ▁calls- ap- ▁excess- ▁america- ▁represents- ▁states- ▁charge- ▁truck- by- ▁hear- ▁head- ▁february- ▁function- ▁personal- ▁roll- ▁performing- ian- ▁decided- ▁easier- ▁extend- '5'- tu- ▁uncertainty- ▁california- ▁identified- ▁began- ms- ▁engineering- ▁subscription- ▁venture- ty- nc- ▁bookings- ▁happens- ▁partnerships- ▁users- ▁components- ions- ▁tri- ▁recognition- ▁york- ▁suggest- ▁slow- j- ▁law- ▁sites- ▁geographic- ▁easy- ▁identify- ▁spot- ability- ▁interested- ▁sub- ris- ▁pick- ▁cannot- ps- ▁outcomes- ▁connect- ring- ▁external- ▁established- ▁stated- ite- ▁looked- ▁underwriting- ▁population- ▁consolidation- rg- ▁le- ▁video- ▁lo- ▁professional- ▁city- ▁estimate- ▁operators- ture- ▁require- ▁li- ▁carry- ▁firm- ▁maximize- ▁achieving- ▁left- ▁frankly- go- ▁consistently- ▁provider- ight- ▁repurchase- ▁seem- ▁figure- ▁paying- ▁compelling- ▁helped- ▁conservative- ▁ta- do- ▁agreements- ▁automotive- ▁raw- ▁problem- tra- ▁aware- pt- ical- ▁section- tt- ▁penetration- ▁mar- ▁wins- ▁west- ▁projections- be- ▁shown- ▁mexico- ▁game- ▁capitalize- ▁quick- ▁thoughts- ▁allowed- ▁machine- ▁gr- ▁indicated- ▁bu- ▁ship- ous- ▁presented- ▁transportation- ▁prudent- ▁plants- ▁deploy- ny- ▁toward- ▁depending- ▁rapidly- ▁brought- ▁folks- ▁mention- ▁disease- ▁devices- ▁outcome- ▁encouraging- ▁demonstrated- ▁groups- ▁sequential- ▁limit- ▁shop- ▁august- ▁valuation- ▁supported- ▁differentiated- ir- ▁recorded- ▁executive- ▁degree- ▁residential- ▁tight- ▁filed- ▁wholesale- ▁accelerated- ▁she- ▁receive- ▁finding- ▁curious- ▁rental- ▁grew- op- ▁seasonality- ▁welcome- ▁subs- ▁option- ▁evolve- ▁considered- ▁excellence- ▁substantially- ▁leasing- ▁showing- ▁ch- ▁enter- ▁suppliers- ber- ▁lending- ▁consolidated- ▁objective- ▁concludes- ▁john- ▁u- ▁japan- ▁dedicated- ▁du- ▁retention- ▁elements- ▁staff- ▁canadian- ▁holding- ▁realized- ▁spent- ▁fill- ▁remained- ▁legal- ▁confirm- ▁estimates- ▁explain- ▁excluding- ▁ce- ▁sometimes- ▁mine- ▁involved- ▁ra- ▁rent- ▁promotional- ▁air- ga- ▁plus- ▁positioning- ▁feedback- ▁nor- ▁nearly- ▁contributed- ▁stand- ▁comprehensive- ▁qu- ▁claims- ▁felt- ▁repeat- ys- ▁leaders- ▁supporting- ▁shared- ▁benefited- ▁acquire- da- fo- son- ▁bi- ▁ti- ▁truly- tro- vo- ▁pe- ▁contribute- ▁social- ncy- ▁visit- ▁reserve- ▁original- ▁chinese- ▁te- ▁two- un- ▁utilize- ▁vehicle- ▁journey- ▁taxes- ▁bio- ▁whatever- ▁speaking- ging- fi- ▁stuff- ▁provision- ▁processing- ▁traction- ▁package- ▁ho- ▁deposits- related- lin- ▁variable- ▁clean- ▁cre- ▁raise- ▁recall- ▁simple- ▁participate- ▁signed- ▁decade- ea- ▁chart- ▁merger- ▁mike- ▁macro- ▁aggressively- ▁spread- ▁apply- ▁availability- ▁proven- ▁themselves- ▁met- ▁projected- day- ▁isnt- ▁creation- ▁worth- ▁implement- ▁na- ▁res- ▁recurring- ▁allowing- ▁optimization- ▁gave- ▁hopefully- ner- cc- ▁economics- ify- ▁north- ▁conclusion- ▁announcement- ▁commentary- ▁declines- ▁studies- ▁internally- ▁location- ▁digits- ▁afternoon- ative- ▁cut- and- ▁concept- ▁stages- ▁conversations- ▁updated- ▁deferred- ▁collaboration- ▁cautious- ▁department- ▁secure- ▁introduction- ▁convert- one- ▁held- ▁100- ▁picture- ▁texas- ▁features- ▁adjust- ▁structural- ▁travel- ▁known- ▁export- ▁wells- ▁constant- ▁engaged- ▁match- ▁subsequent- ▁assess- ▁ladies- ▁strengthening- ▁aim- ▁storage- ▁fundamentals- ▁posted- ▁mostly- ▁overview- ▁completely- ▁40- ▁shipments- ▁11- market- hi- fa- ▁accelerating- act- ▁practices- ▁vertical- ▁superior- ▁resource- ▁lu- ▁efficiently- ▁old- ▁disruption- ▁gentlemen- ▁housing- ▁hedge- ▁gap- ▁lost- ▁participating- ▁cap- ▁alternative- ▁indication- ▁globally- ▁reference- ▁education- ▁spring- ▁ecommerce- ▁hurricane- ▁sha- ▁keeping- ell- ▁slower- ▁dividends- ee- ▁sources- ▁manner- ▁exclude- ▁minutes- ▁user- ▁curve- ▁calendar- ▁performed- ff- ▁rig- ▁expressed- ▁meaning- ▁cell- ▁stream- ▁forth- bi- ▁considering- ▁frame- ▁consideration- ▁rep- ▁weak- ▁finish- ▁connection- ▁helps- red- ▁draw- ▁sh- ▁element- ▁compliance- ▁behavior- ▁works- ▁block- ▁engage- ▁compare- ▁evaluating- ▁audience- ▁standards- ▁valuable- ▁announce- ▁signs- ▁industries- ▁knowledge- ▁peak- ▁called- ▁tech- ▁awareness- ▁wed- ▁her- ▁fo- ▁peers- ities- ▁align- ▁enhancement- ▁weakness- ▁introduced- ish- ▁exist- ▁monitor- ▁launches- ▁comm- ▁gets- ▁z- ▁assuming- ▁transfer- ▁coast- ▁extended- ▁brief- ▁evolution- ▁mitigate- ▁comparison- ▁bid- ▁upcoming- ▁proceeds- '0'- ▁wait- ▁encourage- ▁evidence- ▁contained- ▁box- ▁inside- ▁sharing- ▁commitments- ▁slides- ▁et- ▁pursuing- ▁strongly- ▁bad- ▁sign- ▁vehicles- ▁custom- ▁wind- ving- ▁pressures- ▁acceleration- ▁sustain- ▁parties- ▁mining- ▁family- ▁y- ▁broadly- ▁contributions- ger- ▁shipping- ▁thus- ▁diversified- ▁stability- ▁profits- ▁enjoy- ▁device- ▁connected- ▁offers- ▁charges- ▁american- ▁regular- ful- ▁heavy- ▁hospital- ▁shopping- ▁disclosure- ▁rising- ip- ▁implementing- ▁highlighted- ▁separate- ▁opposed- ▁automation- ▁topic- ag- su- ▁enhancing- ▁setting- ▁sit- ▁shape- ▁balanced- over- ▁asked- ▁concluded- ▁circumstances- ▁message- ▁rating- ▁insight- ▁executed- ▁scenario- ▁item- ▁fa- ▁series- ▁winter- ▁extra- ▁organizations- ▁networks- ▁places- ▁words- ▁14- ▁geographi- ▁sufficient- mon- ▁managers- ▁pilot- ▁cha- ▁rec- ▁roughly- ▁steel- ▁settlement- ▁moderate- ▁financials- ▁physicians- ▁becomes- ▁em- ▁ended- ▁ve- ▁check- ▁reports- ▁matters- ▁refine- ▁extension- ▁protection- ▁publicly- ▁internet- ▁discussing- ▁logistics- ▁exceptional- ▁targeting- ▁wasnt- ▁landscape- ▁express- ron- ▁concerned- ▁slight- ▁aircraft- man- side- ▁enables- ▁seek- ▁examples- ▁integrate- ▁60- ▁influence- ▁yearend- ▁aspects- ▁utility- ▁ownership- med- ▁search- ie- ▁steve- ▁translate- ▁winning- ▁fundamental- ▁basin- ure- ▁bond- ▁13- gra- ▁physical- all- ▁approved- ▁chance- ▁rise- ▁loyalty- ▁evolving- ▁reserves- ▁leave- tiv- ▁drill- ▁replace- ▁agency- ▁continuous- ▁africa- ▁aligned- ▁enabling- ▁practice- ▁caution- ▁negatively- ▁opened- back- ▁wage- ▁employ- ▁campaign- cl- ▁pa- ▁rapid- ▁intention- ▁label- ▁starts- ▁strategically- ▁arent- ▁drove- ▁employee- ▁australia- ▁begun- io- ▁love- ▁typical- ▁print- load- ible- ▁method- ▁litigation- ▁park- ▁importance- ▁latest- ▁origination- ▁learn- ▁fashion- ▁yesterday- ▁officer- ib- ▁germany- ab- ▁lack- ▁trajectory- ▁mature- ▁dr- ▁sc- ▁th- ▁su- ▁rolling- ▁lift- ▁super- ▁watch- pro- ▁ne- ▁attribute- ▁prove- ▁ru- ▁load- ▁reality- '6'- ▁sounds- ified- ▁gold- ▁inventories- ▁phone- ▁switch- ▁rigs- ▁adjustment- ▁deeper- ▁floor- ▁x- ▁mon- ▁handle- ▁mission- ▁reward- ▁port- ▁movement- ▁florida- ▁train- ification- ▁flexible- ▁implied- ▁president- ▁absolute- ▁restaurant- ▁sustained- ▁harbor- ▁unless- ▁owners- ▁western- ▁consecutive- ▁farm- of- ▁hotel- ▁yields- ▁soft- ▁hearing- ▁replacement- ▁cor- ▁secondly- ▁tool- ▁occupancy- ▁mill- ▁opportunistic- ▁adapt- ▁determine- ▁latin- ▁caused- ▁freight- ▁pieces- ven- ▁agencies- ▁assortment- ▁guide- ▁delay- ▁enabled- ▁sand- ▁science- ▁david- ▁views- ▁paper- gu- ▁wa- od- ▁underway- ▁therapy- ▁incentive- ▁vast- ▁diversification- que- ▁foot- ▁reached- ▁liquid- ▁replay- ▁except- ▁clarity- ever- low- ▁heavily- ▁human- ▁hu- ▁outlined- ▁experiencing- ▁ju- ▁pure- ▁request- less- ▁eye- ster- ▁stakeholders- ward- ▁daily- ▁house- ▁react- ▁optimiz- ▁gotten- board- ▁oem- ▁unusual- ▁coal- ▁desire- ▁imagine- ▁assessment- ▁leases- ▁reimbursement- ▁medium- ▁sectors- ▁select- ▁cancer- ▁restaurants- ▁extensive- ▁regards- ▁selective- '8'- ▁consumption- ▁depreciation- ▁dramatically- ▁environmental- ▁purpose- ▁2020- ▁suite- ▁rich- ▁collection- ▁updates- own- ▁wish- ▁tra- ▁problems- ▁cross- ▁trials- ▁contributing- ▁depend- ▁weaker- ▁insights- ▁figures- ▁shortterm- bs- ▁chief- ler- ▁provisions- ▁entered- ▁lots- ▁asking- ▁choose- ▁framework- ▁cycles- ▁brings- ▁guests- ▁exceeded- ▁hiring- ▁inform- ▁introduce- ▁impacting- cr- ▁micro- ▁depends- ▁carefully- ▁collect- ▁usage- ▁red- ugh- ▁sequentially- ▁electric- ▁tu- ▁stop- ak- ▁returning- ▁producing- ▁es- ▁contributor- ▁fresh- ▁declined- ▁occurred- ▁expenditures- ▁ran- fin- ▁diversify- ▁instead- ▁proportion- ▁communication- ▁immediately- cor- ▁lag- mer- ▁perfect- ably- ▁metal- ▁usually- ▁packaging- ▁communications- ▁temporary- ▁ci- king- ▁downturn- ▁closure- ▁treat- ▁productive- ins- ▁attributable- '7'- ome- ▁ensuring- ▁originally- fe- car- ▁condition- ▁fire- ▁modern- ▁grown- ▁shortly- ▁scope- ▁gaining- ▁institutional- ▁complexity- ▁establish- ▁serving- ▁webcast- ▁requires- ▁format- ient- ▁ver- ▁willing- ▁powerful- ▁pain- ▁supplier- ▁cat- ▁import- eg- ▁si- ▁hasnt- ▁har- ▁doubledigit- ▁90- ▁him- ▁rail- ▁diverse- ▁da- ▁values- ▁host- sis- ▁rules- ▁el- ▁shifting- ▁map- ▁lean- ▁wealth- ▁political- ▁wireless- ▁metric- ▁exceed- ▁chris- ▁launching- ▁experiences- ▁homes- ▁initially- ▁manufacturers- ▁distributors- ▁advantages- ▁ja- qui- ▁attending- ▁instrument- ▁accomplish- ▁numerous- ▁monitoring- ▁followed- ▁carriers- ▁concern- ▁promise- ▁street- ▁hotels- ▁reliability- ned- ▁com- ▁bear- ▁tenants- ▁leads- ▁ecosystem- ▁bre- ▁hardware- ▁satisfaction- ▁usual- ▁briefly- ▁installation- ▁administration- ▁elevated- ▁associates- wa- ▁emphasize- ▁pension- ▁alternatives- ▁intelligence- ▁repair- ▁proprietary- ▁appeal- ▁strongest- ▁subscriber- ▁earn- ▁merchandise- ▁learned- air- ▁laid- ▁revise- ▁busy- ▁amounts- ▁exclusive- ▁emerge- ide- tru- ▁jim- ▁sea- ▁duration- ▁cars- der- ▁fiber- ▁scheduled- ▁fewer- ▁addressing- gg- ▁dealers- vis- ▁produced- hold- ▁solve- ▁vendors- ▁buyers- ▁heart- ▁par- ▁broaden- ▁decide- ▁indications- ▁grade- ▁rational- ▁adverse- ▁file- ▁agents- ▁chemical- ▁hospitals- ▁contact- ▁spec- ▁facing- ran- ▁waiting- ▁exercise- ▁minimum- ▁differences- ▁installed- ▁pool- ▁notice- ium- ▁theyll- pen- ▁merchant- ▁hours- ▁tariffs- ▁assist- ▁reiterate- '9'- ▁tail- ▁input- ▁multiyear- part- ▁hire- ▁stick- ▁decreased- ▁dependent- ▁declining- ▁normally- ▁trans- ▁deployed- through- ▁milestones- ▁supplemental- ▁careful- point- ▁reinvest- ▁dedication- ▁indicate- ▁awards- ther- ▁creates- ▁pu- ▁display- ▁managements- ▁showed- ▁positively- ▁personnel- ▁summarize- ▁signal- ▁intended- ▁emphasis- ▁wi- ▁secured- ▁immediate- ▁feeling- ▁normalized- ship- ▁ramping- ▁accretive- ▁cetera- ▁magnitude- ▁nu- ▁square- ▁renewable- ▁defense- ▁negotiations- ▁ed- ier- ▁sound- ▁25- ▁via- ▁concerns- ▁accurate- ▁dealer- val- ▁screen- ▁somebody- ▁balances- ▁green- ▁frac- ▁gu- ▁feed- ▁constantly- ▁policies- ▁americas- ▁delays- rate- serv- port- ▁hes- ▁france- ▁covered- ▁bought- ▁differentiate- ▁lowest- ▁length- au- ▁eliminate- ▁proposal- ▁quantify- ▁nicely- ▁turnaround- ▁conversation- ▁school- ▁incorporate- ▁enrollment- ▁purchasing- ▁deliveries- ▁court- ▁moves- dy- ▁agree- ▁airline- ▁liability- ▁competitor- ▁laws- gn- ▁demonstrates- ▁bra- ▁playing- ▁useful- ▁creative- ▁player- ▁catch- ▁favor- ▁students- ▁solar- ▁maintained- ▁terminal- ▁surprise- ▁aspect- ▁incredibly- ▁divisions- ▁organizational- ▁licensing- ▁supplement- ▁released- ▁volatile- ▁storm- ▁wrap- ▁crude- ▁explore- ▁purchases- ▁spectrum- ▁expensive- ▁dan- ▁preferred- ▁sharp- ▁hoping- ▁defined- ▁werent- ▁amortization- ▁delayed- ▁relating- ▁basic- ▁nearterm- ▁door- ▁rolled- ▁possibly- ▁fruit- ▁vo- ▁highquality- ▁status- ▁lives- ▁assumption- ▁pump- ▁lay- ▁healthcare- ▁progressing- ix- ▁finished- ▁tracking- ▁bulk- ▁longerterm- ▁embedded- ▁benefiting- ▁lock- ▁possibility- ▁age- ub- ology- ▁describe- ▁migration- ▁pacific- ▁pattern- ▁concerning- ▁reinforce- ▁sourcing- ▁told- ▁stack- ▁feature- ▁functions- ▁placed- ▁vary- ▁arrangement- ▁simplify- ▁evaluation- ▁drag- ▁sports- ▁san- ▁completing- ▁offshore- bit- work- ▁outperform- ▁tried- ▁0- ▁organically- ▁mechanism- ▁jo- ▁appear- ▁fix- ▁consulting- ▁person- ▁breadth- ang- ▁participants- ▁tied- ▁hands- ▁pi- ▁exploration- ▁determined- ▁slowdown- ▁adopt- ▁milestone- ▁avoid- ▁spreads- ▁aggregate- ▁integrating- house- ▁obtain- ▁responsible- ▁disclaim- ▁depth- ▁kick- ▁instance- ▁turned- ▁updating- ▁exact- ▁intent- ▁branch- ▁patent- ▁buyback- ▁promote- ▁plays- ▁promotions- ▁surprised- ▁surge- ▁indicators- ▁thirdparty- ▁incurred- ▁opinion- ▁ten- ▁sponsor- ▁belief- ▁according- ▁pushing- log- ▁utilities- ▁impressive- ▁hi- ▁filing- ▁elect- ▁regulations- ▁fi- gan- ▁criteria- ▁comparisons- ▁er- ▁dealing- ▁lose- ▁comps- ▁unfavorable- ▁accomplished- ▁games- ▁percent- ▁regulation- ▁patterns- ▁relation- ▁combine- ▁80- ▁churn- ▁houston- ▁split- ▁member- ▁join- ▁overhead- ▁differently- ▁accordingly- ▁mass- ▁weighted- ▁transparency- ▁bridge- ▁sustainability- ▁ideas- ▁save- ▁unchange- ▁absorb- ▁seeking- tech- ▁black- ▁institutions- ▁guest- ▁fx- ▁broker- ▁serious- ism- ▁stress- ▁mode- ▁arm- ▁estimated- ▁couldnt- pac- ▁lab- ▁sw- ▁acquiring- ▁fine- ▁entering- ▁reliable- her- ▁war- ju- ▁purposes- ▁resolution- ▁appears- ▁jeff- ▁analysts- ▁jobs- ▁northern- ▁applied- ▁formal- ▁skill- ▁fed- net- ▁medicine- ▁southern- ▁followup- ▁calculation- ▁inherent- ▁man- ▁rob- ▁retirement- fu- ▁rely- ▁located- ▁unlock- ▁interact- ▁softness- ▁minimal- ▁self- ▁dose- ▁monthly- ▁persist- ▁living- ▁edge- led- ▁complement- ▁easily- ▁verticals- ▁eventually- ▁someone- ▁impairment- ▁partly- ▁plenty- ▁wonder- ▁advise- the- ▁producers- ▁raising- ▁analyze- fl- av- ▁fda- ▁revised- ▁administrative- ▁functionality- ▁corporation- ▁disclosed- ▁comfort- ▁ceo- ▁window- ▁written- ▁diversity- ▁entirely- ▁reverse- ▁minute- ▁sets- ▁thoughtful- mark- ▁regulators- ▁station- ▁prepare- use- ▁effectiveness- ▁recap- ▁connectivity- ▁rollout- ▁considerable- ▁op- ▁smooth- ▁globe- ▁straight- ▁sun- ▁index- ▁gear- ▁stabilize- ▁colleagues- ▁guarantee- ▁realization- ▁rule- ▁servicing- ▁frequency- ▁architecture- ▁introducing- ▁sitting- ▁maturity- gi- ▁regardless- ▁offsetting- ▁doubt- duc- if- down- ▁itll- ▁remove- pay- ▁adjusting- ▁manager- ▁borrowing- ▁tenant- ▁formula- ▁capable- nic- ▁prime- ▁acreage- ▁election- ▁cal- ▁conduct- ▁seasonally- ▁indeed- ▁entertainment- ▁hybrid- ▁factory- ▁thousands- ▁eps- ▁bro- ▁distinct- ▁refinancing- ▁transmission- ▁published- ▁knew- ▁dia- lan- ▁hub- ▁tighten- ▁retailer- ▁proposed- ▁upper- ▁permanent- ▁talented- ▁interaction- ▁newer- ▁assure- ▁star- ▁approvals- ▁won- loc- ▁round- ory- ▁mr- ▁consequence- ▁anybody- ▁communicate- ▁write- ▁warrant- ▁minor- press- ▁owned- ▁dramatic- ▁characterize- ▁books- ▁older- ▁incredible- ▁exception- ▁seamless- ▁route- ▁waste- tan- ▁70- ▁amazon- ▁utilizing- ▁deploying- ▁cable- ▁promotion- ▁onetime- ▁bri- ▁cu- ▁indicator- ▁wave- ▁tv- ▁wonderful- ▁award- ▁dialogue- ▁generic- ▁blue- ▁prevent- ▁demonstrating- ▁reinsurance- ▁install- par- ▁legislation- ▁michael- ▁spoke- ▁scott- ▁russia- ▁firms- ▁reviewing- ious- ▁seat- ▁horizon- ▁synergy- ▁engaging- ▁entry- ▁concentration- ▁pillar- ▁voice- ▁levers- ▁reflection- ▁damage- ▁skills- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁unlike- ▁latter- ▁preparing- ▁menu- ▁publish- ▁dry- ▁unfortunately- ▁women- ▁none- ▁cities- ▁ticket- ▁referring- ▁headcount- ▁candidates- ▁tim- ▁layer- ▁committee- ▁advisory- ▁fortunate- ▁modeling- ▁narrow- ▁fundamentally- ▁continuously- ▁permian- ▁equal- ▁massive- ▁vessels- ▁streamline- ▁threat- ▁pharma- ▁essential- ▁facilitate- ▁respective- ▁millions- ▁negotiate- ▁gulf- ▁streams- ▁measured- ▁procurement- ▁gaming- ▁electronic- ▁fantastic- ▁competing- ▁dave- ▁procedures- ▁ratios- ▁worse- ▁bob- ▁audit- ▁merchandising- ▁branches- ▁greatest- ▁appropriately- ▁advertisers- ▁ultimate- ▁heading- ▁documents- ▁distributor- ▁rock- ▁movements- ▁physician- ▁ter- ▁night- ▁link- ▁communicated- ▁analyst- ▁incentives- ▁payers- ▁score- ▁selected- sign- ▁reaching- ▁selection- ▁honest- ▁uptick- ▁mer- ▁electronics- ▁permit- ▁beliefs- ▁hundreds- ▁beverage- ▁pivot- ▁purchased- ▁grant- rn- ▁broadcast- ▁crop- ▁offices- ▁became- ▁leg- ▁receiving- ▁modestly- ▁proactive- ▁challenged- ▁divest- ▁assurance- ▁recognizing- ▁spin- ▁blend- ▁faced- ▁counter- ▁passion- ▁equally- ▁extraordinary- ▁disposition- ▁vendor- ▁promising- ▁affordable- ▁syn- ▁relate- ▁version- ▁claim- ▁sensor- ▁listening- ▁reset- ▁tender- ▁jump- ▁terrific- top- ▁cadence- ▁preference- ▁succeed- ▁liabilities- ▁upward- ▁carrier- ▁worldwide- ▁heat- ▁campaigns- ▁elaborate- ▁achievements- ▁che- ▁definition- ▁medicare- ▁harder- ▁wrong- ▁disposal- ▁upfront- ▁bunch- vers- ▁strengthened- ▁renovation- ▁lenders- ▁placement- ▁warehouse- ▁responsibility- ▁ri- ▁continually- ▁pat- ▁staffing- ▁matt- ▁euro- ▁extending- ▁collections- ▁shortage- ▁receivables- ▁notable- ▁navigate- ▁predictable- ifi- pped- ▁initiated- ▁dig- bra- ▁illustrate- ▁rid- ▁advancing- ▁adequate- ▁served- ▁bright- ▁paul- ▁raised- ka- ▁explained- ▁agenda- ▁rents- ▁listen- ▁boost- ▁compression- ▁beneficial- ▁convenience- ▁behalf- ▁uniquely- ▁sophisticated- ▁hedging- ▁professionals- ▁anyone- ▁rebound- stock- ▁preliminary- ▁anticipating- ▁200- ▁offered- ▁runway- ▁nav- ▁math- ▁pl- ▁joined- ▁precise- ▁tap- ▁pet- ▁secondary- den- ▁refresh- ▁realizing- ▁innovate- ▁internationally- ▁ball- ▁gi- ▁zone- ▁panel- ▁consistency- ▁title- ▁surface- ▁understood- ▁brian- ▁aerospace- ▁satisfied- ▁uncertain- ▁joe- driven- ▁continuation- ▁acceptance- ble- ▁settle- ▁minimize- ▁pan- ▁pending- ▁guarantees- ▁pharmaceutical- ▁agent- ▁harvest- ▁funded- ▁bundle- ▁tire- ▁document- cycle- ▁principles- ▁geography- ▁sellers- ▁prefer- ▁shut- ▁announcements- ▁graph- ▁rebuild- ▁preparation- ▁discovery- ▁ban- ▁efficacy- ▁advisers- ▁collective- ▁digit- ▁affecting- ▁occurring- ▁tower- ▁evident- ▁translation- ▁motor- ▁excitement- ▁aftermarket- ▁film- ▁container- ▁allowance- ▁severe- ▁constraints- ▁branded- ▁catalyst- ▁somewhere- ▁origin- ▁characteristics- ▁diagnostic- month- ▁equation- level- ▁alignment- ▁identifying- ▁anywhere- ▁conjunction- scale- ▁london- ▁marine- ▁watching- ▁pushed- ▁incur- ▁earning- ▁destination- ▁optimal- ▁party- ▁ebit- ▁distributed- ▁picking- ▁compound- ▁satellite- ▁linked- ▁obvious- ▁sum- ▁hopeful- place- ▁ambition- ▁optimism- ▁gen- ▁clarify- ▁diligently- ▁friend- ▁telling- ▁ingredient- ▁attack- ▁demographic- ▁fluctuations- ▁logic- ▁noise- ▁log- ▁benchmark- ▁agreed- ▁divestiture- ▁virtually- ▁reputation- ▁word- ▁requirement- ▁constitute- ▁activat- ▁jurisdiction- ▁wood- ▁pickup- ▁interim- ▁ka- ▁intense- ▁three- ▁yeartodate- za- ▁eastern- ▁validate- ▁24- ▁pad- ▁hydro- ▁reliance- ▁slowing- ▁enormous- ▁families- ▁feet- ▁pipe- ▁define- ▁currencies- ▁signing- ▁complicated- ▁competitiveness- ▁notably- stone- tax- ▁ge- ▁disclose- ▁suffer- ▁variabilit- ▁contracted- ▁stra- ▁background- ▁task- ▁stabilized- ▁manufacture- ▁transparent- ▁measurement- ▁representative- ▁alone- ▁booking- ▁represented- ▁maximizing- value- ▁burn- ▁deck- ▁accomplishments- ▁dive- xi- performing- ▁exceeding- ▁contemplate- ▁nuclear- ▁afford- ▁appetite- ▁consolidate- ▁philosophy- ▁television- ▁corresponding- ▁midpoint- ▁shorter- ▁fulfill- ▁unknown- ▁qualified- ▁therapeutic- ▁tre- ▁flu- hand- ▁grid- ▁startup- ▁bonus- ▁campus- ▁student- ▁accepted- ▁renewed- ▁assembl- ▁personally- ▁structured- ▁fra- ▁familiar- ▁virtual- ▁staying- ▁opt- ▁sorry- ▁recruiting- ▁code- ▁experts- ▁opex- ▁complementary- ▁gained- ▁memory- ▁hot- state- ▁flex- ▁former- ▁prospective- ▁ski- ▁proceed- ▁gradually- ▁classes- ▁korea- ▁tank- ▁allocate- ▁affiliate- ▁exploring- lon- ▁white- ▁bidding- ▁gate- ▁consultant- ▁contractual- ▁warm- ▁cold- light- wide- ▁macroeconomic- ▁passed- ▁appreciation- ▁tangible- ▁carbon- ▁chip- ▁neutral- ▁reaction- ▁gene- ▁send- ▁entity- ▁decent- ▁career- ▁guided- ▁gathering- ▁language- ▁vice- ▁cur- ▁cla- ▁franchisees- ▁auction- ▁fluid- ▁addressed- ▁stabilization- ▁representing- ▁crosssell- ▁rampup- ▁covenant- ▁kevin- ▁burden- ▁occasion- ▁royalty- ▁adjacent- ▁flavor- ▁session- ▁owner- ▁awarded- ▁epi- ▁softer- ▁southeast- ▁copy- ▁lap- ▁bucket- ▁distribut- ▁inflection- ▁mu- ▁progression- ▁noncash- ▁urban- ▁corner- ▁buyer- ▁refining- ▁sensitive- price- ▁funnel- ▁survey- ▁picked- ▁jack- ▁metro- ▁sentiment- ▁reasonably- ▁amazing- ▁progressive- ▁proceeding- ▁constructive- ▁mall- tel- ▁restrict- ▁revision- ▁wider- ▁renew- ▁shouldnt- ▁converting- ▁underpin- ▁recycling- ▁proactively- ▁downward- ▁trigger- ▁booked- ▁headline- ▁transport- ▁testament- ▁clinic- ▁earned- ▁mutual- ▁charter- ▁developers- room- ▁animal- ▁pack- ville- ▁firmly- ▁deliberate- ▁arise- ▁module- ▁club- ▁sight- ▁deepen- ▁operated- ▁2014- ▁diligence- ▁referred- ▁premier- ▁mandate- ▁sample- ▁style- ▁barrels- ▁construct- ▁row- ▁reg- ▁indicative- ▁meant- ▁letter- ▁acknowledge- ▁whilst- ▁cooper- ▁laser- ▁achievement- ▁fy- ▁master- ▁fan- ▁supportive- ▁downstream- ▁mitigat- field- ▁shelf- ▁cutting- ▁capturing- ▁registration- ▁compensate- ▁radio- ▁traditionally- ▁cyclical- ▁steadily- ▁detect- ▁ideal- ▁applicable- ▁artificial- ▁attempt- ▁valueadded- ▁standing- ▁naturally- ▁resilient- ▁alliance- ▁reit- ▁accept- ▁treated- ▁programming- ▁concentrated- ▁marked- ▁anticipation- ▁properly- ▁cheap- ▁tailwind- ▁listeners- ▁casual- ▁furthermore- ▁functional- ▁commodities- source- ▁principal- ▁audio- ▁employment- ▁apparel- ▁entities- ▁membership- ▁augment- ▁fight- ▁fl- ▁billion- ▁concession- ▁semiconductor- ▁visible- ▁implications- ▁composition- ▁authorities- ▁mag- tric- ▁wire- ▁indirect- ▁messaging- ▁literally- ▁broadband- ▁discover- ▁resolved- ▁announcing- ▁equivalent- ▁swing- ▁handling- ▁repositioning- ▁uk- ▁pit- ▁historic- ▁economies- ▁spain- ▁monetize- ▁greg- ▁turnover- ▁transactional- ▁clo- ▁kept- ▁certainty- ▁brexit- ▁regulated- ▁italy- ▁commit- ▁discontinued- ▁separation- ▁establishing- ▁amongst- ▁beauty- ▁hired- ▁scientific- ▁territories- ▁image- ▁satisfy- ▁payroll- ▁pound- ▁redevelopment- ▁tariff- ▁cautionary- ▁parent- ▁apple- ▁military- ▁prioritize- ▁losing- ▁yourself- quarter- ▁prescription- ▁district- ▁fun- ▁technological- ▁strict- ▁adopted- ▁endpoint- ▁bullish- ▁strive- ▁reflective- ▁predominantly- ▁copper- ▁evidenced- ▁northeast- ▁scheme- ▁pharmacy- water- ▁tier- ▁quicker- ▁popular- ▁standalone- ▁attrition- ▁washington- ▁database- ▁differential- ▁personalized- ▁balancing- ▁delever- wood- ▁slowed- ▁pause- ▁official- ▁overseas- ▁inject- ▁dar- ▁union- ▁dc- ▁lever- ▁hitting- ▁fabric- ▁elsewhere- ▁precision- ▁poor- ▁prospect- ▁ease- ▁handful- ▁assumed- ▁carolina- ▁swap- ▁territory- ▁description- ▁household- ▁bla- ▁meantime- ▁intellectual- ▁mobility- ▁outlet- ▁controlling- ▁samestore- ▁sizable- ▁periodic- grade- ▁enroll- ▁chosen- ▁carried- ▁payout- ▁airport- ▁competenc- ▁referenced- ▁combining- ▁wall- service- ▁issuance- ▁receivable- ▁shrink- ▁pra- ▁industryleading- ▁proof- ▁alluded- ▁noncore- ▁realistic- ▁upstream- ▁telecom- ▁absorption- ▁appendix- ▁materialize- ▁sooner- ▁shipment- ▁collaborat- ▁definitive- ▁automated- ▁vote- ▁lifetime- ▁conducted- ▁basket- ▁lumpy- ▁differentiator- ▁migrate- ▁float- ▁capitalized- ▁cool- ▁midstream- ▁bump- ▁governance- ▁takeaway- ▁temp- ▁electricity- ▁output- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- ▁frank- ▁maximum- ▁repayment- ▁intensity- ▁exhibit- ▁hong- ▁amendment- ▁cohort- ▁kong- ▁agile- ▁disappointed- ▁surgical- ▁tele- ▁separately- ▁sim- ▁judgment- ▁undu- ▁penetrate- ▁quote- view- ▁hour- ▁domain- ▁german- ▁body- ▁consist- ▁ev- ▁methodology- ▁principally- ▁sym- ▁rank- ▁chicago- ▁relentless- ▁scaling- ▁spite- ▁argentina- ▁email- ▁instore- app- ▁mac- ▁lifestyle- ▁therapies- ▁throughput- ▁cfo- ▁foreseeable- ▁observed- ▁fifth- ▁resolve- ▁mineral- ▁smartphone- ▁deduct- ▁municipal- ▁duty- ▁hurdle- oriented- ▁manufacturer- ▁diesel- run- ▁fell- ▁sensitivity- ▁tie- cular- ▁battery- brand- ▁passenger- ▁inflationary- ▁google- ▁investigation- bl- ▁disruptive- ▁luxury- ▁approaches- ▁delaware- ▁barrier- ▁31- ▁variation- ▁correctly- ▁observation- ▁securing- ▁ken- ▁interpret- ution- ▁nation- ▁recruit- ▁profitably- print- ▁underground- ▁protocol- ▁delighted- ▁identity- ▁noticed- logic- ▁advancement- ▁constrained- ▁strike- ▁derive- ▁casino- ▁remote- ▁submission- ▁rain- ▁bankers- ▁suppose- ▁explanation- ▁hyper- ▁causing- ▁compute- ▁scrap- ▁irr- focused- cast- ▁downside- ▁refinance- ▁prepayment- ▁expenditure- ▁gradual- ▁slowly- order- ▁peer- ▁simultaneously- ▁interface- ▁favorably- ▁considerably- ▁worldclass- ▁comprise- ▁tumor- bility- ▁responsive- ▁commerce- ▁niche- ▁movie- ▁extract- ▁stake- ▁myself- ▁flight- ▁exceptionally- ▁vessel- ▁mindful- ▁remarkable- ▁outflow- ▁shipped- qua- ▁incident- well- ▁lie- ▁conventional- ▁accommodate- ▁allocated- ▁finalized- ▁rare- ▁weekend- ▁saas- ▁embrace- ▁ample- ▁integrity- ▁monetization- ▁supplies- centric- ▁redeploy- ▁remodel- ▁disrupt- ▁nextgeneration- ▁surgery- ▁climate- book- ▁threshold- ▁normalize- ▁recommendation- ▁payable- ▁leaving- ▁parallel- ▁fulfillment- ▁enthusiasm- ▁relief- ▁delta- ▁yearonyear- ▁honor- star- ▁subsidiaries- ▁surrounding- ▁deflation- ▁singledigit- ▁consume- ▁pop- ▁innovat- ▁strides- ford- ▁thorough- ▁dozen- ▁weigh- ▁chose- ▁conscious- ▁intelligent- ▁variance- ▁preserve- ▁attend- ▁collaborative- ▁association- ▁multifamily- ▁congress- ▁controlled- ▁missed- ▁acute- ▁enthusiastic- ▁resilience- ▁everywhere- ▁resort- ▁aviation- ▁rico- ▁surprising- ▁submitted- ▁omnichannel- ▁spirit- ▁sudden- ▁avenue- ▁array- ▁density- ▁outdoor- ▁calculated- build- power- ▁specialist- ▁consolidating- ▁breakdown- ▁optionalit- ▁rigorous- ▁predictions- ▁educate- ▁anchor- ▁proper- ▁advice- ▁novel- ▁nonrecurring- ▁subsidiary- ▁protein- ▁deem- ▁peter- ▁treasury- ▁inspection- ▁impression- ▁termination- ▁outperformance- ▁acceptable- ▁negotiation- ▁consumable- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁accountability- ▁struggle- ▁empower- ▁loyal- ▁strip- ▁crisis- ▁geo- wise- ▁defend- ▁vital- ▁algorithm- ▁urgency- ▁pathway- ▁reposition- ▁analytic- ▁electrical- ▁pleasure- ▁proxy- ▁failure- ▁extreme- ▁blood- ▁derivative- ▁robotic- ▁certification- ▁accident- ▁impressed- ▁discretionary- stream- ▁dimension- ▁articulat- ▁recession- ▁triple- ▁stockholders- ▁silver- ▁frequently- ▁inclusion- ▁medicaid- ▁molecule- ▁glass- ▁vegas- product- ▁authority- ▁reinvestment- ▁jv- ▁upgrading- equ- ▁spoken- ▁sku- ▁engineers- ▁eagle- ▁jersey- ▁exposed- ▁unexpected- ▁unfold- ▁agility- ▁bestinclass- ▁sweet- ▁alongside- ▁society- ▁worry- ▁comparing- ▁studio- ▁granular- ▁keen- ▁alberta- ▁breakeven- ▁christmas- ▁goforward- ▁twice- ▁workflow- ▁imaging- ▁scan- ▁perception- ▁grand- ▁authorization- ▁concrete- ▁receipt- ▁absence- ▁australian- ▁radi- ▁comparative- ▁negotiating- ▁nutrition- ▁replacing- ▁guiding- ▁stretch- ▁underscore- ▁apartment- ▁younger- ▁collateral- ▁script- ▁resume- ▁plastic- ▁turkey- ware- ▁dilution- ▁anniversary- ▁phil- ▁computing- ▁substitute- ▁river- ▁disappointing- ▁specialized- '50'- ▁determination- ▁powder- ▁oncology- ▁japanese- ▁imply- ▁rationalization- ▁finalize- ▁preclinical- ▁undertaking- ▁register- ▁hospitality- ▁thrilled- ▁valley- ▁secular- ▁music- ▁cultural- ▁holistic- ▁lowcost- ▁hurt- ▁outsourcing- ▁adult- ▁invite- ▁reorganization- ▁unified- ▁reservoir- ▁motion- ▁glad- ▁visual- ▁regime- ▁theater- ▁academic- ▁concentrate- ▁cancellation- ▁diluted- ▁inorganic- ▁deleveraging- ▁french- ▁bolster- ▁simplification- ▁writing- ▁headquarters- ▁submit- ▁resonate- ▁midwest- ▁university- ▁brokerage- plus- ▁relevance- ▁text- ▁boston- ▁practical- ▁midst- ▁max- ▁nobody- ▁intangible- ▁snow- ▁bankruptcy- ▁overlap- ▁doug- ▁modernization- ▁cargo- ▁wallet- ▁merit- ▁revolving- ▁aluminum- ▁stabilizing- ▁recommend- ▁procedure- ▁immune- ▁valid- ▁restore- ▁coffee- ▁arrive- ▁reconcile- performance- ▁referral- '20'- ▁children- ▁geographically- ▁accretion- ▁reversal- ▁tissue- ▁tomorrow- ▁nimble- ▁uplift- ▁nevertheless- ▁revolver- ▁willingness- ▁convenient- ▁deterioration- ▁contingent- ▁parameters- ▁pursuit- ▁cyber- '95'- ▁root- ▁costeffective- ▁lumber- ▁singapore- ▁arpu- ▁gift- ▁fail- ▁borrowers- ▁town- ▁convertible- ▁journal- ▁fish- charge- ▁temperature- ▁character- ▁modification- ▁ocean- ▁suspect- ▁possibilities- ▁flood- ▁solely- ▁brazilian- ▁experiment- ▁colorado- ▁foresee- quartertoquarter- ▁inefficienc- ▁notwithstanding- ▁spike- ▁transit- ▁interconnect- ▁analyzing- ▁qualify- ▁banner- ▁maturit- growth- ▁eliminating- ▁retire- ▁virginia- ▁accuracy- ▁redemption- ▁recruitment- ▁click- ▁guidelines- ▁restrictions- ▁broadbased- ▁continent- ▁grocery- ▁additive- ▁chunk- ▁formulation- ▁intervention- ▁hence- ▁silicon- ▁unprecedented- ▁expire- ▁kids- ▁apparent- ▁stories- ▁poised- ▁anymore- ▁redesign- ▁hawaii- ▁likelihood- ▁gotomarket- ▁plate- ▁aspiration- ▁correlation- ▁qualification- ▁underwrite- ▁engineered- ▁consequently- ▁craft- ▁foremost- ▁consent- ▁colombia- ▁tactical- ▁forget- ▁eric- ▁permitting- ▁healthier- force- ▁mechanical- ▁poland- ▁realignment- ▁refinery- ▁replicate- ▁outpace- ▁chairman- ▁doubling- contract- ▁generator- ▁rick- ▁appliance- ▁contrast- ▁candidate- efficient- ▁ontario- ▁saving- ▁borrow- ▁proving- ▁friday- ▁photo- ▁assistance- ▁worried- ▁judge- ▁refund- ▁hundred- ▁embark- ▁ultra- ▁greenfield- ▁consensus- ▁accessories- ▁flagship- ▁entrepreneur- ▁diamond- ▁expiration- ▁forefront- ▁venue- ▁default- ▁placing- ▁choosing- ▁fluctuate- ▁attendance- ▁hike- ▁dallas- ▁fragmented- ▁classified- ▁optical- ▁revolution- ▁institution- ▁chronic- ▁conviction- ▁demonstration- ▁overwhelm- ▁struggling- ▁sky- ▁broken- ▁decreasing- ▁sweden- turn- ▁heightened- ▁pennsylvania- ▁intake- ▁genetic- mobile- ▁crystal- ▁reaffirm- ▁regulator- ▁transact- ▁dropped- ▁advertise- ▁decelerat- ▁unsecure- ▁worst- ▁perpetual- ▁trouble- ▁gather- ▁walmart- ▁accrue- ▁pulp- ▁caught- ological- ▁uptake- ▁furniture- ▁pronounced- '10'- ▁ohio- ▁quantity- ▁routine- ▁mindset- ▁resonat- ▁severity- ▁debate- modal- ▁diminish- ▁riskadjusted- ▁shutdown- ▁initiate- ▁circuit- ▁coach- ▁muted- ▁autonomous- ▁flip- ▁mistake- ▁slate- ▁ambitious- ▁dispute- ▁probability- ▁residents- ▁residual- ▁border- ▁grain- ▁upsell- bank- ▁cluster- ▁equities- ▁simplified- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁intact- ▁communicating- ▁annuity- ▁calculate- ▁authentic- spec- ▁requiring- ▁surplus- ▁instant- ▁allocating- ▁facebook- ▁universal- ▁witness- ▁jason- ▁teleconference- ▁expert- ▁coupon- ▁ancillary- ▁civil- ▁garden- ▁restart- ▁illinois- ▁emissions- ▁impossible- ▁chapter- ▁premise- ▁baked- ▁elevate- ▁filter- ivity- ▁perceive- ▁nursing- ▁realign- ▁distinguish- ▁refocus- ▁friction- ▁crack- ▁royalties- ▁college- ▁longstanding- ▁overnight- ▁incumbent- ▁endtoend- ▁snap- ▁millennial- ▁manifest- ▁regain- ▁rebate- ▁dining- ▁imperative- sphere- ▁tenure- ▁indonesia- ▁promoting- ▁transcript- ▁principle- ▁bottle- ▁flag- ▁atlantic- ▁diligent- ▁phoenix- ▁instruct- ▁neuro- ▁george- ▁prescribe- ▁heritage- ▁accrual- ▁nationwide- ▁replenish- ▁article- ▁british- ▁stepped- ▁appointment- ▁dominant- ▁zealand- free- '00000'- ▁advisor- ▁delinquenc- ▁speculate- ▁inspire- ▁envision- ▁affordabilit- ▁crucial- ▁secret- ▁integral- ▁landlord- ▁streamlining- ▁modify- ▁quota- ▁province- ▁isolation- ▁beach- ▁albeit- ▁disaster- ▁entrant- ▁erosion- ▁relied- ▁elimination- ▁republic- ▁logistic- ▁opposite- ▁signature- ▁decisionmaking- ▁midsingle- mitted- ▁privilege- ▁shortfall- ▁correlate- ▁frozen- ▁ordinary- ▁omni- ▁neighborhood- ▁implies- ▁curtail- ▁charging- ▁institute- ▁patience- ▁temporarily- ▁systematic- ▁argue- ▁eligible- ▁leisure- ▁reception- ▁implant- ▁atlanta- ▁northwest- ▁vacation- ▁minus- realized- ▁exploit- ▁differentiating- ▁sugar- ▁premature- ▁thrive- ▁fraud- ▁revpar- ▁flash- ▁revisit- ▁lumpi- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁convention- ▁highermargin- ▁skew- ▁bandwidth- ▁catastrophe- ▁netherlands- ▁midterm- specific- ▁taste- ▁dairy- ▁eager- ▁liberty- ▁oklahoma- ▁phasing- ▁accumulate- ▁unemployment- ▁softening- ▁depressed- ▁airplane- ▁prevail- ▁analog- ▁footwear- ▁terminate- ▁arizona- abilities- ▁pioneer- ▁cancel- ▁agriculture- ▁thermal- ▁composite- ▁argument- ▁wellpositioned- ▁medication- ▁neither- ▁excuse- ▁qualitative- ▁concert- ▁determining- ▁michigan- ▁mirror- ▁thereafter- ▁manual- ▁applies- ▁horizontal- ▁prepaid- ▁repricing- ▁indicating- ▁queue- ▁observe- ▁amended- weight- ▁encounter- ▁inhibitor- ▁meanwhile- ▁toronto- ▁inclusive- ▁stopped- ▁robert- ▁concluding- ▁configuration- ▁pleasant- ▁cook- ▁clarification- ▁buffer- ▁relocation- ▁parcel- ▁convey- ▁showcase- ▁severance- ▁inbound- ▁inquiries- ▁trailing- ▁drink- ▁snack- ▁chemistry- ▁energized- ▁removing- ▁modified- ▁circle- ▁kitchen- ▁vacancy- ▁plug- ▁southwest- ▁steep- ▁illustrat- ▁scheduling- ▁celebrate- ▁diabetes- ▁alpha- ▁frequent- ▁achievable- ▁molecular- ▁bounce- ▁quiet- ▁cumulative- ▁capacities- ▁bolton- ▁comparability- ▁phenomenon- ▁steward- ▁reseller- ▁pertain- ▁resiliency- ▁awful- ▁shoot- ▁clinicians- ▁measuring- ▁pleasing- ▁maturing- ▁prototype- ▁survival- ▁rural- ▁heavier- ▁immuno- ▁universe- ▁louisiana- ▁marketleading- ▁weakening- ▁somehow- ▁credibility- ▁battle- ▁declare- ▁involving- ▁columbia- ▁ounces- ▁significance- ▁compromise- ▁feasibility- ▁mexican- ▁tobacco- ▁england- ▁chicken- ▁archive- ▁gauge- ▁ought- ▁enforcement- ▁remediation- ▁relaunch- ▁dictate- ▁legislative- ▁modular- ▁cushion- ▁voluntary- demand- ▁distress- ▁quantitative- ▁releasing- ▁statutory- ▁roadmap- ▁ryan- ▁mortality- ▁scratch- ▁syndicate- ▁turbine- ▁breast- ▁james- ▁absent- ▁crm- ▁discontinu- ▁milk- ▁missouri- ▁salaries- ▁concurrent- ▁coordinate- ▁tonnage- ▁automatically- ▁catalog- ▁martin- ▁minnesota- ▁deficit- ▁reorganiz- responsibilities- ▁multinational- ▁opioid- ▁salespeople- ▁distance- thanexpected- ▁compliant- ▁dilutive- ▁proximity- ▁zero- ▁tuckin- ▁incorporating- ▁migrating- ▁mediumterm- ▁undergoing- ▁scalabilit- ▁geopolitical- ▁uniform- ▁solving- ▁intermediate- ▁angeles- ▁saudi- ▁stimulate- ▁nominal- ▁midteens- ▁speculation- ▁freedom- iconic- ▁distraction- ▁shock- ▁describing- ▁jewelry- ▁sleep- ▁squeeze- ▁gasoline- ▁refurbish- ▁unmatch- ▁golf- ▁associate- ▁removal- ▁wheel- ▁interior- ▁noninterest- ▁prohibit- ▁finaliz- ▁consultation- ▁kansas- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_en_bpe5000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.7distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_en_bpe5000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 55073dist_launcher: nullmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_en_bpe5000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_en_bpe5000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁a- ▁our- s- ▁is- ▁on- ▁for- ▁as- ▁are- ▁you- ▁have- ▁i- ▁this- ▁with- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ing- ▁think- ▁what- ▁not- ▁some- ▁us- ▁or- ▁by- ▁new- ▁well- ▁about- ▁do- ▁growth- ▁can- ▁which- ▁was- ▁an- ▁its- ▁there- ▁very- ▁these- ▁also- ▁market- ed- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- d- ▁just- ▁been- ▁has- ▁weve- ▁over- ▁those- ▁they- ▁if- ▁time- ▁first- ▁where- ▁customers- ▁into- ▁out- ▁like- ▁how- ▁results- ▁other- ▁really- ▁last- ▁their- ▁up- ▁one- ▁expect- ▁than- ly- ▁look- ▁your- ▁because- ▁when- ▁through- ▁any- ▁get- ▁call- ▁good- ▁strong- ▁sales- ▁had- ▁believe- ▁then- ▁second- ▁revenue- ▁thats- ▁company- ▁performance- ▁years- ▁make- ▁product- ▁financial- ▁lot- ▁capital- ▁much- ▁cost- ▁could- ▁right- ▁both- ▁them- ▁impact- ▁terms- ▁future- ▁want- ▁dont- ▁value- ▁forward- ▁work- ▁next- ▁little- y- ▁back- ▁customer- ▁products- ▁bit- ▁increase- ▁number- ▁end- ▁take- ▁may- e- ▁while- ▁kind- ▁markets- ▁higher- ▁opportunities- er- ▁half- ▁able- ▁way- ▁during- ▁operating- ▁significant- ▁know- ▁better- ▁most- ▁go- ▁things- ▁cash- ▁focus- c- ▁2- ▁say- ▁still- ▁im- ▁part- ▁point- ▁lower- r- ▁statements- ▁provide- ▁should- ▁being- ▁across- n- ▁need- ▁made- ▁team- ▁important- ▁opportunity- ▁line- al- ▁third- ▁today- ies- ▁people- ▁rate- ▁theres- ▁down- ▁many- ▁no- ▁fourth- ▁strategy- ▁looking- ▁portfolio- m- ▁continued- t- ▁before- ▁me- ▁price- ▁level- ▁industry- ▁around- ▁management- ▁youre- ▁great- ▁working- ▁demand- ▁investment- ▁additional- ▁due- ▁share- ▁thank- ▁even- ▁actually- ▁progress- ▁give- ▁here- ▁come- ▁plan- ▁only- ▁seeing- ▁few- ▁margin- ▁overall- ▁costs- ▁development- ▁further- ▁drive- ▁high- ▁service- p- ▁same- ▁grow- ▁current- ▁different- ▁result- ▁data- ▁seen- ▁3- ▁technology- ▁coming- ▁doing- ▁services- ▁change- ▁earnings- ▁who- ▁positive- ▁key- ▁guidance- ▁start- ▁process- ▁again- ▁position- ▁turn- ▁full- ▁investments- ▁past- ▁forwardlooking- ▁support- in- ▁said- ▁improve- ▁did- ▁got- es- ▁given- ▁within- ▁environment- ▁basis- ▁based- ▁expected- ▁re- ▁increased- ▁sure- ▁my- ▁focused- ▁sort- ▁question- ▁help- ▁potential- ▁pricing- ▁large- ▁businesses- ▁months- ▁remain- ▁side- ▁such- ▁making- ▁program- ▁done- ▁balance- ▁maybe- ▁put- ▁something- o- ▁strategic- ▁production- ▁information- ▁ability- ▁interest- ▁platform- ▁move- ▁already- f- ▁couple- ▁use- b- ▁feel- ▁best- ▁mentioned- ▁acquisition- ▁several- ▁talk- ▁early- ▁each- ▁operations- ation- ▁segment- re- ▁expectations- ▁long- ▁q- ▁base- ▁deliver- ▁commercial- ▁tax- ▁assets- ▁rates- ▁order- ▁changes- k- ▁pleased- ▁experience- le- ▁build- ▁place- ▁period- ▁certain- ▁ill- ▁benefit- ▁including- ▁growing- ▁quarters- ▁improvement- ▁projects- ▁model- ▁under- ▁related- ▁initiatives- ▁flow- ▁fact- ▁addition- ▁companies- ▁activity- ▁driven- ▁areas- ▁factors- ▁getting- ▁margins- ▁net- ▁existing- ▁continues- ▁mix- ▁after- g- ▁term- ▁big- ▁levels- ▁s- ▁id- ▁volume- ▁income- ▁does- ▁theyre- ▁release- ▁pretty- ▁clients- ▁thing- ▁course- ▁project- ▁capacity- ▁probably- ▁might- ▁day- ▁competitive- ▁having- or- ▁every- ▁brand- a- ▁risk- ▁always- ▁marketing- ▁de- ▁global- ▁why- w- ▁mean- i- ▁actual- ▁c- ▁leverage- ▁solutions- ▁quite- ▁building- ▁another- ▁supply- ▁prices- ▁saw- ▁credit- ▁off- ▁digital- ▁yes- ▁update- ▁less- ▁world- ▁offset- ers- ▁conference- ▁real- ic- ▁view- ▁let- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁success- ▁system- ▁top- ▁quality- ▁obviously- ▁between- ▁operational- ▁review- ▁far- ▁efforts- ion- ▁area- ▁shareholders- ▁prior- ▁certainly- ▁group- ▁pipeline- ▁todays- ▁return- ▁range- ▁whether- ar- ▁understand- ▁expenses- ▁continuing- ▁trying- ▁primarily- ▁amount- ch- ▁retail- l- ▁low- ur- ▁questions- ▁taking- ▁2017- ▁inventory- ▁4- ▁consumer- u- ▁outlook- ▁set- able- ▁total- ▁5- ▁presentation- ▁improved- ▁ahead- ▁contract- en- ▁since- ▁p- ▁structure- ▁expense- ▁major- ▁clear- ▁fiscal- ▁profitability- ▁approach- ▁add- ▁confident- ▁risks- it- ▁timing- ▁capabilities- ▁expand- ▁distribution- ▁companys- ▁increasing- ▁materially- ▁own- ▁partners- ▁expansion- ▁revenues- ▁invest- ▁however- ▁specific- ▁longterm- ▁youve- ▁solid- ▁hard- ▁ago- ▁2018- ▁space- ▁benefits- ▁driving- ▁excited- ▁keep- ▁acquisitions- ▁plans- ▁talked- ▁increases- ▁differ- ▁small- ▁strength- ▁china- ▁particularly- ri- ▁sheet- ▁consistent- ▁begin- ▁perspective- x- ▁bring- ▁asset- ▁10- ra- li- ▁stores- ▁network- ▁debt- ▁1- ▁compared- ▁open- ▁sense- at- ▁f- ▁per- ▁un- ▁patients- ▁close- ▁control- ▁improving- ▁versus- ▁programs- 'on'- ▁average- ▁measures- ▁beginning- ▁numbers- ▁run- ne- ▁currently- ▁care- ▁needs- ▁significantly- ▁2016- ▁trends- ▁create- ▁innovation- ▁scale- ▁conditions- ▁please- ▁starting- ▁okay- ▁together- ▁tell- ▁trend- th- ▁decline- ▁energy- ▁advantage- ▁points- ll- ▁anything- ▁organization- ▁volumes- ▁detail- ▁whats- ▁throughout- ▁transaction- ▁difficult- ma- an- ▁brands- ▁pay- ▁execution- ▁include- ▁profit- ▁towards- ▁deal- ta- ▁e- ▁health- ▁gas- ▁cause- ate- ment- ▁material- ▁similar- ▁access- ▁later- ▁larger- ▁greater- ▁reduce- ▁efficiency- ▁remains- ▁spend- ▁store- ▁organic- ▁international- ▁systems- ▁yet- ▁uncertaint- ▁record- ▁events- ▁comments- il- ▁power- ▁example- ▁ongoing- ▁note- ▁fully- ▁investors- ▁longer- ▁teams- ▁6- ▁successful- ▁g- ▁oil- ▁direct- ▁announced- ▁morning- ck- ▁board- ▁infrastructure- ▁everyone- ▁sell- ▁find- ▁returns- ▁discuss- ▁front- se- ▁along- et- ive- ▁europe- ▁transition- ▁started- ▁track- ▁once- ▁case- ▁recently- ro- ▁allow- ▁talking- ▁particular- '1'- ▁achieve- ▁manage- ▁rest- ▁momentum- ▁providing- ▁become- st- ▁improvements- ▁press- ▁economic- ▁completed- ▁associated- ▁clearly- ▁shift- ▁report- ▁lines- ▁try- ▁guess- ▁activities- ▁discussed- ▁stock- ▁beyond- ▁segments- ▁previously- ▁size- ▁general- ▁impacted- ▁integration- ent- ▁confidence- ▁decision- ce- ▁pressure- ▁equity- ▁remarks- ▁regarding- ▁anticipate- ▁meaningful- ▁am- ▁offering- ▁issues- v- ▁effect- ▁reduction- ▁partner- ▁offer- ▁adjusted- ▁against- ▁annual- ▁too- ▁reason- ▁local- ▁launch- ▁delivering- ▁meet- h- as- ▁used- la- co- ▁incremental- ▁co- ▁website- ▁positioned- ▁target- ▁money- ▁equipment- ▁subject- ▁cycle- ▁he- ▁finally- ▁items- ▁slightly- ▁st- ul- ▁multiple- ▁percentage- ▁contracts- ▁guys- ▁quickly- ▁channel- ▁although- ▁without- ▁leadership- ▁relative- ▁actions- ▁especially- ▁selling- to- ▁con- ▁o- ▁resources- ▁using- ▁corporate- ▁construction- ▁spending- ▁possible- ▁unique- ▁address- '2'- ▁generate- ▁design- ▁answer- ▁manufacturing- ity- ▁public- ▁serve- ▁remind- ▁facility- ▁date- ▁combination- ▁comes- ▁maintain- ▁means- ▁comment- ▁complete- ▁online- ▁execute- ▁cloud- ▁employees- ▁included- ▁show- ▁free- ▁either- ▁pre- ▁taken- ▁content- ▁short- ▁details- ▁k- el- ▁loan- ▁job- ▁ensure- ▁until- ▁issue- ▁client- ▁challenges- ter- ▁didnt- ▁attractive- ▁various- ▁color- ▁type- ▁investing- ▁whole- ▁leading- ▁reflect- ▁t- ▁play- ▁clinical- ▁single- ▁thanks- ▁home- ▁negative- ▁previous- ▁government- ▁chain- ▁month- ▁moment- ▁exchange- ▁situation- ▁wanted- ▁productivity- ▁step- ▁marketplace- ▁thinking- ▁turning- ▁bank- ▁b- ▁regulatory- ▁forecast- ▁solution- ▁happen- ▁relationships- tic- ▁stronger- ▁ive- ▁largest- ▁committed- ▁thought- ▁- ▁form- ▁discussion- ▁develop- ▁goal- ▁20- ▁deals- ▁sale- ▁despite- ▁profitable- ▁consumers- ▁relatively- ized- ▁following- ▁hope- ▁delivered- na- z- ▁portion- ▁life- ▁favorable- est- ▁anticipated- ▁savings- ▁unit- ▁combined- mi- ▁lead- ▁season- ▁2019- ry- ▁bottom- ▁transformation- ▁mi- ▁likely- ▁underlying- ke- ▁ebitda- ▁prepared- ▁youll- ▁ways- ▁entire- ▁provided- ▁respect- ▁delivery- ▁havent- ▁cant- ▁least- ▁days- ▁flat- ▁nongaap- ti- ating- ▁near- ▁though- '3'- ▁category- ▁highly- ▁normal- ▁orders- ated- ▁enterprise- de- ol- ▁flexibility- te- ▁dividend- ▁gives- ▁closing- ▁experienced- ▁generally- me- ▁account- ▁critical- ▁private- ▁built- ▁industrial- ▁agreement- ▁majority- ▁came- ▁bo- ▁18- ▁generation- ▁ro- ▁test- age- ▁expanding- ▁week- ▁upon- ▁center- ▁buy- ▁therefore- ▁everything- ▁initial- ▁enhance- ▁specifically- up- ▁challenging- ▁quarterly- ▁effective- ▁efficient- ▁accelerate- ization- ▁currency- ▁hand- ▁commitment- ▁doesnt- ▁property- ▁competitors- ▁country- ▁strategies- ▁commission- ▁required- ▁pro- ▁12- ▁active- '00'- ▁fair- ▁phase- ▁state- '4'- ▁competition- ▁ever- ▁provides- ▁decrease- ▁largely- ▁technologies- ▁region- ▁premium- ▁win- ▁software- ▁facilities- ▁trade- ally- ▁pace- ve- ▁weeks- ▁loss- ▁mobile- ▁securities- ▁book- ▁h- ▁profile- ▁behind- ▁his- ▁final- ▁lets- ▁d- com- ▁smaller- ▁meeting- ▁extremely- ▁enable- ▁insurance- ▁field- ▁enough- line- ▁stable- ▁ourselves- rs- ▁allows- is- ▁rather- ▁planning- ▁relationship- ▁patient- ▁sector- ▁recovery- ▁safety- ▁happy- ▁reported- ▁sustainable- ▁operate- ant- ia- ▁individual- ▁internal- ▁categories- ▁accounts- ▁includes- ▁reach- ▁loans- ▁away- ▁assumptions- ▁running- ▁reduced- ▁contribution- ▁effort- ▁speak- ▁transactions- ▁food- ▁wondering- ness- ▁exactly- id- po- ▁achieved- ▁estate- um- ize- ▁parts- am- ▁ex- ▁metrics- ▁gaap- ▁obligation- ▁above- ▁basically- ▁offerings- ▁present- ▁factor- ▁weather- ▁applications- ▁outside- ca- ▁units- ▁faster- ▁gain- ▁partially- ▁makes- ▁appropriate- ▁study- ▁7- ▁added- ▁accounting- ▁8- ▁security- ▁efficienc- ▁land- ▁plant- ▁discussions- ▁main- ▁channels- ad- ▁received- ▁r- ▁exciting- ▁m- ▁reflects- ▁seems- ▁investor- ▁restructuring- ▁fund- ▁consider- ▁fuel- ▁directly- ▁developing- ▁took- ▁national- ▁middle- nt- ▁tend- ▁car- ▁dis- ▁changed- ▁ultimately- us- ▁ramp- ▁light- ▁times- ▁mo- ▁integrated- ▁shareholder- ▁footprint- ▁completion- ▁stay- ▁statement- ▁response- ▁changing- ▁force- ▁joining- ▁ratio- ▁adding- ▁traffic- ▁community- ▁highlight- ▁labor- ▁mind- ▁typically- ▁reasons- ▁substantial- ▁fleet- ors- ▁drivers- ▁decisions- ▁capability- sh- ▁cover- ▁17- ▁january- ▁robust- ▁media- ▁purchase- ▁opening- ▁managing- im- ▁po- ▁creating- ▁healthy- ▁found- ▁platforms- ▁expectation- ▁gains- ▁options- ▁water- ▁december- ▁almost- ▁comp- ▁others- ▁processes- ist- ot- ▁engagement- ▁advertising- ▁page- ▁read- ▁happening- ▁predict- ▁disconnect- ▁importantly- ▁vi- ▁natural- ▁primary- ▁yield- ▁backlog- ▁potentially- ▁foundation- ▁direction- ▁9- ▁l- ▁late- ▁executing- lo- ▁nature- ▁office- tion- ▁conversion- ▁understanding- ▁traditional- ▁driver- ▁non- ▁fall- ▁optimistic- ▁bringing- ▁planned- ▁safe- ▁filings- ▁refer- ▁excellent- ▁putting- ▁saying- ▁limited- ▁historical- ▁comfortable- ▁effectively- ▁15- ▁highlights- ▁march- ▁million- ▁goes- ▁research- ▁necessary- ph- ▁visibility- ▁needed- ▁standard- ▁proud- ▁liquidity- ▁cases- ▁assume- ▁asia- ▁countries- ▁funding- ▁disciplined- ▁tremendous- ence- ▁headwind- ting- ▁losses- ▁ask- ▁else- ▁targets- ▁comparable- ▁encouraged- ▁lease- ▁standpoint- ▁mid- ▁path- ▁bigger- ▁regions- ▁wouldnt- ac- ▁30- ▁recognize- ▁volatility- ▁fit- ▁launched- ▁franchise- ▁june- em- ▁financing- ▁maintenance- ▁live- ▁difference- ▁never- ary- ▁september- ▁extent- ▁members- ▁expanded- ▁approximately- pa- ▁fixed- ▁utilization- ▁role- ▁remaining- ▁broader- ▁capture- mo- ▁perhaps- ▁hold- mp- ▁detailed- ▁types- ▁budget- ▁n- ▁reducing- ▁focusing- tr- ▁operation- ▁sold- based- ▁economy- ▁bill- ▁properties- ▁theyve- ▁ready- ▁appreciate- ▁partnership- ▁intend- ▁proposition- ▁exposure- ▁medical- ▁below- ▁interesting- ▁domestic- ▁dollars- ▁broad- ▁acquired- ▁w- ▁led- ▁remainder- ▁locations- ▁fees- ▁gross- ha- ▁capex- ping- ▁produce- ▁tools- ▁reflected- ge- ▁nice- ▁ha- ▁pull- ni- ▁allocation- va- ▁simply- ▁legacy- ▁2015- ▁card- ▁stage- ▁ca- ▁sa- ▁treatment- ▁biggest- ru- ▁went- ▁fairly- ▁hit- ▁deep- ▁takes- ▁successfully- ▁highest- om- ▁inflation- ▁follow- ▁increasingly- ▁en- ▁everybody- ▁optimize- ▁closely- ▁ma- ▁history- ▁wont- ▁summary- he- ▁buying- ▁commodity- ▁historically- ▁requirements- ▁schedule- ▁reporting- land- ▁mark- 'no'- ▁news- ▁drug- ▁shows- ▁necessarily- ▁19- ▁di- ▁count- ▁flows- ▁policy- ▁somewhat- ▁giving- ▁outstanding- bo- ▁priority- ▁reconciliation- ▁drilling- out- ance- time- ▁dollar- ▁attention- ▁mortgage- ▁talent- ▁list- ▁auto- ▁remember- os- ▁strengthen- ▁goals- ▁maintaining- ▁event- ▁trial- ▁table- ▁mainly- ▁name- ▁european- ▁evaluate- ig- ng- ▁expertise- ▁closed- ▁operator- ▁respond- way- ▁room- ▁license- ▁innovative- ▁paid- ▁post- ▁regard- ▁prospects- ▁steps- ▁component- ▁implementation- ▁recover- ▁funds- ▁itself- ▁shares- ▁periods- ▁la- di- ▁16- ▁discipline- ▁pass- ▁expecting- ▁advance- ▁speed- tor- ▁approval- ▁compensation- ▁learning- ▁canada- ▁south- ▁touch- ▁initiative- ▁testing- ▁materials- ▁definitely- ▁adoption- ▁priorities- ▁east- ▁payments- ▁developed- ▁true- ▁leader- ▁centers- ▁se- ▁piece- ial- ▁foreign- ▁act- ▁attract- ▁nothing- ex- ▁challenge- ▁reform- ▁sec- ▁matter- ▁analysis- pi- ▁october- ▁april- ts- ba- end- ▁synerg- ▁created- ▁banking- ▁realize- ▁ba- ▁double- ▁50- ▁perform- ns- ▁contain- ▁application- ▁advanced- ▁targeted- ▁culture- ▁fast- ▁payment- ▁happened- ▁action- ▁site- ▁undertake- ▁pursue- ted- ▁context- ho- lu- vi- izing- ▁among- ▁described- ▁actively- ▁ad- ▁presence- ▁worked- ▁aggressive- ator- ▁regional- ard- ▁summer- ▁road- ▁complex- ▁deployment- ▁technical- ▁emerging- ▁choice- ▁resulted- ▁resulting- ▁special- ▁steady- ▁additionally- per- ▁training- ▁finance- ect- ld- ▁joint- ▁affect- ▁seasonal- ▁conclude- ▁retailers- ▁break- ▁july- year- ▁banks- ▁dynamics- ▁helping- ▁holiday- ▁trading- ▁smart- ine- ▁managed- ut- rt- ▁huge- ▁designed- ▁deposit- ▁generated- ▁tough- ▁involve- ▁looks- ▁relates- ▁va- ▁leveraging- ▁noted- ▁positions- ▁upside- ▁modest- ▁division- ▁v- ▁coverage- ▁idea- ▁players- ▁participation- ▁becoming- ▁brazil- ▁fee- ▁dynamic- ▁otherwise- ▁represent- ▁vision- ▁push- ▁analytics- ▁absolutely- ▁models- ▁invested- ▁occur- ▁independent- 'off'- ▁measure- ▁j- ▁discount- ▁heard- ▁implemented- ▁story- ▁yearoveryear- ▁walk- ▁exit- ▁often- ▁gone- ▁ones- ▁federal- ▁app- ▁ground- ▁upgrade- ens- ▁correct- lt- ▁relevant- ▁transform- ▁bar- und- ▁affected- ill- cu- ▁providers- con- ▁common- ▁recognized- bu- ▁variety- ▁impacts- ten- q- ▁reasonable- ▁reminder- ▁helpful- pl- ▁november- ▁must- ▁moved- ▁specialty- ▁engine- ▁adjustments- ▁compete- ▁inter- ▁reflecting- ▁class- ▁enhanced- pe- nd- ▁source- ▁soon- ▁effects- ci- ▁developments- ▁wide- ▁central- ▁al- ton- ▁drop- ▁india- ▁generating- ▁multi- ▁essentially- ▁face- ▁renewal- ▁objectives- sa- ▁sp- gen- ▁protect- ▁trust- ▁ni- ▁retain- ▁issued- ▁communities- ▁senior- ▁reductions- ▁demonstrate- ling- ▁closer- ver- ▁calls- ap- ▁excess- ▁america- ▁represents- ▁states- ▁charge- ▁truck- by- ▁hear- ▁head- ▁february- ▁function- ▁personal- ▁roll- ▁performing- ian- ▁decided- ▁easier- ▁extend- '5'- tu- ▁uncertainty- ▁california- ▁identified- ▁began- ms- ▁engineering- ▁subscription- ▁venture- ty- nc- ▁bookings- ▁happens- ▁partnerships- ▁users- ▁components- ions- ▁tri- ▁recognition- ▁york- ▁suggest- ▁slow- j- ▁law- ▁sites- ▁geographic- ▁easy- ▁identify- ▁spot- ability- ▁interested- ▁sub- ris- ▁pick- ▁cannot- ps- ▁outcomes- ▁connect- ring- ▁external- ▁established- ▁stated- ite- ▁looked- ▁underwriting- ▁population- ▁consolidation- rg- ▁le- ▁video- ▁lo- ▁professional- ▁city- ▁estimate- ▁operators- ture- ▁require- ▁li- ▁carry- ▁firm- ▁maximize- ▁achieving- ▁left- ▁frankly- go- ▁consistently- ▁provider- ight- ▁repurchase- ▁seem- ▁figure- ▁paying- ▁compelling- ▁helped- ▁conservative- ▁ta- do- ▁agreements- ▁automotive- ▁raw- ▁problem- tra- ▁aware- pt- ical- ▁section- tt- ▁penetration- ▁mar- ▁wins- ▁west- ▁projections- be- ▁shown- ▁mexico- ▁game- ▁capitalize- ▁quick- ▁thoughts- ▁allowed- ▁machine- ▁gr- ▁indicated- ▁bu- ▁ship- ous- ▁presented- ▁transportation- ▁prudent- ▁plants- ▁deploy- ny- ▁toward- ▁depending- ▁rapidly- ▁brought- ▁folks- ▁mention- ▁disease- ▁devices- ▁outcome- ▁encouraging- ▁demonstrated- ▁groups- ▁sequential- ▁limit- ▁shop- ▁august- ▁valuation- ▁supported- ▁differentiated- ir- ▁recorded- ▁executive- ▁degree- ▁residential- ▁tight- ▁filed- ▁wholesale- ▁accelerated- ▁she- ▁receive- ▁finding- ▁curious- ▁rental- ▁grew- op- ▁seasonality- ▁welcome- ▁subs- ▁option- ▁evolve- ▁considered- ▁excellence- ▁substantially- ▁leasing- ▁showing- ▁ch- ▁enter- ▁suppliers- ber- ▁lending- ▁consolidated- ▁objective- ▁concludes- ▁john- ▁u- ▁japan- ▁dedicated- ▁du- ▁retention- ▁elements- ▁staff- ▁canadian- ▁holding- ▁realized- ▁spent- ▁fill- ▁remained- ▁legal- ▁confirm- ▁estimates- ▁explain- ▁excluding- ▁ce- ▁sometimes- ▁mine- ▁involved- ▁ra- ▁rent- ▁promotional- ▁air- ga- ▁plus- ▁positioning- ▁feedback- ▁nor- ▁nearly- ▁contributed- ▁stand- ▁comprehensive- ▁qu- ▁claims- ▁felt- ▁repeat- ys- ▁leaders- ▁supporting- ▁shared- ▁benefited- ▁acquire- da- fo- son- ▁bi- ▁ti- ▁truly- tro- vo- ▁pe- ▁contribute- ▁social- ncy- ▁visit- ▁reserve- ▁original- ▁chinese- ▁te- ▁two- un- ▁utilize- ▁vehicle- ▁journey- ▁taxes- ▁bio- ▁whatever- ▁speaking- ging- fi- ▁stuff- ▁provision- ▁processing- ▁traction- ▁package- ▁ho- ▁deposits- related- lin- ▁variable- ▁clean- ▁cre- ▁raise- ▁recall- ▁simple- ▁participate- ▁signed- ▁decade- ea- ▁chart- ▁merger- ▁mike- ▁macro- ▁aggressively- ▁spread- ▁apply- ▁availability- ▁proven- ▁themselves- ▁met- ▁projected- day- ▁isnt- ▁creation- ▁worth- ▁implement- ▁na- ▁res- ▁recurring- ▁allowing- ▁optimization- ▁gave- ▁hopefully- ner- cc- ▁economics- ify- ▁north- ▁conclusion- ▁announcement- ▁commentary- ▁declines- ▁studies- ▁internally- ▁location- ▁digits- ▁afternoon- ative- ▁cut- and- ▁concept- ▁stages- ▁conversations- ▁updated- ▁deferred- ▁collaboration- ▁cautious- ▁department- ▁secure- ▁introduction- ▁convert- one- ▁held- ▁100- ▁picture- ▁texas- ▁features- ▁adjust- ▁structural- ▁travel- ▁known- ▁export- ▁wells- ▁constant- ▁engaged- ▁match- ▁subsequent- ▁assess- ▁ladies- ▁strengthening- ▁aim- ▁storage- ▁fundamentals- ▁posted- ▁mostly- ▁overview- ▁completely- ▁40- ▁shipments- ▁11- market- hi- fa- ▁accelerating- act- ▁practices- ▁vertical- ▁superior- ▁resource- ▁lu- ▁efficiently- ▁old- ▁disruption- ▁gentlemen- ▁housing- ▁hedge- ▁gap- ▁lost- ▁participating- ▁cap- ▁alternative- ▁indication- ▁globally- ▁reference- ▁education- ▁spring- ▁ecommerce- ▁hurricane- ▁sha- ▁keeping- ell- ▁slower- ▁dividends- ee- ▁sources- ▁manner- ▁exclude- ▁minutes- ▁user- ▁curve- ▁calendar- ▁performed- ff- ▁rig- ▁expressed- ▁meaning- ▁cell- ▁stream- ▁forth- bi- ▁considering- ▁frame- ▁consideration- ▁rep- ▁weak- ▁finish- ▁connection- ▁helps- red- ▁draw- ▁sh- ▁element- ▁compliance- ▁behavior- ▁works- ▁block- ▁engage- ▁compare- ▁evaluating- ▁audience- ▁standards- ▁valuable- ▁announce- ▁signs- ▁industries- ▁knowledge- ▁peak- ▁called- ▁tech- ▁awareness- ▁wed- ▁her- ▁fo- ▁peers- ities- ▁align- ▁enhancement- ▁weakness- ▁introduced- ish- ▁exist- ▁monitor- ▁launches- ▁comm- ▁gets- ▁z- ▁assuming- ▁transfer- ▁coast- ▁extended- ▁brief- ▁evolution- ▁mitigate- ▁comparison- ▁bid- ▁upcoming- ▁proceeds- '0'- ▁wait- ▁encourage- ▁evidence- ▁contained- ▁box- ▁inside- ▁sharing- ▁commitments- ▁slides- ▁et- ▁pursuing- ▁strongly- ▁bad- ▁sign- ▁vehicles- ▁custom- ▁wind- ving- ▁pressures- ▁acceleration- ▁sustain- ▁parties- ▁mining- ▁family- ▁y- ▁broadly- ▁contributions- ger- ▁shipping- ▁thus- ▁diversified- ▁stability- ▁profits- ▁enjoy- ▁device- ▁connected- ▁offers- ▁charges- ▁american- ▁regular- ful- ▁heavy- ▁hospital- ▁shopping- ▁disclosure- ▁rising- ip- ▁implementing- ▁highlighted- ▁separate- ▁opposed- ▁automation- ▁topic- ag- su- ▁enhancing- ▁setting- ▁sit- ▁shape- ▁balanced- over- ▁asked- ▁concluded- ▁circumstances- ▁message- ▁rating- ▁insight- ▁executed- ▁scenario- ▁item- ▁fa- ▁series- ▁winter- ▁extra- ▁organizations- ▁networks- ▁places- ▁words- ▁14- ▁geographi- ▁sufficient- mon- ▁managers- ▁pilot- ▁cha- ▁rec- ▁roughly- ▁steel- ▁settlement- ▁moderate- ▁financials- ▁physicians- ▁becomes- ▁em- ▁ended- ▁ve- ▁check- ▁reports- ▁matters- ▁refine- ▁extension- ▁protection- ▁publicly- ▁internet- ▁discussing- ▁logistics- ▁exceptional- ▁targeting- ▁wasnt- ▁landscape- ▁express- ron- ▁concerned- ▁slight- ▁aircraft- man- side- ▁enables- ▁seek- ▁examples- ▁integrate- ▁60- ▁influence- ▁yearend- ▁aspects- ▁utility- ▁ownership- med- ▁search- ie- ▁steve- ▁translate- ▁winning- ▁fundamental- ▁basin- ure- ▁bond- ▁13- gra- ▁physical- all- ▁approved- ▁chance- ▁rise- ▁loyalty- ▁evolving- ▁reserves- ▁leave- tiv- ▁drill- ▁replace- ▁agency- ▁continuous- ▁africa- ▁aligned- ▁enabling- ▁practice- ▁caution- ▁negatively- ▁opened- back- ▁wage- ▁employ- ▁campaign- cl- ▁pa- ▁rapid- ▁intention- ▁label- ▁starts- ▁strategically- ▁arent- ▁drove- ▁employee- ▁australia- ▁begun- io- ▁love- ▁typical- ▁print- load- ible- ▁method- ▁litigation- ▁park- ▁importance- ▁latest- ▁origination- ▁learn- ▁fashion- ▁yesterday- ▁officer- ib- ▁germany- ab- ▁lack- ▁trajectory- ▁mature- ▁dr- ▁sc- ▁th- ▁su- ▁rolling- ▁lift- ▁super- ▁watch- pro- ▁ne- ▁attribute- ▁prove- ▁ru- ▁load- ▁reality- '6'- ▁sounds- ified- ▁gold- ▁inventories- ▁phone- ▁switch- ▁rigs- ▁adjustment- ▁deeper- ▁floor- ▁x- ▁mon- ▁handle- ▁mission- ▁reward- ▁port- ▁movement- ▁florida- ▁train- ification- ▁flexible- ▁implied- ▁president- ▁absolute- ▁restaurant- ▁sustained- ▁harbor- ▁unless- ▁owners- ▁western- ▁consecutive- ▁farm- of- ▁hotel- ▁yields- ▁soft- ▁hearing- ▁replacement- ▁cor- ▁secondly- ▁tool- ▁occupancy- ▁mill- ▁opportunistic- ▁adapt- ▁determine- ▁latin- ▁caused- ▁freight- ▁pieces- ven- ▁agencies- ▁assortment- ▁guide- ▁delay- ▁enabled- ▁sand- ▁science- ▁david- ▁views- ▁paper- gu- ▁wa- od- ▁underway- ▁therapy- ▁incentive- ▁vast- ▁diversification- que- ▁foot- ▁reached- ▁liquid- ▁replay- ▁except- ▁clarity- ever- low- ▁heavily- ▁human- ▁hu- ▁outlined- ▁experiencing- ▁ju- ▁pure- ▁request- less- ▁eye- ster- ▁stakeholders- ward- ▁daily- ▁house- ▁react- ▁optimiz- ▁gotten- board- ▁oem- ▁unusual- ▁coal- ▁desire- ▁imagine- ▁assessment- ▁leases- ▁reimbursement- ▁medium- ▁sectors- ▁select- ▁cancer- ▁restaurants- ▁extensive- ▁regards- ▁selective- '8'- ▁consumption- ▁depreciation- ▁dramatically- ▁environmental- ▁purpose- ▁2020- ▁suite- ▁rich- ▁collection- ▁updates- own- ▁wish- ▁tra- ▁problems- ▁cross- ▁trials- ▁contributing- ▁depend- ▁weaker- ▁insights- ▁figures- ▁shortterm- bs- ▁chief- ler- ▁provisions- ▁entered- ▁lots- ▁asking- ▁choose- ▁framework- ▁cycles- ▁brings- ▁guests- ▁exceeded- ▁hiring- ▁inform- ▁introduce- ▁impacting- cr- ▁micro- ▁depends- ▁carefully- ▁collect- ▁usage- ▁red- ugh- ▁sequentially- ▁electric- ▁tu- ▁stop- ak- ▁returning- ▁producing- ▁es- ▁contributor- ▁fresh- ▁declined- ▁occurred- ▁expenditures- ▁ran- fin- ▁diversify- ▁instead- ▁proportion- ▁communication- ▁immediately- cor- ▁lag- mer- ▁perfect- ably- ▁metal- ▁usually- ▁packaging- ▁communications- ▁temporary- ▁ci- king- ▁downturn- ▁closure- ▁treat- ▁productive- ins- ▁attributable- '7'- ome- ▁ensuring- ▁originally- fe- car- ▁condition- ▁fire- ▁modern- ▁grown- ▁shortly- ▁scope- ▁gaining- ▁institutional- ▁complexity- ▁establish- ▁serving- ▁webcast- ▁requires- ▁format- ient- ▁ver- ▁willing- ▁powerful- ▁pain- ▁supplier- ▁cat- ▁import- eg- ▁si- ▁hasnt- ▁har- ▁doubledigit- ▁90- ▁him- ▁rail- ▁diverse- ▁da- ▁values- ▁host- sis- ▁rules- ▁el- ▁shifting- ▁map- ▁lean- ▁wealth- ▁political- ▁wireless- ▁metric- ▁exceed- ▁chris- ▁launching- ▁experiences- ▁homes- ▁initially- ▁manufacturers- ▁distributors- ▁advantages- ▁ja- qui- ▁attending- ▁instrument- ▁accomplish- ▁numerous- ▁monitoring- ▁followed- ▁carriers- ▁concern- ▁promise- ▁street- ▁hotels- ▁reliability- ned- ▁com- ▁bear- ▁tenants- ▁leads- ▁ecosystem- ▁bre- ▁hardware- ▁satisfaction- ▁usual- ▁briefly- ▁installation- ▁administration- ▁elevated- ▁associates- wa- ▁emphasize- ▁pension- ▁alternatives- ▁intelligence- ▁repair- ▁proprietary- ▁appeal- ▁strongest- ▁subscriber- ▁earn- ▁merchandise- ▁learned- air- ▁laid- ▁revise- ▁busy- ▁amounts- ▁exclusive- ▁emerge- ide- tru- ▁jim- ▁sea- ▁duration- ▁cars- der- ▁fiber- ▁scheduled- ▁fewer- ▁addressing- gg- ▁dealers- vis- ▁produced- hold- ▁solve- ▁vendors- ▁buyers- ▁heart- ▁par- ▁broaden- ▁decide- ▁indications- ▁grade- ▁rational- ▁adverse- ▁file- ▁agents- ▁chemical- ▁hospitals- ▁contact- ▁spec- ▁facing- ran- ▁waiting- ▁exercise- ▁minimum- ▁differences- ▁installed- ▁pool- ▁notice- ium- ▁theyll- pen- ▁merchant- ▁hours- ▁tariffs- ▁assist- ▁reiterate- '9'- ▁tail- ▁input- ▁multiyear- part- ▁hire- ▁stick- ▁decreased- ▁dependent- ▁declining- ▁normally- ▁trans- ▁deployed- through- ▁milestones- ▁supplemental- ▁careful- point- ▁reinvest- ▁dedication- ▁indicate- ▁awards- ther- ▁creates- ▁pu- ▁display- ▁managements- ▁showed- ▁positively- ▁personnel- ▁summarize- ▁signal- ▁intended- ▁emphasis- ▁wi- ▁secured- ▁immediate- ▁feeling- ▁normalized- ship- ▁ramping- ▁accretive- ▁cetera- ▁magnitude- ▁nu- ▁square- ▁renewable- ▁defense- ▁negotiations- ▁ed- ier- ▁sound- ▁25- ▁via- ▁concerns- ▁accurate- ▁dealer- val- ▁screen- ▁somebody- ▁balances- ▁green- ▁frac- ▁gu- ▁feed- ▁constantly- ▁policies- ▁americas- ▁delays- rate- serv- port- ▁hes- ▁france- ▁covered- ▁bought- ▁differentiate- ▁lowest- ▁length- au- ▁eliminate- ▁proposal- ▁quantify- ▁nicely- ▁turnaround- ▁conversation- ▁school- ▁incorporate- ▁enrollment- ▁purchasing- ▁deliveries- ▁court- ▁moves- dy- ▁agree- ▁airline- ▁liability- ▁competitor- ▁laws- gn- ▁demonstrates- ▁bra- ▁playing- ▁useful- ▁creative- ▁player- ▁catch- ▁favor- ▁students- ▁solar- ▁maintained- ▁terminal- ▁surprise- ▁aspect- ▁incredibly- ▁divisions- ▁organizational- ▁licensing- ▁supplement- ▁released- ▁volatile- ▁storm- ▁wrap- ▁crude- ▁explore- ▁purchases- ▁spectrum- ▁expensive- ▁dan- ▁preferred- ▁sharp- ▁hoping- ▁defined- ▁werent- ▁amortization- ▁delayed- ▁relating- ▁basic- ▁nearterm- ▁door- ▁rolled- ▁possibly- ▁fruit- ▁vo- ▁highquality- ▁status- ▁lives- ▁assumption- ▁pump- ▁lay- ▁healthcare- ▁progressing- ix- ▁finished- ▁tracking- ▁bulk- ▁longerterm- ▁embedded- ▁benefiting- ▁lock- ▁possibility- ▁age- ub- ology- ▁describe- ▁migration- ▁pacific- ▁pattern- ▁concerning- ▁reinforce- ▁sourcing- ▁told- ▁stack- ▁feature- ▁functions- ▁placed- ▁vary- ▁arrangement- ▁simplify- ▁evaluation- ▁drag- ▁sports- ▁san- ▁completing- ▁offshore- bit- work- ▁outperform- ▁tried- ▁0- ▁organically- ▁mechanism- ▁jo- ▁appear- ▁fix- ▁consulting- ▁person- ▁breadth- ang- ▁participants- ▁tied- ▁hands- ▁pi- ▁exploration- ▁determined- ▁slowdown- ▁adopt- ▁milestone- ▁avoid- ▁spreads- ▁aggregate- ▁integrating- house- ▁obtain- ▁responsible- ▁disclaim- ▁depth- ▁kick- ▁instance- ▁turned- ▁updating- ▁exact- ▁intent- ▁branch- ▁patent- ▁buyback- ▁promote- ▁plays- ▁promotions- ▁surprised- ▁surge- ▁indicators- ▁thirdparty- ▁incurred- ▁opinion- ▁ten- ▁sponsor- ▁belief- ▁according- ▁pushing- log- ▁utilities- ▁impressive- ▁hi- ▁filing- ▁elect- ▁regulations- ▁fi- gan- ▁criteria- ▁comparisons- ▁er- ▁dealing- ▁lose- ▁comps- ▁unfavorable- ▁accomplished- ▁games- ▁percent- ▁regulation- ▁patterns- ▁relation- ▁combine- ▁80- ▁churn- ▁houston- ▁split- ▁member- ▁join- ▁overhead- ▁differently- ▁accordingly- ▁mass- ▁weighted- ▁transparency- ▁bridge- ▁sustainability- ▁ideas- ▁save- ▁unchange- ▁absorb- ▁seeking- tech- ▁black- ▁institutions- ▁guest- ▁fx- ▁broker- ▁serious- ism- ▁stress- ▁mode- ▁arm- ▁estimated- ▁couldnt- pac- ▁lab- ▁sw- ▁acquiring- ▁fine- ▁entering- ▁reliable- her- ▁war- ju- ▁purposes- ▁resolution- ▁appears- ▁jeff- ▁analysts- ▁jobs- ▁northern- ▁applied- ▁formal- ▁skill- ▁fed- net- ▁medicine- ▁southern- ▁followup- ▁calculation- ▁inherent- ▁man- ▁rob- ▁retirement- fu- ▁rely- ▁located- ▁unlock- ▁interact- ▁softness- ▁minimal- ▁self- ▁dose- ▁monthly- ▁persist- ▁living- ▁edge- led- ▁complement- ▁easily- ▁verticals- ▁eventually- ▁someone- ▁impairment- ▁partly- ▁plenty- ▁wonder- ▁advise- the- ▁producers- ▁raising- ▁analyze- fl- av- ▁fda- ▁revised- ▁administrative- ▁functionality- ▁corporation- ▁disclosed- ▁comfort- ▁ceo- ▁window- ▁written- ▁diversity- ▁entirely- ▁reverse- ▁minute- ▁sets- ▁thoughtful- mark- ▁regulators- ▁station- ▁prepare- use- ▁effectiveness- ▁recap- ▁connectivity- ▁rollout- ▁considerable- ▁op- ▁smooth- ▁globe- ▁straight- ▁sun- ▁index- ▁gear- ▁stabilize- ▁colleagues- ▁guarantee- ▁realization- ▁rule- ▁servicing- ▁frequency- ▁architecture- ▁introducing- ▁sitting- ▁maturity- gi- ▁regardless- ▁offsetting- ▁doubt- duc- if- down- ▁itll- ▁remove- pay- ▁adjusting- ▁manager- ▁borrowing- ▁tenant- ▁formula- ▁capable- nic- ▁prime- ▁acreage- ▁election- ▁cal- ▁conduct- ▁seasonally- ▁indeed- ▁entertainment- ▁hybrid- ▁factory- ▁thousands- ▁eps- ▁bro- ▁distinct- ▁refinancing- ▁transmission- ▁published- ▁knew- ▁dia- lan- ▁hub- ▁tighten- ▁retailer- ▁proposed- ▁upper- ▁permanent- ▁talented- ▁interaction- ▁newer- ▁assure- ▁star- ▁approvals- ▁won- loc- ▁round- ory- ▁mr- ▁consequence- ▁anybody- ▁communicate- ▁write- ▁warrant- ▁minor- press- ▁owned- ▁dramatic- ▁characterize- ▁books- ▁older- ▁incredible- ▁exception- ▁seamless- ▁route- ▁waste- tan- ▁70- ▁amazon- ▁utilizing- ▁deploying- ▁cable- ▁promotion- ▁onetime- ▁bri- ▁cu- ▁indicator- ▁wave- ▁tv- ▁wonderful- ▁award- ▁dialogue- ▁generic- ▁blue- ▁prevent- ▁demonstrating- ▁reinsurance- ▁install- par- ▁legislation- ▁michael- ▁spoke- ▁scott- ▁russia- ▁firms- ▁reviewing- ious- ▁seat- ▁horizon- ▁synergy- ▁engaging- ▁entry- ▁concentration- ▁pillar- ▁voice- ▁levers- ▁reflection- ▁damage- ▁skills- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁unlike- ▁latter- ▁preparing- ▁menu- ▁publish- ▁dry- ▁unfortunately- ▁women- ▁none- ▁cities- ▁ticket- ▁referring- ▁headcount- ▁candidates- ▁tim- ▁layer- ▁committee- ▁advisory- ▁fortunate- ▁modeling- ▁narrow- ▁fundamentally- ▁continuously- ▁permian- ▁equal- ▁massive- ▁vessels- ▁streamline- ▁threat- ▁pharma- ▁essential- ▁facilitate- ▁respective- ▁millions- ▁negotiate- ▁gulf- ▁streams- ▁measured- ▁procurement- ▁gaming- ▁electronic- ▁fantastic- ▁competing- ▁dave- ▁procedures- ▁ratios- ▁worse- ▁bob- ▁audit- ▁merchandising- ▁branches- ▁greatest- ▁appropriately- ▁advertisers- ▁ultimate- ▁heading- ▁documents- ▁distributor- ▁rock- ▁movements- ▁physician- ▁ter- ▁night- ▁link- ▁communicated- ▁analyst- ▁incentives- ▁payers- ▁score- ▁selected- sign- ▁reaching- ▁selection- ▁honest- ▁uptick- ▁mer- ▁electronics- ▁permit- ▁beliefs- ▁hundreds- ▁beverage- ▁pivot- ▁purchased- ▁grant- rn- ▁broadcast- ▁crop- ▁offices- ▁became- ▁leg- ▁receiving- ▁modestly- ▁proactive- ▁challenged- ▁divest- ▁assurance- ▁recognizing- ▁spin- ▁blend- ▁faced- ▁counter- ▁passion- ▁equally- ▁extraordinary- ▁disposition- ▁vendor- ▁promising- ▁affordable- ▁syn- ▁relate- ▁version- ▁claim- ▁sensor- ▁listening- ▁reset- ▁tender- ▁jump- ▁terrific- top- ▁cadence- ▁preference- ▁succeed- ▁liabilities- ▁upward- ▁carrier- ▁worldwide- ▁heat- ▁campaigns- ▁elaborate- ▁achievements- ▁che- ▁definition- ▁medicare- ▁harder- ▁wrong- ▁disposal- ▁upfront- ▁bunch- vers- ▁strengthened- ▁renovation- ▁lenders- ▁placement- ▁warehouse- ▁responsibility- ▁ri- ▁continually- ▁pat- ▁staffing- ▁matt- ▁euro- ▁extending- ▁collections- ▁shortage- ▁receivables- ▁notable- ▁navigate- ▁predictable- ifi- pped- ▁initiated- ▁dig- bra- ▁illustrate- ▁rid- ▁advancing- ▁adequate- ▁served- ▁bright- ▁paul- ▁raised- ka- ▁explained- ▁agenda- ▁rents- ▁listen- ▁boost- ▁compression- ▁beneficial- ▁convenience- ▁behalf- ▁uniquely- ▁sophisticated- ▁hedging- ▁professionals- ▁anyone- ▁rebound- stock- ▁preliminary- ▁anticipating- ▁200- ▁offered- ▁runway- ▁nav- ▁math- ▁pl- ▁joined- ▁precise- ▁tap- ▁pet- ▁secondary- den- ▁refresh- ▁realizing- ▁innovate- ▁internationally- ▁ball- ▁gi- ▁zone- ▁panel- ▁consistency- ▁title- ▁surface- ▁understood- ▁brian- ▁aerospace- ▁satisfied- ▁uncertain- ▁joe- driven- ▁continuation- ▁acceptance- ble- ▁settle- ▁minimize- ▁pan- ▁pending- ▁guarantees- ▁pharmaceutical- ▁agent- ▁harvest- ▁funded- ▁bundle- ▁tire- ▁document- cycle- ▁principles- ▁geography- ▁sellers- ▁prefer- ▁shut- ▁announcements- ▁graph- ▁rebuild- ▁preparation- ▁discovery- ▁ban- ▁efficacy- ▁advisers- ▁collective- ▁digit- ▁affecting- ▁occurring- ▁tower- ▁evident- ▁translation- ▁motor- ▁excitement- ▁aftermarket- ▁film- ▁container- ▁allowance- ▁severe- ▁constraints- ▁branded- ▁catalyst- ▁somewhere- ▁origin- ▁characteristics- ▁diagnostic- month- ▁equation- level- ▁alignment- ▁identifying- ▁anywhere- ▁conjunction- scale- ▁london- ▁marine- ▁watching- ▁pushed- ▁incur- ▁earning- ▁destination- ▁optimal- ▁party- ▁ebit- ▁distributed- ▁picking- ▁compound- ▁satellite- ▁linked- ▁obvious- ▁sum- ▁hopeful- place- ▁ambition- ▁optimism- ▁gen- ▁clarify- ▁diligently- ▁friend- ▁telling- ▁ingredient- ▁attack- ▁demographic- ▁fluctuations- ▁logic- ▁noise- ▁log- ▁benchmark- ▁agreed- ▁divestiture- ▁virtually- ▁reputation- ▁word- ▁requirement- ▁constitute- ▁activat- ▁jurisdiction- ▁wood- ▁pickup- ▁interim- ▁ka- ▁intense- ▁three- ▁yeartodate- za- ▁eastern- ▁validate- ▁24- ▁pad- ▁hydro- ▁reliance- ▁slowing- ▁enormous- ▁families- ▁feet- ▁pipe- ▁define- ▁currencies- ▁signing- ▁complicated- ▁competitiveness- ▁notably- stone- tax- ▁ge- ▁disclose- ▁suffer- ▁variabilit- ▁contracted- ▁stra- ▁background- ▁task- ▁stabilized- ▁manufacture- ▁transparent- ▁measurement- ▁representative- ▁alone- ▁booking- ▁represented- ▁maximizing- value- ▁burn- ▁deck- ▁accomplishments- ▁dive- xi- performing- ▁exceeding- ▁contemplate- ▁nuclear- ▁afford- ▁appetite- ▁consolidate- ▁philosophy- ▁television- ▁corresponding- ▁midpoint- ▁shorter- ▁fulfill- ▁unknown- ▁qualified- ▁therapeutic- ▁tre- ▁flu- hand- ▁grid- ▁startup- ▁bonus- ▁campus- ▁student- ▁accepted- ▁renewed- ▁assembl- ▁personally- ▁structured- ▁fra- ▁familiar- ▁virtual- ▁staying- ▁opt- ▁sorry- ▁recruiting- ▁code- ▁experts- ▁opex- ▁complementary- ▁gained- ▁memory- ▁hot- state- ▁flex- ▁former- ▁prospective- ▁ski- ▁proceed- ▁gradually- ▁classes- ▁korea- ▁tank- ▁allocate- ▁affiliate- ▁exploring- lon- ▁white- ▁bidding- ▁gate- ▁consultant- ▁contractual- ▁warm- ▁cold- light- wide- ▁macroeconomic- ▁passed- ▁appreciation- ▁tangible- ▁carbon- ▁chip- ▁neutral- ▁reaction- ▁gene- ▁send- ▁entity- ▁decent- ▁career- ▁guided- ▁gathering- ▁language- ▁vice- ▁cur- ▁cla- ▁franchisees- ▁auction- ▁fluid- ▁addressed- ▁stabilization- ▁representing- ▁crosssell- ▁rampup- ▁covenant- ▁kevin- ▁burden- ▁occasion- ▁royalty- ▁adjacent- ▁flavor- ▁session- ▁owner- ▁awarded- ▁epi- ▁softer- ▁southeast- ▁copy- ▁lap- ▁bucket- ▁distribut- ▁inflection- ▁mu- ▁progression- ▁noncash- ▁urban- ▁corner- ▁buyer- ▁refining- ▁sensitive- price- ▁funnel- ▁survey- ▁picked- ▁jack- ▁metro- ▁sentiment- ▁reasonably- ▁amazing- ▁progressive- ▁proceeding- ▁constructive- ▁mall- tel- ▁restrict- ▁revision- ▁wider- ▁renew- ▁shouldnt- ▁converting- ▁underpin- ▁recycling- ▁proactively- ▁downward- ▁trigger- ▁booked- ▁headline- ▁transport- ▁testament- ▁clinic- ▁earned- ▁mutual- ▁charter- ▁developers- room- ▁animal- ▁pack- ville- ▁firmly- ▁deliberate- ▁arise- ▁module- ▁club- ▁sight- ▁deepen- ▁operated- ▁2014- ▁diligence- ▁referred- ▁premier- ▁mandate- ▁sample- ▁style- ▁barrels- ▁construct- ▁row- ▁reg- ▁indicative- ▁meant- ▁letter- ▁acknowledge- ▁whilst- ▁cooper- ▁laser- ▁achievement- ▁fy- ▁master- ▁fan- ▁supportive- ▁downstream- ▁mitigat- field- ▁shelf- ▁cutting- ▁capturing- ▁registration- ▁compensate- ▁radio- ▁traditionally- ▁cyclical- ▁steadily- ▁detect- ▁ideal- ▁applicable- ▁artificial- ▁attempt- ▁valueadded- ▁standing- ▁naturally- ▁resilient- ▁alliance- ▁reit- ▁accept- ▁treated- ▁programming- ▁concentrated- ▁marked- ▁anticipation- ▁properly- ▁cheap- ▁tailwind- ▁listeners- ▁casual- ▁furthermore- ▁functional- ▁commodities- source- ▁principal- ▁audio- ▁employment- ▁apparel- ▁entities- ▁membership- ▁augment- ▁fight- ▁fl- ▁billion- ▁concession- ▁semiconductor- ▁visible- ▁implications- ▁composition- ▁authorities- ▁mag- tric- ▁wire- ▁indirect- ▁messaging- ▁literally- ▁broadband- ▁discover- ▁resolved- ▁announcing- ▁equivalent- ▁swing- ▁handling- ▁repositioning- ▁uk- ▁pit- ▁historic- ▁economies- ▁spain- ▁monetize- ▁greg- ▁turnover- ▁transactional- ▁clo- ▁kept- ▁certainty- ▁brexit- ▁regulated- ▁italy- ▁commit- ▁discontinued- ▁separation- ▁establishing- ▁amongst- ▁beauty- ▁hired- ▁scientific- ▁territories- ▁image- ▁satisfy- ▁payroll- ▁pound- ▁redevelopment- ▁tariff- ▁cautionary- ▁parent- ▁apple- ▁military- ▁prioritize- ▁losing- ▁yourself- quarter- ▁prescription- ▁district- ▁fun- ▁technological- ▁strict- ▁adopted- ▁endpoint- ▁bullish- ▁strive- ▁reflective- ▁predominantly- ▁copper- ▁evidenced- ▁northeast- ▁scheme- ▁pharmacy- water- ▁tier- ▁quicker- ▁popular- ▁standalone- ▁attrition- ▁washington- ▁database- ▁differential- ▁personalized- ▁balancing- ▁delever- wood- ▁slowed- ▁pause- ▁official- ▁overseas- ▁inject- ▁dar- ▁union- ▁dc- ▁lever- ▁hitting- ▁fabric- ▁elsewhere- ▁precision- ▁poor- ▁prospect- ▁ease- ▁handful- ▁assumed- ▁carolina- ▁swap- ▁territory- ▁description- ▁household- ▁bla- ▁meantime- ▁intellectual- ▁mobility- ▁outlet- ▁controlling- ▁samestore- ▁sizable- ▁periodic- grade- ▁enroll- ▁chosen- ▁carried- ▁payout- ▁airport- ▁competenc- ▁referenced- ▁combining- ▁wall- service- ▁issuance- ▁receivable- ▁shrink- ▁pra- ▁industryleading- ▁proof- ▁alluded- ▁noncore- ▁realistic- ▁upstream- ▁telecom- ▁absorption- ▁appendix- ▁materialize- ▁sooner- ▁shipment- ▁collaborat- ▁definitive- ▁automated- ▁vote- ▁lifetime- ▁conducted- ▁basket- ▁lumpy- ▁differentiator- ▁migrate- ▁float- ▁capitalized- ▁cool- ▁midstream- ▁bump- ▁governance- ▁takeaway- ▁temp- ▁electricity- ▁output- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- ▁frank- ▁maximum- ▁repayment- ▁intensity- ▁exhibit- ▁hong- ▁amendment- ▁cohort- ▁kong- ▁agile- ▁disappointed- ▁surgical- ▁tele- ▁separately- ▁sim- ▁judgment- ▁undu- ▁penetrate- ▁quote- view- ▁hour- ▁domain- ▁german- ▁body- ▁consist- ▁ev- ▁methodology- ▁principally- ▁sym- ▁rank- ▁chicago- ▁relentless- ▁scaling- ▁spite- ▁argentina- ▁email- ▁instore- app- ▁mac- ▁lifestyle- ▁therapies- ▁throughput- ▁cfo- ▁foreseeable- ▁observed- ▁fifth- ▁resolve- ▁mineral- ▁smartphone- ▁deduct- ▁municipal- ▁duty- ▁hurdle- oriented- ▁manufacturer- ▁diesel- run- ▁fell- ▁sensitivity- ▁tie- cular- ▁battery- brand- ▁passenger- ▁inflationary- ▁google- ▁investigation- bl- ▁disruptive- ▁luxury- ▁approaches- ▁delaware- ▁barrier- ▁31- ▁variation- ▁correctly- ▁observation- ▁securing- ▁ken- ▁interpret- ution- ▁nation- ▁recruit- ▁profitably- print- ▁underground- ▁protocol- ▁delighted- ▁identity- ▁noticed- logic- ▁advancement- ▁constrained- ▁strike- ▁derive- ▁casino- ▁remote- ▁submission- ▁rain- ▁bankers- ▁suppose- ▁explanation- ▁hyper- ▁causing- ▁compute- ▁scrap- ▁irr- focused- cast- ▁downside- ▁refinance- ▁prepayment- ▁expenditure- ▁gradual- ▁slowly- order- ▁peer- ▁simultaneously- ▁interface- ▁favorably- ▁considerably- ▁worldclass- ▁comprise- ▁tumor- bility- ▁responsive- ▁commerce- ▁niche- ▁movie- ▁extract- ▁stake- ▁myself- ▁flight- ▁exceptionally- ▁vessel- ▁mindful- ▁remarkable- ▁outflow- ▁shipped- qua- ▁incident- well- ▁lie- ▁conventional- ▁accommodate- ▁allocated- ▁finalized- ▁rare- ▁weekend- ▁saas- ▁embrace- ▁ample- ▁integrity- ▁monetization- ▁supplies- centric- ▁redeploy- ▁remodel- ▁disrupt- ▁nextgeneration- ▁surgery- ▁climate- book- ▁threshold- ▁normalize- ▁recommendation- ▁payable- ▁leaving- ▁parallel- ▁fulfillment- ▁enthusiasm- ▁relief- ▁delta- ▁yearonyear- ▁honor- star- ▁subsidiaries- ▁surrounding- ▁deflation- ▁singledigit- ▁consume- ▁pop- ▁innovat- ▁strides- ford- ▁thorough- ▁dozen- ▁weigh- ▁chose- ▁conscious- ▁intelligent- ▁variance- ▁preserve- ▁attend- ▁collaborative- ▁association- ▁multifamily- ▁congress- ▁controlled- ▁missed- ▁acute- ▁enthusiastic- ▁resilience- ▁everywhere- ▁resort- ▁aviation- ▁rico- ▁surprising- ▁submitted- ▁omnichannel- ▁spirit- ▁sudden- ▁avenue- ▁array- ▁density- ▁outdoor- ▁calculated- build- power- ▁specialist- ▁consolidating- ▁breakdown- ▁optionalit- ▁rigorous- ▁predictions- ▁educate- ▁anchor- ▁proper- ▁advice- ▁novel- ▁nonrecurring- ▁subsidiary- ▁protein- ▁deem- ▁peter- ▁treasury- ▁inspection- ▁impression- ▁termination- ▁outperformance- ▁acceptable- ▁negotiation- ▁consumable- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁accountability- ▁struggle- ▁empower- ▁loyal- ▁strip- ▁crisis- ▁geo- wise- ▁defend- ▁vital- ▁algorithm- ▁urgency- ▁pathway- ▁reposition- ▁analytic- ▁electrical- ▁pleasure- ▁proxy- ▁failure- ▁extreme- ▁blood- ▁derivative- ▁robotic- ▁certification- ▁accident- ▁impressed- ▁discretionary- stream- ▁dimension- ▁articulat- ▁recession- ▁triple- ▁stockholders- ▁silver- ▁frequently- ▁inclusion- ▁medicaid- ▁molecule- ▁glass- ▁vegas- product- ▁authority- ▁reinvestment- ▁jv- ▁upgrading- equ- ▁spoken- ▁sku- ▁engineers- ▁eagle- ▁jersey- ▁exposed- ▁unexpected- ▁unfold- ▁agility- ▁bestinclass- ▁sweet- ▁alongside- ▁society- ▁worry- ▁comparing- ▁studio- ▁granular- ▁keen- ▁alberta- ▁breakeven- ▁christmas- ▁goforward- ▁twice- ▁workflow- ▁imaging- ▁scan- ▁perception- ▁grand- ▁authorization- ▁concrete- ▁receipt- ▁absence- ▁australian- ▁radi- ▁comparative- ▁negotiating- ▁nutrition- ▁replacing- ▁guiding- ▁stretch- ▁underscore- ▁apartment- ▁younger- ▁collateral- ▁script- ▁resume- ▁plastic- ▁turkey- ware- ▁dilution- ▁anniversary- ▁phil- ▁computing- ▁substitute- ▁river- ▁disappointing- ▁specialized- '50'- ▁determination- ▁powder- ▁oncology- ▁japanese- ▁imply- ▁rationalization- ▁finalize- ▁preclinical- ▁undertaking- ▁register- ▁hospitality- ▁thrilled- ▁valley- ▁secular- ▁music- ▁cultural- ▁holistic- ▁lowcost- ▁hurt- ▁outsourcing- ▁adult- ▁invite- ▁reorganization- ▁unified- ▁reservoir- ▁motion- ▁glad- ▁visual- ▁regime- ▁theater- ▁academic- ▁concentrate- ▁cancellation- ▁diluted- ▁inorganic- ▁deleveraging- ▁french- ▁bolster- ▁simplification- ▁writing- ▁headquarters- ▁submit- ▁resonate- ▁midwest- ▁university- ▁brokerage- plus- ▁relevance- ▁text- ▁boston- ▁practical- ▁midst- ▁max- ▁nobody- ▁intangible- ▁snow- ▁bankruptcy- ▁overlap- ▁doug- ▁modernization- ▁cargo- ▁wallet- ▁merit- ▁revolving- ▁aluminum- ▁stabilizing- ▁recommend- ▁procedure- ▁immune- ▁valid- ▁restore- ▁coffee- ▁arrive- ▁reconcile- performance- ▁referral- '20'- ▁children- ▁geographically- ▁accretion- ▁reversal- ▁tissue- ▁tomorrow- ▁nimble- ▁uplift- ▁nevertheless- ▁revolver- ▁willingness- ▁convenient- ▁deterioration- ▁contingent- ▁parameters- ▁pursuit- ▁cyber- '95'- ▁root- ▁costeffective- ▁lumber- ▁singapore- ▁arpu- ▁gift- ▁fail- ▁borrowers- ▁town- ▁convertible- ▁journal- ▁fish- charge- ▁temperature- ▁character- ▁modification- ▁ocean- ▁suspect- ▁possibilities- ▁flood- ▁solely- ▁brazilian- ▁experiment- ▁colorado- ▁foresee- quartertoquarter- ▁inefficienc- ▁notwithstanding- ▁spike- ▁transit- ▁interconnect- ▁analyzing- ▁qualify- ▁banner- ▁maturit- growth- ▁eliminating- ▁retire- ▁virginia- ▁accuracy- ▁redemption- ▁recruitment- ▁click- ▁guidelines- ▁restrictions- ▁broadbased- ▁continent- ▁grocery- ▁additive- ▁chunk- ▁formulation- ▁intervention- ▁hence- ▁silicon- ▁unprecedented- ▁expire- ▁kids- ▁apparent- ▁stories- ▁poised- ▁anymore- ▁redesign- ▁hawaii- ▁likelihood- ▁gotomarket- ▁plate- ▁aspiration- ▁correlation- ▁qualification- ▁underwrite- ▁engineered- ▁consequently- ▁craft- ▁foremost- ▁consent- ▁colombia- ▁tactical- ▁forget- ▁eric- ▁permitting- ▁healthier- force- ▁mechanical- ▁poland- ▁realignment- ▁refinery- ▁replicate- ▁outpace- ▁chairman- ▁doubling- contract- ▁generator- ▁rick- ▁appliance- ▁contrast- ▁candidate- efficient- ▁ontario- ▁saving- ▁borrow- ▁proving- ▁friday- ▁photo- ▁assistance- ▁worried- ▁judge- ▁refund- ▁hundred- ▁embark- ▁ultra- ▁greenfield- ▁consensus- ▁accessories- ▁flagship- ▁entrepreneur- ▁diamond- ▁expiration- ▁forefront- ▁venue- ▁default- ▁placing- ▁choosing- ▁fluctuate- ▁attendance- ▁hike- ▁dallas- ▁fragmented- ▁classified- ▁optical- ▁revolution- ▁institution- ▁chronic- ▁conviction- ▁demonstration- ▁overwhelm- ▁struggling- ▁sky- ▁broken- ▁decreasing- ▁sweden- turn- ▁heightened- ▁pennsylvania- ▁intake- ▁genetic- mobile- ▁crystal- ▁reaffirm- ▁regulator- ▁transact- ▁dropped- ▁advertise- ▁decelerat- ▁unsecure- ▁worst- ▁perpetual- ▁trouble- ▁gather- ▁walmart- ▁accrue- ▁pulp- ▁caught- ological- ▁uptake- ▁furniture- ▁pronounced- '10'- ▁ohio- ▁quantity- ▁routine- ▁mindset- ▁resonat- ▁severity- ▁debate- modal- ▁diminish- ▁riskadjusted- ▁shutdown- ▁initiate- ▁circuit- ▁coach- ▁muted- ▁autonomous- ▁flip- ▁mistake- ▁slate- ▁ambitious- ▁dispute- ▁probability- ▁residents- ▁residual- ▁border- ▁grain- ▁upsell- bank- ▁cluster- ▁equities- ▁simplified- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁intact- ▁communicating- ▁annuity- ▁calculate- ▁authentic- spec- ▁requiring- ▁surplus- ▁instant- ▁allocating- ▁facebook- ▁universal- ▁witness- ▁jason- ▁teleconference- ▁expert- ▁coupon- ▁ancillary- ▁civil- ▁garden- ▁restart- ▁illinois- ▁emissions- ▁impossible- ▁chapter- ▁premise- ▁baked- ▁elevate- ▁filter- ivity- ▁perceive- ▁nursing- ▁realign- ▁distinguish- ▁refocus- ▁friction- ▁crack- ▁royalties- ▁college- ▁longstanding- ▁overnight- ▁incumbent- ▁endtoend- ▁snap- ▁millennial- ▁manifest- ▁regain- ▁rebate- ▁dining- ▁imperative- sphere- ▁tenure- ▁indonesia- ▁promoting- ▁transcript- ▁principle- ▁bottle- ▁flag- ▁atlantic- ▁diligent- ▁phoenix- ▁instruct- ▁neuro- ▁george- ▁prescribe- ▁heritage- ▁accrual- ▁nationwide- ▁replenish- ▁article- ▁british- ▁stepped- ▁appointment- ▁dominant- ▁zealand- free- '00000'- ▁advisor- ▁delinquenc- ▁speculate- ▁inspire- ▁envision- ▁affordabilit- ▁crucial- ▁secret- ▁integral- ▁landlord- ▁streamlining- ▁modify- ▁quota- ▁province- ▁isolation- ▁beach- ▁albeit- ▁disaster- ▁entrant- ▁erosion- ▁relied- ▁elimination- ▁republic- ▁logistic- ▁opposite- ▁signature- ▁decisionmaking- ▁midsingle- mitted- ▁privilege- ▁shortfall- ▁correlate- ▁frozen- ▁ordinary- ▁omni- ▁neighborhood- ▁implies- ▁curtail- ▁charging- ▁institute- ▁patience- ▁temporarily- ▁systematic- ▁argue- ▁eligible- ▁leisure- ▁reception- ▁implant- ▁atlanta- ▁northwest- ▁vacation- ▁minus- realized- ▁exploit- ▁differentiating- ▁sugar- ▁premature- ▁thrive- ▁fraud- ▁revpar- ▁flash- ▁revisit- ▁lumpi- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁convention- ▁highermargin- ▁skew- ▁bandwidth- ▁catastrophe- ▁netherlands- ▁midterm- specific- ▁taste- ▁dairy- ▁eager- ▁liberty- ▁oklahoma- ▁phasing- ▁accumulate- ▁unemployment- ▁softening- ▁depressed- ▁airplane- ▁prevail- ▁analog- ▁footwear- ▁terminate- ▁arizona- abilities- ▁pioneer- ▁cancel- ▁agriculture- ▁thermal- ▁composite- ▁argument- ▁wellpositioned- ▁medication- ▁neither- ▁excuse- ▁qualitative- ▁concert- ▁determining- ▁michigan- ▁mirror- ▁thereafter- ▁manual- ▁applies- ▁horizontal- ▁prepaid- ▁repricing- ▁indicating- ▁queue- ▁observe- ▁amended- weight- ▁encounter- ▁inhibitor- ▁meanwhile- ▁toronto- ▁inclusive- ▁stopped- ▁robert- ▁concluding- ▁configuration- ▁pleasant- ▁cook- ▁clarification- ▁buffer- ▁relocation- ▁parcel- ▁convey- ▁showcase- ▁severance- ▁inbound- ▁inquiries- ▁trailing- ▁drink- ▁snack- ▁chemistry- ▁energized- ▁removing- ▁modified- ▁circle- ▁kitchen- ▁vacancy- ▁plug- ▁southwest- ▁steep- ▁illustrat- ▁scheduling- ▁celebrate- ▁diabetes- ▁alpha- ▁frequent- ▁achievable- ▁molecular- ▁bounce- ▁quiet- ▁cumulative- ▁capacities- ▁bolton- ▁comparability- ▁phenomenon- ▁steward- ▁reseller- ▁pertain- ▁resiliency- ▁awful- ▁shoot- ▁clinicians- ▁measuring- ▁pleasing- ▁maturing- ▁prototype- ▁survival- ▁rural- ▁heavier- ▁immuno- ▁universe- ▁louisiana- ▁marketleading- ▁weakening- ▁somehow- ▁credibility- ▁battle- ▁declare- ▁involving- ▁columbia- ▁ounces- ▁significance- ▁compromise- ▁feasibility- ▁mexican- ▁tobacco- ▁england- ▁chicken- ▁archive- ▁gauge- ▁ought- ▁enforcement- ▁remediation- ▁relaunch- ▁dictate- ▁legislative- ▁modular- ▁cushion- ▁voluntary- demand- ▁distress- ▁quantitative- ▁releasing- ▁statutory- ▁roadmap- ▁ryan- ▁mortality- ▁scratch- ▁syndicate- ▁turbine- ▁breast- ▁james- ▁absent- ▁crm- ▁discontinu- ▁milk- ▁missouri- ▁salaries- ▁concurrent- ▁coordinate- ▁tonnage- ▁automatically- ▁catalog- ▁martin- ▁minnesota- ▁deficit- ▁reorganiz- responsibilities- ▁multinational- ▁opioid- ▁salespeople- ▁distance- thanexpected- ▁compliant- ▁dilutive- ▁proximity- ▁zero- ▁tuckin- ▁incorporating- ▁migrating- ▁mediumterm- ▁undergoing- ▁scalabilit- ▁geopolitical- ▁uniform- ▁solving- ▁intermediate- ▁angeles- ▁saudi- ▁stimulate- ▁nominal- ▁midteens- ▁speculation- ▁freedom- iconic- ▁distraction- ▁shock- ▁describing- ▁jewelry- ▁sleep- ▁squeeze- ▁gasoline- ▁refurbish- ▁unmatch- ▁golf- ▁associate- ▁removal- ▁wheel- ▁interior- ▁noninterest- ▁prohibit- ▁finaliz- ▁consultation- ▁kansas- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram5000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "authors": [ + { + "name_en": "Shinji Watanabe", + "name_zh": "Shinji Watanabe" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1614873600000, + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-4.0", + "file_size_mb": 771.97, + "file_size_bytes": 809466935, + "download_count": 1, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4585552", + "cstr": "", + "pid": "", + "title": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000_valid.acc.ave, fs=16k, lang=en", + "title_en": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000_valid.acc.ave, fs=16k, lang=en", + "title_zh": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000_valid.acc.ave, fs=16k, lang=en", + "description": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout ddd205f05e4a323a0aeb5cae81604a7bb5abfa45pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Sat Feb 27 10:10:35 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.7`- pytorch version: `pytorch 1.7.1`- Git hash: `3572c4ecd74a9b1c77c639fce40e9318d254c5a6` - Commit date: `Thu Feb 25 18:52:24 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|95401|97.7|1.6|0.7|0.6|2.9|38.7||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|946469|97.6|1.7|0.8|0.6|3.0|39.2|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|543236|99.0|0.2|0.8|0.4|1.4|38.7||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|5393048|99.0|0.2|0.8|0.4|1.4|39.2|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|98503|97.4|1.6|1.0|0.5|3.1|38.7||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|979382|97.2|1.7|1.1|0.5|3.3|39.2|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 42966dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_en_bpe10000/train/speech_shape- exp/asr_stats_raw_en_bpe10000/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_en_bpe10000/valid/speech_shape- exp/asr_stats_raw_en_bpe10000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_nodev/wav.scp - speech - sound- - dump/raw/train_nodev/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/wav.scp - speech - sound- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁our- ▁a- ▁is- ▁on- ▁for- ▁as- ▁are- ▁have- ▁you- ▁this- ▁with- ▁i- s- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ▁think- ▁what- ▁not- ▁some- ▁us- ▁by- ▁or- ▁about- ▁well- ▁new- ▁growth- ▁can- ▁which- ▁its- ▁do- ▁was- ▁very- ▁an- ▁there- ▁these- ▁also- ▁market- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- ▁just- ▁been- ▁has- ▁weve- ▁those- ▁over- ▁they- ▁if- ▁first- ▁time- ▁customers- ▁where- ▁into- ▁how- ▁like- ▁results- ▁out- ▁other- ▁really- ▁last- ▁their- ▁up- ▁expect- ▁one- ▁than- ▁your- ▁because- ▁look- ▁through- ▁when- ing- ▁any- ▁thats- ▁get- ▁call- ▁strong- ▁then- ▁sales- ▁good- ▁had- ▁second- ▁believe- ▁revenue- ▁company- ▁years- ▁performance- ▁product- ▁make- ▁lot- ▁much- ▁financial- ▁capital- ▁could- ▁both- ▁cost- ▁them- ▁terms- ▁future- ▁right- ▁dont- d- ▁impact- ▁forward- ▁next- ▁little- ed- ▁products- ▁want- ▁bit- ▁value- ▁customer- ▁work- ▁increase- ▁back- ▁number- ▁may- ▁take- ▁markets- ▁while- ▁higher- ▁end- ▁opportunities- ▁able- ▁half- ▁kind- ▁way- ▁during- ▁operating- ▁significant- ▁better- ▁most- ▁things- ▁cash- ▁know- ▁go- ▁still- ▁focus- ▁say- ▁statements- ▁part- ▁being- ▁im- ▁provide- ▁should- ▁point- ▁across- ▁lower- ▁made- ▁important- ▁opportunity- ▁2- ▁team- ▁theres- ▁third- ▁today- ▁need- ▁many- ▁rate- ▁line- ▁people- ▁fourth- ▁strategy- ▁looking- ▁down- ▁continued- ▁before- ▁no- ▁around- ▁youre- ▁level- ▁portfolio- ▁management- ▁working- ▁industry- ▁additional- ▁due- ▁price- ▁investment- ▁share- ▁thank- ▁great- ▁actually- ▁only- ▁even- ▁here- ▁give- ▁demand- ▁come- ▁seeing- ▁plan- ▁few- ▁costs- ▁progress- ▁overall- ▁further- ▁development- ▁same- ies- ▁service- ▁current- ▁different- ▁seen- ▁margin- ▁doing- ▁me- ▁services- ▁result- ▁technology- ▁coming- ▁data- ▁earnings- ▁change- ▁positive- ▁guidance- ▁key- ▁grow- ▁again- ▁drive- ▁start- ▁position- ▁process- ▁investments- ▁full- ly- ▁past- ▁forwardlooking- ▁3- ▁said- ▁high- ▁got- ▁did- ▁turn- ▁given- ▁within- ▁basis- ▁expected- ▁based- ▁increased- ▁who- ▁improve- ▁support- ▁sure- ▁my- ▁focused- ▁potential- ▁question- ▁environment- ▁pricing- ▁help- ▁sort- ▁businesses- ▁months- ▁large- ▁such- ▁making- ▁remain- ▁done- ▁maybe- ▁something- ▁production- ▁strategic- ▁information- ▁ability- ▁balance- ▁already- ▁platform- ▁program- ▁couple- ▁move- ▁side- ▁interest- ▁quarters- ▁best- ▁mentioned- ▁several- ▁talk- ▁operations- ▁each- ▁acquisition- ▁early- ▁expectations- ▁rates- ▁assets- ▁q- ▁changes- ▁put- ▁use- ▁feel- ▁pleased- y- ▁segment- ▁long- ▁experience- ▁certain- ▁tax- ▁period- ▁growing- ▁base- ▁including- ▁projects- ▁deliver- ▁place- ▁benefit- ▁ill- ▁continues- ▁improvement- ▁related- ▁commercial- ▁initiatives- ▁order- ▁companies- ▁areas- ▁activity- ▁driven- ▁factors- ▁margins- ▁model- ▁getting- ▁existing- ▁net- ▁levels- ▁big- ▁flow- ▁does- ▁income- ▁theyre- ▁term- ▁pretty- ▁after- ▁addition- ▁volume- ▁clients- ▁course- e- ▁capacity- ▁probably- ▁fact- ▁id- ▁thing- ▁might- ▁under- ▁build- ▁having- ▁day- ▁marketing- ▁mix- ▁always- ▁competitive- ▁risk- ▁global- ▁why- ▁release- ▁every- ▁prices- ▁actual- ▁solutions- ▁mean- ▁leverage- ▁quite- ▁project- ▁another- ▁saw- ▁brand- ▁yes- ▁top- ▁supply- ▁offset- ▁update- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁conference- ▁digital- ▁quality- ▁obviously- ▁between- ▁let- ▁efforts- ▁off- ▁todays- ▁shareholders- ▁area- ▁certainly- er- ▁far- ▁system- ▁prior- ▁building- ▁whether- ▁expenses- ▁group- ▁less- ▁credit- ▁world- ▁continuing- ▁trying- ▁real- ▁primarily- ▁operational- ▁understand- ▁amount- ▁retail- ▁questions- ▁success- ▁view- ▁low- ▁pipeline- ▁taking- ▁2017- ▁inventory- ▁range- ▁outlook- ▁consumer- ▁improved- ▁return- ▁ahead- ▁review- ▁companys- ▁revenues- ▁set- ▁major- ▁since- ▁fiscal- ▁risks- ▁expense- ▁profitability- ▁timing- ▁capabilities- ▁5- ▁partners- ▁materially- ▁increasing- ▁presentation- ▁4- ▁however- ▁benefits- ▁youve- ▁longterm- ▁confident- ▁ago- ▁hard- ▁2018- ▁increases- ▁acquisitions- ▁driving- ▁plans- ▁excited- ▁total- ▁expand- ▁own- n- ▁solid- ▁talked- ▁differ- ▁distribution- ▁china- ▁1- ▁particularly- t- ▁sheet- ▁consistent- ▁expansion- ▁stores- ▁approach- ▁invest- ▁space- ▁small- es- ▁keep- ▁asset- ▁bring- ▁compared- ▁structure- ▁debt- ▁sense- ▁programs- ▁patients- ▁numbers- ▁clear- ▁perspective- ▁improving- ▁versus- ▁needs- ▁add- ▁whats- ▁measures- ▁average- ▁10- ▁beginning- ▁close- ▁currently- ▁begin- ▁trends- ▁significantly- ▁care- al- ▁network- ▁2016- ▁open- ▁create- ▁points- ▁starting- ▁conditions- ▁please- ▁okay- ▁per- ▁together- ▁strength- ▁volumes- r- c- ▁energy- ▁scale- ▁specific- ▁decline- ▁anything- ▁brands- ▁throughout- ▁organization- ▁detail- ▁transaction- ▁execution- ▁towards- ▁contract- ▁run- ▁advantage- ▁profit- ▁remains- ▁include- ▁health- ▁gas- ▁tell- ▁systems- ▁larger- ▁greater- ▁efficiency- ▁material- ▁spend- ▁teams- ▁organic- ▁comments- ▁yet- ▁international- ▁uncertaint- ▁events- ▁store- ▁ongoing- ▁deal- ▁investors- ▁fully- ▁example- ▁longer- ▁cause- ▁control- ▁successful- ▁innovation- ▁returns- ▁power- ▁trend- m- ▁announced- ▁infrastructure- ▁everyone- ▁find- ▁once- ▁along- ▁discuss- ▁started- ▁europe- ▁oil- ▁talking- ▁recently- ▁reduce- ▁track- ▁difficult- ▁6- ▁later- ▁particular- ▁case- ▁achieve- ▁similar- ▁improvements- ▁allow- ▁lines- ▁momentum- ▁providing- ▁note- ▁become- ▁completed- ▁segments- ▁clearly- ▁press- ▁associated- ▁too- ▁try- ▁board- ▁guess- ▁activities- ▁discussed- ▁report- ▁beyond- ▁previously- ▁morning- ▁access- ▁manage- ▁impacted- ▁general- ▁confidence- ▁issues- ▁regarding- ▁equity- ▁remarks- ▁used- ▁meaningful- ▁anticipate- ▁decision- b- ▁offering- ▁adjusted- ▁sell- ▁against- ▁record- ▁delivering- ▁effect- ▁reduction- ▁launch- ▁economic- ▁offer- ▁positioned- ▁reason- ▁website- ▁money- ▁equipment- ▁using- ▁contracts- ▁subject- ▁finally- ▁pay- ▁items- ▁pressure- ▁integration- ▁cycle- ▁target- ▁slightly- g- ▁guys- ▁quickly- ▁although- ▁actions- ▁without- ▁selling- ▁leadership- ▁relative- ▁channel- ▁especially- ▁resources- ▁meet- a- ▁corporate- ▁construction- ▁comes- ▁re- ▁spending- ▁possible- ▁unique- ▁means- ▁manufacturing- k- ▁direct- in- ▁incremental- ▁remind- ▁facility- ▁percentage- ▁combination- ▁size- ▁online- ▁maintain- '1'- ▁details- ▁complete- ▁employees- ▁included- ▁execute- ▁front- ▁either- ▁taken- ▁multiple- ▁content- ▁local- ▁rest- ▁show- ▁ensure- o- ▁until- ▁thinking- ▁stock- ▁challenges- ▁transition- ▁annual- ▁job- ▁loan- ▁didnt- ▁various- ▁investing- ▁address- ▁color- ▁client- ▁whole- ▁free- ▁thanks- ▁type- ▁partner- ▁negative- ▁previous- ▁reflect- x- ▁wanted- ▁leading- ▁generate- ▁cloud- ▁exchange- ▁turning- ▁productivity- ▁month- ▁marketplace- ▁single- ▁relationships- ▁short- ▁regulatory- ▁public- ▁home- ▁attractive- ▁date- ▁stronger- ▁am- ▁bank- ▁solution- ▁ive- ▁issue- ▁happen- ▁deals- ▁largest- ▁committed- ▁consumers- ▁clinical- ▁thought- ▁ways- ▁goal- ▁discussion- ▁profitable- ▁despite- ▁sale- ▁relatively- ▁following- ▁delivered- ▁shift- ▁favorable- ▁anticipated- ▁savings- ▁likely- ▁life- ▁combined- ▁2019- ▁chain- ▁days- ▁youll- ▁transformation- ▁bottom- ▁provided- ▁underlying- ▁orders- ▁ebitda- ▁lead- ▁havent- ▁prepared- ▁cant- ▁delivery- ▁gives- '2'- ▁least- ▁nongaap- ▁serve- ▁highly- ▁though- ▁category- ▁comment- ▁government- able- ▁develop- ▁flexibility- ▁experienced- ▁moment- ▁closing- ▁generally- p- ▁respect- ▁portion- ▁dividend- ▁private- ▁built- ▁industrial- ▁majority- ▁quarterly- f- ▁entire- ▁agreement- ▁generation- ▁expanding- ▁hope- ▁18- ▁upon- ▁therefore- ▁everything- ▁specifically- ▁initial- ▁challenging- ▁effective- ▁provides- ▁efficient- ▁normal- ▁play- ▁situation- ▁accelerate- ▁currency- ▁flat- ▁- ▁doesnt- ▁property- ▁buy- ▁competitors- ▁season- ▁commitment- ▁strategies- ▁critical- ▁required- ▁answer- ▁country- ▁active- ▁un- ▁design- ▁competition- ▁step- ▁largely- ▁fair- ▁technologies- ▁12- ▁weeks- ers- ▁he- ▁hand- ▁lets- ▁software- ▁facilities- ▁pace- ▁near- ▁region- ▁state- ▁loss- ▁mobile- ▁securities- ▁final- ▁behind- l- ▁center- '4'- ▁smaller- ▁allows- ▁week- ▁extremely- re- ▁enhance- ▁insurance- ▁enough- ▁form- ▁his- ▁stable- ▁ourselves- ▁book- ▁came- ▁rather- ▁planning- ▁parts- ▁recovery- ▁safety- ▁reported- ▁ever- ▁happy- ▁makes- ▁sustainable- ▁includes- ▁times- ▁relationship- ▁unit- ▁patient- ▁sector- ▁accounts- ▁loans- ▁20- ▁away- ▁internal- ▁categories- ▁transactions- ▁enterprise- ▁reduced- ▁assumptions- ▁reach- ▁running- ▁wondering- ▁enable- ▁exactly- ▁contribution- ▁effort- ▁achieved- ▁estate- ▁account- ▁offerings- ▁metrics- or- ▁others- ▁gaap- ▁units- ▁above- ▁applications- ▁basically- ▁weather- ▁profile- ▁outside- '3'- ▁phase- ▁faster- ▁partially- ▁operate- ▁appropriate- ▁added- ▁discussions- ▁channels- ▁study- ▁accounting- ▁gain- ▁field- ▁reflects- ▁security- ▁efficienc- ▁decrease- ▁received- ▁seems- ▁exciting- ▁restructuring- ▁plant- ▁developing- ▁directly- ▁changed- ▁took- ▁middle- ▁consider- ▁investor- ▁ultimately- ▁integrated- ▁footprint- ▁platforms- ▁reasons- ▁shareholder- ▁changing- ▁adding- ▁joining- ▁decisions- ▁statement- ▁traffic- ▁community- ▁drivers- ▁typically- ▁ratio- ▁fleet- ▁premium- ▁substantial- ▁win- ▁capability- ▁january- ▁robust- ▁gains- ▁managing- ▁fund- ▁media- ▁creating- ▁options- ▁healthy- ▁17- ▁december- ▁tend- ▁8- ▁expectation- ▁purchase- ▁national- ▁almost- ▁processes- ▁news- ▁advertising- ▁importantly- ▁happening- w- ▁labor- ▁disconnect- ▁potentially- ▁natural- ation- ▁primary- ▁backlog- i- ▁understanding- ▁executing- ▁nature- ▁yield- ▁forecast- ▁water- ▁traditional- ▁food- ▁saying- ▁office- ▁meeting- ▁7- ▁bringing- ▁driver- ▁optimistic- ▁filings- ▁9- ▁planned- ▁limited- ▁excellent- ▁putting- ▁highlights- ▁mind- ▁effectively- ▁comfortable- ▁historical- ▁found- ▁needed- ▁cases- ▁march- ▁goes- ▁necessary- ▁research- ▁ask- ▁visibility- ▁targets- ▁million- ▁proud- ▁liquidity- ▁funding- ▁refer- ▁trade- ▁disciplined- ▁speak- ▁countries- ▁headwind- ▁main- ▁losses- ▁regions- ▁else- ▁comparable- ▁encouraged- ▁standpoint- ▁bigger- ▁land- ▁wouldnt- ▁15- ▁commission- ▁non- ▁recognize- ▁volatility- ▁launched- ▁page- ▁june- ▁financing- ▁maintenance- ▁never- ▁members- ▁september- ▁response- ▁extent- ▁remaining- ▁expanded- ▁obligation- ▁difference- ▁types- ▁approximately- ▁fixed- ▁late- ▁focusing- ▁asia- ▁utilization- ra- ▁takes- ▁path- ▁completion- ▁broader- ▁detailed- ▁perhaps- ▁test- ▁sold- ▁reducing- 'on'- ▁theyve- ▁economy- ▁properties- ▁ready- ▁30- ▁tremendous- ▁intend- ▁stay- ▁dollars- ▁operation- ▁partnership- ▁below- ▁direction- ▁medical- ▁fees- ion- ▁led- ▁acquired- ▁locations- ▁remainder- ▁gross- ▁capex- ▁ramp- ▁tools- ▁reflected- ▁went- co- ▁nice- ▁highlight- ▁individual- ▁engagement- ▁allocation- ▁simply- ▁legacy- ▁conversion- ▁2015- ▁biggest- ▁fairly- ▁stage- ▁successfully- ▁flows- ▁highest- ch- ▁increasingly- ▁inflation- ▁optimize- ▁fuel- ▁closely- ▁interesting- ▁shows- ▁broad- ▁history- ▁wont- ▁summary- ▁buying- ▁light- ▁requirements- ▁historically- ▁reporting- ▁commodity- ▁foundation- ▁force- ▁live- ▁pre- ▁shares- ▁opening- ▁necessarily- ▁somewhat- ▁giving- ▁goals- ▁outstanding- ▁drilling- ▁priority- ▁reconciliation- ▁19- ▁standard- ▁attention- ar- v- ▁talent- ▁periods- ▁remember- ▁dollar- ▁maintaining- ▁appreciate- th- ity- ▁expecting- ▁event- ▁mainly- ▁steps- ▁looks- ▁european- ▁trial- ▁closed- ▁factor- ▁proposition- ▁expertise- ▁capture- ▁funds- ▁exposure- ▁ones- le- ▁innovative- ▁paid- ▁b- ▁prospects- ▁hit- ▁cover- ▁present- ▁operator- ▁implementation- ▁materials- ▁itself- ▁everybody- ▁regard- ▁component- ic- ▁compensation- ▁role- ▁centers- ▁learning- ▁payments- ▁testing- ▁canada- ▁16- ▁south- ▁domestic- ▁developed- ▁approval- ▁definitely- ▁adoption- ▁priorities- ▁treatment- ▁lease- ▁true- ▁initiative- ▁safe- ▁foreign- ▁leader- ▁nothing- ▁piece- ▁policy- ▁analysis- ▁october- ▁april- ▁challenge- ▁banking- ▁created- ▁matter- ▁g- ▁realize- ▁strengthen- ▁franchise- ▁targeted- ▁noted- ▁advanced- ▁worked- ▁happened- ▁culture- ▁produce- ▁undertake- ▁application- ▁positions- ▁assume- ▁sec- to- ▁payment- ▁site- ▁resulting- ▁hold- ▁actively- ▁calls- ▁among- ▁described- ▁impacts- ▁resulted- ▁presence- ▁regional- ▁aggressive- ▁summer- ▁additionally- ▁emerging- ▁steady- ▁fall- ▁banks- ▁training- ▁context- us- ization- ▁helping- ▁retailers- ▁discipline- ▁dynamics- ▁models- ▁seasonal- ▁july- ▁mortgage- ▁road- ▁trading- ▁managed- ▁conclude- ▁designed- ▁generated- ▁huge- ▁relates- ▁leveraging- ▁players- ▁upside- ▁modest- ur- ▁coverage- ▁deposit- ▁reform- ▁car- ▁participation- ▁synerg- ▁becoming- ▁brazil- ▁idea- ▁follow- ▁evaluate- ▁speed- ▁otherwise- ▁developments- ▁f- ▁vision- ▁invested- ▁analytics- based- st- ▁absolutely- ▁de- en- ▁dynamic- ▁act- ▁complex- ▁heard- ▁implemented- it- ▁perform- ▁comp- ri- ▁yearoveryear- ▁50- ▁pursue- ▁gone- ▁wed- ▁measure- li- ▁federal- ▁room- ▁finance- ▁special- ▁providers- ▁schedule- ▁action- ▁relevant- h- ▁joint- ▁affected- ▁recognized- il- ▁effects- ▁story- ▁moved- ▁variety- ▁reminder- ▁wells- ▁reasonable- ▁adjustments- ▁helpful- ▁november- ▁reflecting- ▁must- ▁soon- ▁specialty- ▁reductions- ▁push- ▁technical- ▁enhanced- as- ▁s- ▁objectives- ▁generating- rs- ▁deep- ▁essentially- ▁source- ▁renewal- ▁compete- ▁states- ▁issued- ▁division- ▁often- ▁communities- ▁senior- ▁represents- ▁closer- ▁c- ▁advance- ▁face- ▁co- ▁demonstrate- ▁happens- ▁february- ▁performing- ▁fee- ▁users- ne- ▁decided- ▁easier- ▁america- ▁uncertainty- ▁read- ▁hear- ▁partnerships- z- ▁began- ▁california- ▁identified- ▁function- ▁east- ▁fast- ▁components- ▁engineering- ▁bookings- ta- ▁looked- ▁sites- ▁recognition- ▁fit- ▁york- year- ▁interested- ▁affect- ▁slow- ▁easy- q- ▁outcomes- ment- ▁identify- ▁independent- ▁cannot- ▁d- ▁stated- ▁pick- ▁represent- ▁established- ro- ▁drug- ▁operators- ▁underwriting- an- ▁consolidation- ▁common- ▁budget- ▁agreements- ▁video- ▁city- ▁helped- ▁smart- ▁consistently- ▁paying- ▁maximize- ▁excess- ▁achieving- ▁left- ▁frankly- ▁wins- ▁west- ▁provider- u- ▁repurchase- ▁estimate- ▁firm- ▁thoughts- ▁require- ▁compelling- ▁ground- ▁predict- ▁groups- ▁automotive- ▁raw- ▁aware- ▁double- ▁e- ▁penetration- com- ▁shown- ▁projections- ▁allowed- ▁mexico- ▁plants- ▁capitalize- ive- ▁t- ▁quick- ▁mark- ▁indicated- ▁toward- ▁presented- ▁transportation- ▁prudent- ▁roll- ▁law- ▁depending- ▁devices- ▁rapidly- ▁brought- ▁deploy- ▁supported- ▁touch- ▁folks- ▁encouraging- ▁demonstrated- ▁professional- ▁sequential- ▁recorded- ▁august- ▁outcome- ▁differentiated- ▁game- ▁degree- ▁accelerated- ▁residential- ▁auto- ▁filed- ▁occur- ▁rental- ▁receive- ▁curious- ▁grew- ▁seasonality- ▁welcome- ▁holiday- ▁extend- ▁considered- ▁deployment- ▁r- ▁showing- ▁problem- ▁substantially- ness- ▁excellence- ▁leasing- ▁suppliers- ▁option- ▁count- ▁concludes- ▁recover- ▁central- ▁drop- ▁elements- ▁remained- ▁lending- ▁consolidated- ▁conservative- ▁realized- ▁japan- ▁estimates- ▁dedicated- ▁retention- ▁canadian- ▁positioning- ▁spent- ▁correct- ma- ▁spot- ▁walk- ▁objective- ▁figure- ▁legal- ▁gets- ▁tough- ▁pro- ▁excluding- ▁supporting- ▁involved- ▁table- ▁sometimes- ▁leaders- ▁shared- ▁promotional- ▁nearly- ▁plus- ▁benefited- ▁claims- ▁feedback- ▁contributed- ▁comprehensive- ▁felt- ▁license- ▁rent- ▁subscription- ▁o- ▁truly- ▁processing- is- el- ▁section- ▁post- ▁choice- ▁wholesale- ▁contribute- ▁social- ▁card- ▁speaking- ▁involve- ▁chinese- ▁original- ▁taxes- ▁deposits- ▁whatever- ▁personal- ▁stuff- ▁spread- ▁vehicle- ▁traction- ▁external- ▁economics- ▁declines- ▁recall- la- ▁raise- ▁signed- ▁john- ▁isnt- ▁projected- ▁mike- ▁population- ▁macro- ▁aggressively- ▁proven- ▁availability- ter- ▁themselves- ▁allowing- ve- ▁seem- ▁geographic- ▁india- ▁staff- ▁creation- ▁recurring- ▁list- ▁optimization- ▁implement- ▁gave- ▁stages- ▁hopefully- ▁two- os- ▁north- ▁digits- ▁commentary- ▁internally- ▁studies- ▁updated- ▁conversations- ▁helps- ent- ▁afternoon- ▁financials- te- ▁enter- na- ▁announcement- ▁bill- ▁deferred- ▁respond- ▁collaboration- ▁location- ▁secure- ▁features- ▁known- ▁held- ▁picture- ▁acquire- ▁texas- ▁charge- ▁mostly- ▁engaged- ▁adjust- ▁air- ▁works- ▁finding- ate- ▁n- ▁fundamentals- ▁mid- ▁strengthening- ▁p- ▁explain- ▁name- ▁ladies- ▁posted- ▁completely- ▁storage- ▁shipments- up- ▁venture- ▁overview- ▁practices- ul- ▁user- ▁dividends- ▁pull- ▁accelerating- ▁efficiently- ▁keeping- ▁gentlemen- ▁housing- ▁globally- ▁mention- ▁lost- ▁called- ▁participating- ▁resource- ▁40- ▁sources- ▁meaning- ▁11- ▁spring- ▁worth- ▁ecommerce- ▁old- '00'- ▁slower- ▁alternative- ▁minutes- ▁indication- ▁constant- ▁slides- related- ▁manner- ▁trust- ▁performed- ▁calendar- ▁considering- ▁expressed- ▁journey- ▁standards- ▁contain- ▁frame- ▁reserve- est- ▁h- ▁signs- ▁compliance- ▁evaluating- ▁engage- ▁valuable- ▁element- ▁industries- ▁announce- ▁peak- ▁commitments- ▁merger- ▁peers- ▁awareness- ▁pressures- ▁strongly- ▁k- ▁con- ▁introduced- ▁enhancement- ry- ▁places- ▁launches- ia- ▁extended- ▁monitor- ▁proceeds- ▁assuming- de- ▁evolution- ▁offers- ▁upcoming- ▁superior- ▁contained- ▁contributions- ▁encourage- ▁vehicles- ▁profits- ▁evidence- ▁sharing- ▁forth- ▁comparison- ▁her- ▁pass- ▁bad- ▁multi- ▁pursuing- ▁chart- ▁provision- ▁wind- go- ▁parties- ▁networks- ▁acceleration- ▁charges- ▁broadly- ▁mining- ▁family- ▁organizations- ▁class- ▁shipping- ▁thus- ▁holding- ▁disease- ▁sign- ▁wait- ▁diversified- age- ▁stability- ▁connected- ▁starts- ▁american- ▁100- ▁break- ▁participate- ▁shopping- out- ally- ▁becomes- ▁balanced- ▁device- ▁disclosure- ce- ▁rising- ▁highlighted- ▁implementing- ▁ended- ▁reports- ▁hospital- ▁automation- ▁opposed- ▁enhancing- ▁separate- ▁willing- ▁asked- ▁shape- ▁concluded- ▁executed- ▁simple- ▁lots- ▁examples- ▁circumstances- ▁item- ▁knowledge- ▁words- ▁managers- ▁winter- ▁series- ▁geographi- ▁vertical- ▁matters- ▁wide- ant- ▁inside- ▁insight- ▁mine- ▁attract- ▁enables- ▁physicians- ▁roughly- ▁steel- ▁discussing- ▁heavy- ▁targeting- ▁publicly- ▁executive- ▁wasnt- ▁protection- ▁logistics- ▁internet- ▁exceptional- ▁concerned- ▁landscape- ▁engine- ▁aircraft- ▁slight- ▁weakness- ▁aspects- ▁yearend- se- ▁seek- ▁conclusion- um- ▁utility- ▁ownership- ▁integrate- ts- ▁search- ▁valuation- ▁structural- ▁reserves- ol- ton- ▁winning- at- ▁14- ▁approved- ▁chance- ▁curve- ▁loyalty- ▁evolving- ▁fundamental- ▁arent- ▁opened- ▁protect- ▁brief- ▁aligned- ▁agency- ▁negatively- ▁continuous- ▁enabling- ca- ▁she- ▁values- ▁travel- ▁subsequent- ▁variable- ▁label- ▁strategically- ▁rapid- ▁practice- ▁drove- ▁love- ▁begun- ▁australia- ▁views- ▁campaign- ▁typical- ▁ship- ▁connect- ▁education- ▁litigation- ▁employee- ▁importance- ti- ▁met- ▁coast- ▁origination- ▁rolling- ▁fashion- ▁officer- ▁yesterday- ▁germany- ▁13- ▁rigs- ▁trajectory- ▁mature- ▁60- ▁sounds- ▁learn- ▁mo- ▁mitigate- ▁reality- ▁secondly- ▁inventories- ▁yields- ▁deeper- ▁cautious- ▁floor- ting- ▁department- ▁mission- ▁florida- ▁carry- ▁et- ▁evolve- ▁flexible- ▁adjustment- ▁implied- ▁weak- ▁owners- ▁sustained- ▁movement- ▁repeat- ▁absolute- ▁lack- ▁harbor- ▁unless- ▁pieces- ▁updates- ▁western- ▁consecutive- ▁hearing- ▁restaurant- ▁caused- ▁replacement- lo- ▁occupancy- ▁bar- ▁rig- ▁opportunistic- ▁hotel- ▁steve- ▁determine- ▁latin- ▁freight- ▁cut- ▁exit- ▁enabled- ▁moderate- ▁agencies- ▁assortment- ▁finish- ating- ▁david- ▁paper- ▁reached- ▁sufficient- ▁underway- ▁therapy- ▁app- ▁vast- ▁sectors- ▁diversification- ▁setting- ▁leases- ▁gap- ▁stand- ▁replay- ▁except- ▁clarity- ▁utilize- ▁impacting- ▁brings- ▁rise- ▁export- ▁tool- ▁j- ▁heavily- ized- ▁human- ▁incentive- ▁outlined- ▁extra- ▁experiencing- ▁regards- ▁compare- ▁stakeholders- ▁physical- ▁cycles- ▁daily- ▁restaurants- ▁gotten- ▁retain- ▁oem- ▁imagine- ▁machine- ▁reimbursement- ▁trials- ▁environmental- ▁cancer- ▁optimiz- ▁figures- ▁x- ▁problems- ▁watch- ▁consumption- ▁depreciation- ▁dramatically- me- ▁latest- ▁2020- ▁insights- ▁provisions- ▁disruption- ▁st- va- ▁experiences- ▁wish- tic- ▁asking- ▁ex- ▁weaker- ▁consideration- ▁contributing- ▁clean- ▁collection- ▁shortterm- ▁discount- ▁entered- ▁chief- ▁returning- ▁guests- ▁upgrade- ▁depends- ▁choose- ▁framework- mo- ▁exceeded- ▁usage- ▁hiring- ▁sub- ▁introduce- ▁president- ▁apply- ▁carefully- ▁declined- ▁sequentially- ▁ma- ▁guide- ▁electric- et- ▁reference- ▁expenditures- ▁producing- ▁fresh- ▁communications- ▁managements- ▁occurred- line- ▁instead- ▁stream- ▁immediately- ▁v- ▁productive- ▁usually- ▁gold- ▁packaging- ba- ▁temporary- ▁downturn- ▁attributable- ▁communication- ▁settlement- ▁convert- ▁advantages- ▁coal- ▁grown- ▁requires- ▁connection- ▁ensuring- ▁originally- ▁cap- ▁shortly- ac- ▁gaining- ▁box- vi- ▁fill- ▁amounts- ▁se- ▁shop- ▁scope- ▁institutional- ▁complexity- ▁serving- ▁condition- ▁webcast- ▁ad- ▁medium- 'no'- ▁hasnt- am- ▁shifting- ▁homes- ▁bo- ▁handle- ▁powerful- ad- ize- ▁doubledigit- ▁rules- ▁introduction- ▁diverse- ▁leads- ▁supplier- ▁launching- ▁90- izing- ▁concept- ▁wealth- ▁behavior- ▁political- ▁wireless- ▁initially- ▁transfer- ▁delay- ▁balances- ex- ▁sit- ▁leave- ▁distributors- ▁manufacturers- ▁africa- ▁metric- ▁cars- ▁audience- ▁purpose- ▁hotels- ability- ▁monitoring- ▁followed- ▁attending- ▁carriers- ▁soft- ▁numerous- ▁transform- ▁tenants- ▁hedge- ▁alternatives- ▁street- ▁reliability- ▁ecosystem- ▁youd- ▁briefly- ▁moves- ▁hardware- ▁satisfaction- ▁w- ▁usual- ▁associates- ▁administration- ▁strongest- ▁elevated- ▁pension- ▁creates- ▁intelligence- ▁basin- ▁concern- ▁learned- ated- ▁proprietary- ▁merchandise- ▁laid- ▁addressing- ▁busy- con- ▁revise- ▁fewer- ▁jim- ▁dealers- ▁differences- ▁duration- ary- ▁scheduled- mi- ▁indications- ▁express- ▁fiber- ▁him- ▁vendors- ▁produced- ▁buyers- ▁hospitals- ▁caution- ▁message- ▁m- ▁agents- ▁extensive- ck- ▁theyll- ▁decide- ▁proportion- sh- ▁waiting- ▁feeling- ▁contact- ▁pilot- ▁installed- ▁facing- ▁minimum- ▁hours- ▁tariffs- ▁phone- ▁select- ▁decreased- ▁milestones- ▁normally- ▁sa- ▁reiterate- ▁positively- ▁package- ▁multiyear- ▁dependent- ▁deployed- ▁declining- ▁portfolios- ▁awards- ▁supplemental- ▁careful- ▁showed- ▁decade- ▁reinvest- ▁dedication- ▁regular- ▁match- ▁intended- ▁ramping- ▁secured- ▁personnel- id- ▁emphasis- ▁normalized- ▁vi- ▁immediate- ▁concerns- ▁americas- ▁negotiations- ▁cetera- ▁magnitude- ▁accretive- ▁house- ▁defense- ▁assessment- ▁delays- ▁depend- ▁via- ▁told- ▁somebody- ge- ine- ▁constantly- ▁policies- ▁stop- ▁assess- ▁extension- ▁covered- po- ▁tight- ▁align- ▁france- ▁lowest- ▁bought- ▁nicely- sa- ▁differentiate- ▁progressing- ▁quantify- ▁turnaround- ▁demonstrates- ▁deliveries- ▁enrollment- ▁map- ph- ▁prove- ▁purchases- ▁purchasing- ▁divisions- man- ▁suggest- ▁playing- ▁25- son- ▁court- ▁conversation- ▁heart- ▁super- ▁establish- ▁released- ▁lives- ▁adapt- ▁maintained- ▁liability- ▁agree- ▁benefiting- ▁students- im- ▁useful- ▁bid- ▁creative- ▁sand- ▁truck- ▁kinds- ▁puts- ▁solar- ▁competitor- ▁organizational- ▁incredibly- ▁werent- ▁player- ▁licensing- ▁topic- ▁tracking- ▁draw- ▁supplement- ▁volatile- ▁functions- ▁delayed- ▁crude- ▁explore- ▁aspect- ▁plays- ▁spectrum- ▁defined- ▁expensive- ▁hoping- ▁preferred- ▁rolled- ▁placed- ▁amortization- ▁relating- nt- ▁nearterm- ▁fire- ▁possibly- ors- ▁suite- ▁goods- ▁finished- ▁highquality- ▁status- ▁healthcare- ▁aim- ▁desire- ▁bulk- ▁longerterm- ▁embedded- ▁possibility- ▁drives- ▁concerning- ▁migration- ▁pacific- ▁emphasize- ▁describe- ▁assumption- ▁sourcing- ▁outperform- op- mp- ▁exceed- ▁simplify- ▁turned- ▁evaluation- ▁di- ▁drag- ▁completing- ▁sports- ▁tried- ▁pattern- ▁offshore- ▁lag- ▁tied- ▁organically- ▁participants- ▁consulting- ▁person- ▁breadth- ▁determined- ▁exploration- ▁slowdown- ▁comps- ▁sustain- ▁appear- ▁integrating- ms- ▁responsible- ▁promotions- ▁green- ▁replace- ▁aggregate- ▁solve- ▁wage- ▁scenario- ▁indicators- ▁depth- ▁milestone- ▁updating- ▁exact- ▁branch- ▁intent- ▁buyback- ▁surprised- pa- ▁pu- ▁pushing- ▁comparisons- ▁unusual- ▁drill- ▁dealing- ▁thirdparty- ▁incurred- ▁opinion- ▁regulations- ▁inter- ▁eye- ▁according- ▁utilities- ▁science- ▁impressive- ▁sets- ▁differently- ▁ideas- ▁hurricane- ▁tech- ian- ▁belief- ▁jobs- ▁criteria- ▁patterns- ▁games- ▁spreads- ▁filing- ▁cross- ▁accomplished- ▁unfavorable- ▁percent- ke- ▁en- ish- ▁churn- ▁houston- ▁split- ▁l- ▁buildings- ▁file- ▁accordingly- ▁seeking- ▁overhead- ci- ▁mass- ▁transparency- ▁head- ▁sustainability- ▁weighted- ▁contributor- ▁join- ▁unchange- ▁chris- ▁regulation- ▁institutions- ▁fx- ▁member- ▁bridge- ▁purposes- ▁lose- ▁age- ▁stress- ▁estimated- ▁mill- ▁couldnt- gen- ▁entering- ▁appears- ▁80- bo- ▁lift- per- ▁analysts- ▁guest- ▁partly- ▁acquiring- ▁reliable- ▁structures- tr- ▁resolution- ▁jeff- ▁northern- ▁applied- ▁laws- ▁selective- ▁southern- ▁followup- ▁sound- ▁retirement- ▁located- ▁monthly- em- ▁accomplish- vo- ▁verticals- ▁softness- ▁minimal- ▁living- ▁someone- ▁edge- ▁summarize- om- ▁square- ▁enjoy- ▁complement- ▁easily- ▁eventually- ▁impairment- ▁plenty- ▁em- ▁itll- ▁revised- ▁raising- ▁le- ▁switch- ▁fda- ll- ▁administrative- ▁functionality- ▁disclosed- ▁producers- ▁ceo- ▁entirely- da- ▁pure- ▁earn- ▁written- ▁newer- ▁diversity- ▁influence- ▁regulators- ▁notice- ▁ro- ▁thoughtful- time- ▁effectiveness- ▁rating- ▁prepare- ▁connectivity- ▁considerable- ▁rollout- ▁minute- ▁confirm- ▁globe- end- ▁tom- ▁intention- ▁pool- ▁dis- ▁stabilize- ▁colleagues- ▁servicing- ▁frequency- ▁rail- ▁introducing- ▁stack- ▁input- ▁index- ▁sitting- ▁maturity- ▁offsetting- ▁regardless- ▁doubt- ▁rule- ▁perfect- ted- ring- ▁cell- ▁adjusting- ▁approvals- ▁print- ▁newly- ▁borrowing- ▁capable- ▁manager- ▁books- ▁seasonally- ▁prime- ▁acreage- ▁factory- ▁diversify- ▁thousands- ▁indeed- ▁avoid- ▁hybrid- ▁entertainment- ▁dan- ▁owned- ▁tenant- ▁display- tion- ▁published- ▁0- ▁talented- ▁eps- ▁refinancing- ▁transmission- ▁repair- ▁knew- di- ▁upper- ▁reviewing- ▁proposed- ▁waste- ▁treat- ▁star- back- ▁retailer- ps- ▁characterize- ▁won- ▁round- ▁nor- ▁firms- ▁bear- ▁anybody- ▁deploying- ▁communicate- ▁older- ▁dramatic- ▁lean- ▁cable- ▁onetime- ▁incredible- ▁exception- ▁exclude- ▁seamless- ▁modeling- ous- ▁amazon- ▁utilizing- ▁wave- ▁tv- ▁wonderful- ▁dialogue- ▁skills- ▁specifics- ▁demonstrating- ▁reinsurance- ▁bio- be- ▁promotion- ▁legislation- ▁michael- ▁levers- ▁spoke- ▁millions- ▁scott- ▁indicator- ▁check- ▁synergy- ▁ratios- ▁horizon- ▁engaging- ▁entry- ▁70- ▁innovations- ▁concentration- ▁san- ▁reflection- ▁voice- ▁feature- ▁length- ▁damage- bi- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁latter- ▁preparing- ▁menu- do- ▁streams- ▁candidates- ▁unfortunately- ot- ▁cities- ance- ▁referring- ▁facts- ▁headcount- ator- ▁committee- ▁dealer- ▁advisory- ▁fundamentally- ▁mr- ▁vessels- ha- ho- ▁continuously- ▁limit- ▁equal- ▁permian- ▁massive- ▁exist- ▁basic- ▁assist- ▁hands- ▁load- ▁translate- ▁micro- ▁worlds- ▁measured- ▁offices- ▁formal- ▁movements- ▁facilitate- ▁essential- ▁red- ▁installation- ▁gulf- j- ▁documents- ▁gaming- ▁procurement- ▁procedures- ▁heading- ▁incentives- ▁al- ▁competing- ▁fantastic- ▁dave- ▁bob- ▁appropriately- ▁greatest- ▁op- pe- ▁ca- ▁merchandising- ▁branches- ▁reaching- ▁advertisers- ▁ultimate- ▁electronic- ▁communicated- ▁night- ▁award- ▁beliefs- market- ▁block- ▁electronics- ▁exercise- ▁selected- ▁payers- ▁distributor- ▁physician- ▁fine- ▁web- ▁selection- ▁hundreds- ▁purchased- ▁uptick- ▁analyst- ▁dry- ▁none- ▁vary- he- nd- ▁door- ▁mode- ▁challenged- ▁modestly- ▁became- ▁faced- ▁adverse- ▁credits- ▁receiving- ▁park- ▁exclusive- ▁assurance- ▁recognizing- ▁proactive- ▁ho- ▁equally- bs- ▁campaigns- ▁hes- ▁extraordinary- ▁disposition- ▁promising- ▁affordable- ▁listening- ist- ▁jump- ▁achievements- ▁strengths- ▁terrific- ▁cadence- ▁combine- ▁succeed- ▁liabilities- ▁vendor- ▁harder- ▁save- ▁notable- ▁strengthened- ▁worldwide- ▁rich- ▁collections- ▁controls- ▁claim- ▁relate- ▁elaborate- ▁medicare- ▁wrong- ▁tests- ▁bunch- ▁disposal- ▁upfront- ▁staffing- ▁carrier- ▁extending- ▁promote- ▁responsibility- ig- ▁accurate- ▁lenders- ▁continually- ▁uses- ▁modern- ▁receivables- '9'- ▁ip- ▁rents- ▁euro- ▁surprise- ▁professionals- ▁served- ▁metal- ling- ▁predictable- ▁navigate- ▁bond- ▁initiated- ▁fed- ▁inform- ▁u- ▁pe- ▁advancing- ▁train- ect- ▁explained- ▁raised- net- ▁paul- one- ▁meetings- ▁grade- ▁uniquely- ▁blue- ▁tri- ▁agenda- ▁worse- ▁wants- ▁kick- ▁dose- ▁offered- ▁collect- ▁listen- ▁pain- ▁compression- ▁request- ▁beneficial- ▁convenience- ▁behalf- ▁rights- ▁individuals- ▁hedging- ▁sophisticated- ▁comfort- ▁anyone- ▁rebound- ▁preliminary- ▁environments- ▁format- ▁internationally- ▁anticipating- ▁innovate- ▁runway- ▁joined- ▁secondary- less- ▁realizing- ▁reset- ill- ▁announcements- ▁guarantees- land- ▁feed- ▁supports- ▁el- ▁es- ▁wrap- ▁consistency- ▁releases- ▁funded- ▁understood- ▁surface- ▁brian- ▁sea- ▁satisfied- ▁aerospace- ▁uncertain- ▁continuation- ▁acceptance- ▁sp- ▁minimize- ▁pending- ▁pharmaceutical- ▁principles- ▁branded- ▁black- ▁geography- ▁rock- ▁sellers- ▁affecting- ▁li- ▁indicate- ▁link- ▁agent- ng- ▁preparation- ▁discovery- ▁appeal- ▁efficacy- ▁architecture- ▁eliminate- ▁advisers- pro- ▁party- ▁occurring- ▁evident- ▁translation- ▁z- ▁telling- ▁stick- ▁excitement- ▁aftermarket- ▁lu- ▁identifying- ip- lu- ▁somewhere- ▁constraints- ▁drugs- month- ▁pushed- ▁watching- ▁characteristics- ▁equation- ▁bright- ▁picking- ▁alignment- ▁situations- ▁permanent- ▁anywhere- ▁conjunction- ▁fix- ut- ▁renewable- ▁london- ▁ne- ▁promise- ▁favor- ▁distributed- ▁analyze- ▁ebit- ▁optimal- ▁linked- ▁optimism- ▁obvious- ▁hopeful- ▁earning- ▁clarify- ful- ▁diligently- ▁respective- ▁visit- ▁broadcast- ▁fluctuations- ▁shifts- ▁marine- ▁agreed- ▁reverse- ▁pi- ▁noise- ▁contains- ▁trucks- ▁virtually- ▁divestiture- ▁reputation- over- ga- ▁cards- ▁hire- ▁constitute- und- ▁patent- ▁wood- ▁contracted- ▁pickup- ▁word- ▁interim- ▁requirement- ir- ▁slowing- ▁three- ▁assumes- ▁yeartodate- ▁eastern- ▁custom- ▁reliance- ▁joe- ▁feet- ▁enormous- ▁signing- ▁prefer- ▁families- ▁pipe- ▁openings- ▁ed- ea- ence- ▁notably- ▁currencies- ty- ▁define- ▁competitiveness- ▁liquid- ▁complicated- pi- ure- ▁booking- ▁represented- ▁stabilized- ▁variabilit- ▁rely- ▁disclose- ▁background- ver- ▁catch- ▁transparent- ▁deck- ▁gen- ▁alone- ▁exceeding- ▁ci- ▁calculation- ▁maximizing- ▁guarantee- ▁decades- tax- ▁school- ▁accomplishments- ▁burn- ▁nuclear- ▁notes- ▁unlock- ▁additions- ▁structured- ▁shorter- ▁appetite- ▁refine- ag- ▁consolidate- ▁philosophy- ▁instance- ▁hot- ▁television- ▁corresponding- ▁midpoint- ▁mixed- ▁sc- ▁unknown- ▁24- ▁staying- ard- ▁qualified- ▁relation- ▁hurricanes- ▁man- ▁ra- ▁smooth- ▁startup- ▁grid- ▁former- ris- ▁renewed- ▁personally- ▁accepted- ions- ▁gained- ▁terminal- ▁upgrades- ▁familiar- ▁la- ▁experts- cl- ▁commissions- ▁recruiting- ▁cat- ▁ticket- ▁virtual- ▁obligations- of- ▁sorry- ▁partnering- ▁corporation- ▁student- ▁opex- ▁complementary- ▁na- ▁memory- ▁method- ▁prospective- ▁gradually- ▁classes- un- ▁realization- ls- ▁prevent- ▁allocate- ▁exploring- '7'- ▁white- ▁formula- ▁lock- ▁passed- ▁proceed- ▁bidding- gu- ▁audit- ▁contractual- ▁closure- ▁addressed- ▁career- ▁macroeconomic- ▁math- hi- tro- ▁matt- ▁reaction- ▁straight- ▁appreciation- ▁carbon- ▁tangible- ▁inherent- ▁neutral- ▁election- ▁representing- ▁guided- ▁engines- ▁onto- gs- ▁entity- ▁beverage- ▁gathering- ys- gi- ▁self- ▁fronts- ▁language- ▁choices- ins- ▁vice- ▁franchisees- ▁fluid- ▁premiums- ▁stabilization- ▁financially- ▁rampup- ▁ta- ▁designs- ▁rob- ▁covenant- ▁kevin- ▁demands- ▁disclaim- ▁royalty- ▁burden- cs- ▁tim- ▁progression- ▁awarded- ▁softer- ▁weight- ▁forecasting- ▁adjacent- '8'- port- '6'- ven- ▁enterprises- ▁priced- ▁inflection- ▁generic- ▁picked- ▁noncash- ▁urban- ▁window- ▁refining- ▁sensitive- ▁version- ▁ri- ▁funnel- ▁chemical- ▁buyer- ▁adds- ▁code- ▁budgets- ▁sentiment- ▁reasonably- ▁converting- ab- ▁amazing- ping- mer- ▁constructive- ▁shouldnt- ▁wider- ▁booked- ▁timely- ▁mechanism- ▁pharma- ▁broaden- ▁reps- ▁proactively- ▁recycling- ▁subscribers- ▁downward- ▁ranges- ▁answers- ▁200- ▁gr- ier- ▁earned- ▁transport- ▁charter- ▁testament- ▁operated- ▁ni- '5'- ▁firmly- ial- ▁host- ▁developers- ▁animal- ▁russia- ▁pack- ▁boost- ▁arise- ▁meant- ▁sight- ▁frac- ▁refresh- ▁lay- ▁2014- ▁diligence- ▁referred- ie- ▁premier- ▁lowering- ▁fy- ▁row- ber- sp- ▁storm- ▁da- ▁totally- ▁wonder- ▁proposal- ▁barrels- ▁letter- ▁trending- tt- ▁indicative- ▁flex- ▁supportive- ▁acknowledge- ▁whilst- ▁shifted- ▁motor- ▁severe- ▁master- ▁traditionally- ▁downstream- ▁standing- ▁returned- red- ru- ▁definition- ▁shelf- ner- ▁heat- ▁consequence- ▁capturing- ▁registration- ▁achievement- ▁naturally- io- day- ▁pointed- ▁pa- ▁cyclical- ▁signal- ▁marked- ▁upward- ▁steadily- ▁react- ▁artificial- ▁applicable- ▁valueadded- ▁treated- ▁resilient- ny- ▁feels- ▁radio- ▁concentrated- ▁programming- ▁harvest- ▁anticipation- ▁properly- ▁greatly- 'off'- ▁tailwind- ▁ba- ▁bonds- ▁functional- ▁listeners- ▁furthermore- ▁ru- ▁serious- ▁commodities- by- ▁employment- ▁audio- ▁principal- ▁apparel- ▁entities- ▁membership- ▁ge- ▁ratings- ▁implications- ▁semiconductor- ▁visible- ▁leg- ▁owner- ▁fi- res- ▁composition- ▁authorities- ▁iot- ▁messaging- ni- ▁literally- ▁layer- fe- ▁warehouse- ▁resolved- ▁broadband- ▁write- ▁announcing- ▁equivalent- ▁repositioning- ▁indirect- ▁transactional- ▁monetize- ▁handling- ▁qu- ▁turnover- ▁historic- ▁economies- ▁spain- let- ▁assure- ▁united- ▁establishing- ns- ▁certainty- ▁greg- ▁kept- ging- ▁brexit- ▁italy- ▁regulated- ▁hired- ▁art- ▁discontinued- ▁separation- ▁sizes- all- ▁amongst- ▁beauty- ▁scientific- ▁territories- ▁lab- ▁import- ▁payroll- ▁redevelopment- ▁mar- ▁ii- ▁calling- ▁cautionary- ▁fits- ▁trans- ▁merchant- ▁military- driven- ger- ▁losing- ▁yourself- ▁fruit- ▁tier- ▁operationally- rate- ▁tariff- ▁dc- ▁po- ▁attracting- ▁adopted- ▁pet- fi- ▁ja- ▁technological- ▁endpoint- ▁cells- ▁afford- ▁responding- ▁bullish- pt- ical- ▁evidenced- ▁knowing- ▁reflective- ▁streamline- ▁copper- ▁predominantly- ▁absorb- ▁ti- ▁northeast- ▁quicker- ities- ▁strive- ▁hub- ▁southeast- ▁standalone- ▁attrition- ▁washington- ▁ha- ▁crop- ▁slowed- ▁differential- king- ▁therell- ▁database- ▁personalized- ▁balancing- ▁closures- ▁pharmacy- ▁assumed- ship- load- ▁highlighting- ▁pause- ▁overseas- ▁threat- ▁poor- tan- ▁hitting- ▁elsewhere- ▁precision- ▁machines- ▁ease- ▁handful- ▁beat- ▁cold- ▁swap- ▁arrangements- ▁allowance- ▁carolina- ▁va- ten- ▁territory- ▁medicine- ▁description- ens- ▁prospect- ▁sun- ▁meantime- ▁materialize- ▁adequate- ▁theme- ▁intellectual- ▁mobility- ▁transitioning- ▁controlling- ▁fortunate- ▁sizable- ▁samestore- ▁wall- ▁reinforce- ▁referenced- ▁chosen- ▁payout- ▁carried- ▁lo- ▁airlines- ▁deployments- ▁copy- ▁combining- ▁fa- ▁issuance- cu- ▁transforming- ▁contractors- gg- ▁speaks- ▁vote- ▁uk- ▁capitalized- ▁industryleading- ld- ▁alluded- den- ▁noncore- ▁upstream- ▁pulling- ▁decent- ▁receivable- ▁similarly- ▁ore- ▁sooner- ▁tender- ▁route- ▁contracting- ▁absorption- ▁appendix- ▁conducted- ▁definitive- ▁lifetime- ▁automated- ▁differentiator- ▁lumpy- ▁install- ▁conduct- ▁ka- top- ▁shut- ▁foot- od- ▁midstream- ▁improves- ▁adopt- ▁licenses- ▁shipment- ▁governance- ▁takeaway- ▁te- ▁electricity- ▁output- ology- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- cc- ▁maximum- ▁repayment- ▁ver- ▁intensity- ▁hong- ncy- ▁apple- ▁kong- ▁agile- ▁carrying- ▁separately- ▁ag- ▁jack- ▁surgical- ▁disappointed- les- ▁si- ▁port- ▁sum- ▁judgment- ▁undu- ell- ▁listed- ▁minor- ▁reviews- ▁cutting- ▁whereas- ▁billing- ▁workers- ▁remove- ▁governments- ▁played- ▁domain- ▁body- ▁german- way- ▁wa- ▁principally- ▁methodology- ▁dr- ▁ken- ▁schedules- ▁presenting- ▁therapeutic- ▁chicago- ▁presentations- ▁forms- ▁farm- ▁forecasts- ▁scaling- ▁spite- tu- tech- ▁korea- ▁email- ▁argentina- ▁turns- ▁rewards- ▁cfo- ▁therapies- ▁throughput- ▁lifestyle- ▁foreseeable- ▁pipelines- ▁observed- ▁applying- ▁fifth- ▁introductions- ▁merchants- ▁resolve- ▁er- ▁successes- ▁duty- ▁instore- ▁whom- ▁packages- bu- ▁catalyst- ▁ordering- ▁mu- ▁attack- ▁diesel- ▁cal- ▁satellite- ▁sensitivity- ▁proof- ▁approaches- ▁narrow- ▁battery- ka- ▁screen- ▁incur- board- ▁inflationary- ▁correctly- ▁manufacturer- ▁google- ▁investigation- ▁disruptive- ▁emerge- ▁covering- ▁luxury- ▁apart- ▁delaware- ▁doubled- ▁mi- ap- ▁31- nc- ▁billings- ▁securing- ▁intense- ▁panel- led- ▁image- ▁profitably- ▁underground- ▁noticed- ▁subscriber- ▁trusted- ▁decreases- ▁valuations- ▁laser- ▁identity- ▁delighted- ler- ▁strike- ▁measurement- ▁constrained- ▁telecom- ▁pulled- ▁bankers- ▁tail- ▁remote- ▁casino- ▁scenarios- fa- erto- ▁causing- ▁explanation- point- ▁downside- ▁ir- ▁slowly- ▁warm- ▁campus- ▁prepayment- ▁inhouse- ▁gradual- ▁approaching- ▁simultaneously- ▁par- med- ▁jurisdictions- ▁marks- ib- ▁interface- ▁favorably- ▁considerably- ▁expansions- state- ▁forecasted- lt- ▁worldclass- ▁hedges- ▁believes- ▁expenditure- ▁forma- ▁commerce- ▁niche- ▁exceptionally- ▁deeply- ▁myself- ▁flight- ▁completions- ▁utilized- fin- ix- ▁mindful- and- ▁shipped- ▁remarkable- the- ▁ingredients- tra- ▁moments- ▁reviewed- ▁finalized- ▁conventional- ▁engagements- ▁accommodate- ▁allocated- ▁divest- eg- ▁passion- ▁vessel- ▁rare- ▁graph- ▁ar- ▁destination- ▁saas- ▁weekend- ▁ample- ▁spec- ▁commented- ▁flu- ▁converted- ▁integrity- ▁monetization- side- ▁supplies- ▁renovation- ▁holidays- ▁bonus- ▁station- ient- ▁attributes- der- ▁nextgeneration- ▁surgery- ▁bi- ▁climate- ▁payable- ▁dive- ▁task- ▁airline- ▁anyway- ▁persist- ▁normalize- ▁progresses- ▁leaving- ▁obtain- ▁consultants- ▁attempt- ▁parallel- ▁fulfillment- ▁doctors- ▁enthusiasm- ▁rep- ▁relief- ▁sides- ative- ▁exists- ▁touched- ▁forces- ide- ▁delta- ible- ▁document- ▁ce- ▁yearonyear- ▁accept- ▁subsidiaries- ▁surrounding- ▁attributed- ▁deflation- ▁singledigit- ▁interact- ▁executives- ▁su- ▁sometime- ▁send- ▁ambition- ▁auction- ▁lateral- ▁tested- ists- ▁gene- ▁strides- ▁pump- ▁metro- ▁chose- ▁intelligent- ▁preserve- ▁conscious- ▁film- ▁instruments- ▁chemicals- ▁phases- ▁discounts- ▁young- ▁ran- ▁collaborative- ville- ▁association- ▁trigger- ▁recap- qui- ▁multifamily- ▁tons- ee- ▁container- ▁ships- ▁controlled- ▁topics- ▁frank- ▁acute- ▁flavor- ▁missed- ▁retaining- ▁resilience- ▁enthusiastic- ▁session- ▁tables- ▁everywhere- ▁aviation- ▁rico- ▁grows- ▁sharp- ▁submitted- ▁incorporate- ▁omnichannel- rt- ▁wi- ▁spirit- ▁fun- ▁informed- ▁calculated- ster- ▁popular- ▁outdoor- ▁array- ▁density- ▁assessing- ▁factories- ▁placement- ▁consolidating- ▁breakdown- ▁optionalit- ▁ventures- ▁accounted- ▁skilled- ▁mis- ▁rigorous- ▁easter- ▁club- ▁arm- ▁anchor- ▁predictions- ▁digit- ▁proper- ▁peter- ▁advice- ▁novel- ▁nonrecurring- ▁protein- ▁subsidiary- ▁distributions- ▁21- ▁fell- ify- ▁termination- ▁treasury- ▁inspection- ▁outperformance- ▁acceptable- ▁wanting- qua- ▁skill- ▁basket- ▁roles- ▁eu- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁advances- ▁switching- ▁accountability- ▁recording- ▁shortage- ▁pivot- ified- av- ▁island- ▁empower- ▁tower- star- ▁loyal- ▁crisis- ▁proceeding- ron- ▁negotiation- ▁defend- ▁ball- ▁peer- ▁distinct- bl- ▁urgency- ▁ju- ▁responses- ▁tightening- ▁aimed- ▁electrical- if- ▁tra- ▁franchises- ▁reposition- ▁realistic- ▁connecting- ▁lighting- ight- ▁pleasure- ▁proxy- ▁failure- ▁womens- ▁blood- ▁derivative- ▁tougher- ▁extreme- ▁mornings- lan- ▁opt- ▁certification- ▁surgeons- ▁precise- ▁accident- ▁impressed- ▁discretionary- tics- ▁don- ▁survey- ▁recession- ▁ads- ▁arrangement- ▁interaction- ▁reading- ▁frequently- su- ▁ve- ▁viewed- ▁stockholders- ▁inclusion- ▁medicaid- ▁vegas- ▁glass- ▁authority- ▁reinvestment- ▁jv- ▁triple- ▁upgrading- ▁rebuild- ▁records- ▁spoken- ▁mutual- wood- ▁producer- ▁engineers- light- ▁brokers- ▁conversions- ▁diagnostic- ▁sku- ▁eagle- ▁jersey- ▁retained- ▁prioritize- ▁tighter- ▁counter- ▁unexpected- ▁exposed- ▁progressive- ▁drilled- ▁agility- ▁bestinclass- ▁alongside- ▁society- ▁worry- ▁proposals- si- ▁pat- ▁zone- ▁leased- ▁comparing- lin- ▁blocks- ▁deliberate- ▁outflow- ▁audiences- ▁pad- ▁corner- ▁geo- ▁settle- ▁preference- ▁breakeven- ▁christmas- ▁twice- ▁imaging- ▁goforward- ▁foods- ▁alberta- ▁iron- ▁perception- ec- ▁las- hold- ▁australian- ite- ▁visits- ▁influenced- ▁authorization- ▁concrete- ▁absence- ▁contemplated- ▁aside- ▁comparative- ▁negotiating- ▁pillars- ▁builds- ▁alliance- ley- ▁reduces- ▁guiding- ▁replacing- ▁stretch- ▁younger- sized- ▁replaced- log- ▁reg- ub- ▁stands- ▁collateral- ▁satisfy- ▁resume- ▁negotiate- ▁clinic- ▁diseases- ▁script- ▁commit- ▁regularly- ▁turkey- ▁fulfill- ▁whenever- ▁lever- ▁dilution- ▁pop- ▁war- ▁anniversary- ▁manufacture- ▁broker- ▁thereby- que- ▁parent- ▁serves- ▁imports- ▁computing- ▁confirmed- ▁asian- ▁incorporated- ▁stake- ▁river- ▁concepts- ▁contractor- ▁disappointing- ▁substitute- ▁specialized- air- ▁union- ▁oneoff- ▁wages- ▁th- ▁determination- ▁powder- ▁oncology- ▁falling- ▁tap- ▁japanese- tel- ▁spaces- ▁imply- ▁rationalization- ▁exiting- ▁cre- ▁preclinical- ▁undertaking- ▁finalize- ▁hospitality- ▁scores- ▁thrilled- ▁valley- ▁secular- ▁music- ▁honest- cr- ▁cultural- ▁holistic- ▁hurt- ▁lowcost- ▁rid- use- ▁log- ▁outline- ▁outsourcing- ▁adult- ▁whose- met- ▁reorganization- ▁unified- ably- ▁reservoir- ▁unable- ▁motion- ▁congress- ▁workflow- ▁title- ▁miss- ▁valued- ▁glad- ▁visual- ▁unlike- pac- ▁reit- ▁unlikely- ▁periodic- ▁academic- ▁interactions- ▁hydro- ▁cancellation- ▁diluted- ▁concentrate- ▁directors- ▁wherever- ▁deleveraging- ▁french- ran- val- ▁resonate- ▁tie- ▁pc- ▁benchmark- ▁simplification- ▁writing- ▁headquarters- ▁excludes- ▁district- ▁midwest- ▁recovered- ▁extract- ▁protecting- ▁fo- ome- ▁du- ▁university- ▁reward- ▁delivers- ▁brokerage- plus- fo- rd- ▁stations- ▁relevance- ▁spin- ▁quote- ▁flowing- ▁silver- ▁trained- ▁nav- ▁ai- ▁methods- ▁baseline- ▁payer- ▁ch- ▁boston- ▁migrate- ▁penetrate- ▁ideal- ▁doors- ▁sha- ▁bag- ▁discounting- ▁nobody- ▁construct- ▁augment- ▁references- ▁hu- ▁intangible- ▁storms- ▁pockets- ever- ▁pillar- ▁bankruptcy- ▁swing- ▁doug- ▁modernization- ▁cargo- bility- ▁midst- ▁wallet- ▁connections- pl- ▁representative- ▁revolving- ▁renew- ▁attribute- ▁miles- ▁mall- ▁aluminum- ▁stabilizing- ▁presents- ▁apps- ▁roi- ▁immune- ▁fight- rn- ▁redeploy- ▁coffee- ▁logic- ▁responded- ▁correction- act- ▁county- fl- focused- ▁procedure- ▁jo- ▁dates- ▁extensions- ▁evening- ▁sensor- ▁children- ▁pit- ▁bump- ▁knows- ▁formation- ium- ▁geographically- vis- ▁accretion- ▁reversal- dy- vers- ▁tissue- ▁tomorrow- ons- ▁predictive- ▁pan- press- ▁uplift- ▁nimble- for- ▁begins- ▁nevertheless- ▁revolver- ▁willingness- ▁realtime- ▁responsive- ▁convenient- ▁deterioration- ▁mandate- ▁capitalizing- ▁cuts- water- ▁contingent- ▁parameters- ▁pursuit- ▁deem- ▁rooms- ▁town- ▁root- ▁cyber- za- work- ▁lumber- ▁singapore- ▁costeffective- ▁gift- ▁arpu- our- ▁mail- ▁occurs- ▁suggested- ▁grand- ▁hour- ▁ipo- ▁viable- ▁borrowers- ▁convertible- ▁refined- ▁hires- ▁disruptions- ▁vo- ▁deepen- ▁refinance- ▁purely- ▁ocean- ▁airport- ▁timeline- ▁negotiated- ▁exports- quartertoquarter- ▁suspect- ▁mines- ▁employers- ▁possibilities- ▁solely- ▁brazilian- ▁partial- cor- ▁res- ▁missing- ▁experiment- ▁colorado- ▁ending- ▁recruit- ▁distribute- ▁foresee- ▁notwithstanding- ▁spike- ▁inefficienc- oc- ▁download- ▁analyzing- ▁says- ▁aid- ▁marginal- ▁whos- af- ▁adviser- ▁scrap- ▁relentless- ▁beta- ▁sensors- ▁scheme- ▁trip- ▁enjoyed- ▁maturit- ▁eliminating- ▁dev- ▁virginia- ff- ▁amendment- ▁accuracy- ▁redemption- ▁recruitment- ▁women- ▁score- ▁sponsor- wide- ▁click- ▁dig- ▁demographic- ▁pound- ▁involves- ▁broadbased- ▁restrictions- ▁guidelines- ▁additive- ▁grocery- power- sis- ▁chunk- ▁formulation- ▁difficulty- her- ▁corn- ▁cy- ▁hence- ▁honestly- ▁streaming- ▁silicon- ▁unprecedented- ▁lesser- ▁kids- ▁apparent- ▁stories- ▁variables- ▁captured- ▁names- ▁wire- ▁poised- iv- ▁anymore- ▁gary- ▁linear- ▁bids- cing- field- ▁gate- ▁gotomarket- ▁hawaii- ▁likelihood- ▁ter- ▁blend- ▁correlation- ▁qualification- ▁cor- ▁engineered- ▁22- yl- ward- ▁permit- ▁bucket- ▁farmers- ▁collective- ▁sustaining- product- ▁consequently- ▁offline- ks- ▁sl- ▁ice- ▁clo- ▁vital- ▁foremost- ▁consent- ▁fl- ▁colombia- ▁tactical- ▁forget- ▁household- ▁safely- ▁messages- ▁everyday- '95'- ▁ga- ▁affiliate- '20'- ▁permitting- ▁remodel- ▁healthier- ▁focuses- ▁mac- ▁medicines- ▁tick- ▁chains- ▁projection- ▁mechanical- ▁granted- ▁dial- ▁pilots- ▁style- ▁cu- ▁eric- ▁schools- ▁poland- ▁upgraded- ▁lake- ▁sh- ▁realignment- ▁refinery- ▁domestically- ▁tens- ▁metals- ▁mineral- ▁replicate- hand- ▁ramped- ▁doubling- ▁chairman- ▁restricted- ▁underperforming- ▁seemed- ▁ten- ▁rick- ▁stepping- pped- ▁contrast- ▁headed- efficient- ▁ontario- ▁submission- ▁mechanisms- ▁chip- ▁hoped- ▁sweet- ▁treating- ▁proving- ▁bus- ving- ▁municipal- ▁sent- ▁passing- ▁crossselling- ▁labs- ▁friday- ▁assistance- ▁exited- ▁candidate- ▁saving- rg- ▁brad- ▁worried- ▁seat- ▁excluded- level- ▁judge- ak- ▁rational- wa- ▁23- sol- ▁terminals- flows- ▁renewables- ▁35- ▁bay- ju- ▁greenfield- ▁motivated- ▁runs- ile- ▁consensus- ▁accessories- ▁diversifying- xi- ▁geographical- ▁broadening- ▁modules- ▁snow- ▁flagship- ▁segmentation- ▁hundred- ▁diamond- ▁forefront- ▁expiration- ▁generates- ▁revision- ▁foundational- ▁permits- ▁illustrate- ▁default- ▁grades- ▁considerations- ▁placing- ▁smarter- ▁holdings- ▁indicates- era- ▁boxes- ang- ▁progressed- bra- ▁clearance- ▁limits- ▁fields- ▁collectively- ▁multiples- cap- ▁choosing- ▁fluctuate- ▁attendance- ade- ▁evolved- we- ▁strip- ▁nim- ble- ▁dallas- ▁fragmented- ▁classified- ▁erp- ▁rationale- ware- ▁oral- ▁ifrs- ▁optical- ▁recovering- ▁passenger- ▁cement- ▁mills- ▁inorganic- scale- ▁chronic- ▁conviction- ▁demonstration- ▁struggling- ▁sky- ▁headline- ▁departments- ▁decreasing- ▁sweden- ▁broken- ▁hill- ▁educate- ▁ban- ▁sw- nic- ▁statistics- ▁selectively- ▁sciences- ▁heightened- ▁pennsylvania- ▁intake- ▁jet- ▁mortgages- ▁sample- ▁breaking- ▁genetic- ▁locally- ▁institution- ▁thorough- ▁incrementally- ▁themes- ▁evaluated- ▁reaffirm- pp- ▁removed- ▁downtime- ▁cautiously- ▁economically- ▁del- ▁anti- ▁prescription- ▁preferences- ise- ▁transact- ▁tumor- ▁dropped- ▁seriously- ▁transitions- ▁filling- ▁unsecure- ▁worst- ▁four- ▁friends- ▁conferences- ko- ▁trouble- ▁perpetual- ▁shops- ▁regulator- ▁nutrition- ▁walmart- ▁pulp- ▁signals- ▁caught- ▁pivotal- oriented- ▁che- ▁threshold- ▁lap- ▁1000- mar- ▁uptake- ▁unmet- ▁perfectly- ▁furniture- gra- ▁rec- ▁server- ▁pronounced- so- risk- ▁firstly- ▁traded- ▁ohio- ▁quantity- ▁mindset- ▁disclaimer- ▁boards- ned- ▁sil- room- ▁ends- ▁exclusively- ▁severity- ▁chase- ▁gaps- ▁factored- ▁mild- ▁branding- ▁debate- ▁cl- ▁cohort- ▁billion- ▁surprising- ▁resonat- ▁diminish- ▁shutdown- ▁flip- ▁riskadjusted- ▁opens- ▁circuit- ▁coach- ▁muted- cos- ▁initiate- ▁mile- ▁submit- ▁onboard- ▁autonomous- ▁shrink- ▁suggests- ▁mon- ▁ride- ▁formats- well- ▁fabric- ▁mistake- ▁rein- ▁trades- ▁seller- ▁ambitious- ▁dispute- stone- ▁fab- ▁probability- ▁residual- ▁border- rie- ey- ▁roe- ▁enhances- ▁grain- ▁bundle- ▁ko- ▁residents- ▁bra- run- bank- ▁cluster- ▁equities- ▁simplified- ▁disrupt- ▁commercially- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁screening- ▁gal- serv- ▁floating- ▁fly- ▁strict- ▁employer- ▁profiles- ▁filled- ▁intact- ▁bearing- ▁outpace- ▁communicating- car- ▁customized- ▁instrument- ▁crews- ▁logical- ▁wellness- ▁exhibit- ▁annuity- ▁needle- ▁overlap- ▁calculate- ▁compensate- ▁lowered- ▁tire- ▁barriers- ▁payback- par- ifi- ▁requiring- ▁surplus- ▁dur- ▁weigh- ▁stocks- ▁interests- ▁aging- ▁movie- ▁concessions- cy- ▁demographics- ▁nu- ▁allocating- ▁facebook- ▁eliminated- ▁skin- ▁conducting- ▁embrace- ▁director- ▁limitations- ▁universal- ▁eyes- ▁jason- ▁alter- ▁bode- ▁pen- ▁teleconference- ▁minority- ▁commissioning- ▁installations- ▁proved- ▁buildout- ▁coupon- ▁race- ▁refocus- ▁elect- ▁ancillary- ▁civil- ▁garden- ▁restart- sign- ▁titles- ▁peoples- fr- ▁pr- ▁arena- ▁illinois- ▁subs- ▁incident- ▁protocol- ▁commence- ▁delever- ▁chapter- ▁impossible- ▁premise- ▁baked- ▁widely- cal- ▁commenced- ▁expert- ▁smartphone- house- owned- ▁emissions- ▁filter- ▁detection- ▁cla- ana- ▁elevate- ox- ▁warrant- ▁ash- ▁listing- ▁nursing- ▁rose- ▁employed- ▁techniques- ▁realign- ▁casual- ▁distinguish- ▁granular- ▁adversely- rc- ▁thatll- ▁friction- ▁cd- ▁named- max- ▁journal- ▁royalties- ▁interactive- tric- ▁adopting- ▁onboarding- ▁college- ▁longstanding- ▁overnight- tal- ▁endtoend- ▁incumbent- ▁locked- ▁centralized- ▁rain- ▁manifest- ▁millennial- ▁lifting- ▁developer- ▁derived- kin- ai- ▁lighter- ▁keeps- ▁regain- ▁dining- ▁printing- ▁impactful- ture- ▁imperative- ▁translated- ▁pie- ▁upsell- ▁aligning- ▁tells- ford- ▁andrew- '10'- ▁tenure- ▁exposures- my- ▁weekly- ▁shortages- ▁indonesia- ▁transcript- ▁promoting- ▁activation- ▁fitness- ▁era- ▁classic- ose- ▁ruling- tor- ▁assembly- type- ▁placements- ▁atlantic- ▁defer- ▁diligent- ▁unusually- ▁crew- ▁phoenix- ▁202- ▁comply- ▁fueled- ▁hi- ▁mentioning- ▁principle- ▁ultra- ▁cheaper- ▁predictability- ric- ▁sponsors- ▁unfold- ▁george- ▁propositions- ▁comprised- ▁dar- ▁affects- ▁struggle- ▁heritage- ▁teach- down- ▁matching- ▁routes- ▁demanding- ▁forced- ▁nationwide- ▁accrual- ▁cast- ▁clearer- via- ▁hosting- ▁kit- ▁british- ▁bias- part- ▁holds- ▁directed- ▁stepped- rated- ▁dominant- ▁zealand- ▁appointment- ▁publishing- ▁subscriptions- ▁y- free- ▁pathway- ▁craft- ▁fish- au- ▁zones- ▁fe- ▁ron- pay- mic- ▁delinquenc- ▁speculate- ▁roof- ▁warranty- link- ious- ▁envision- ▁richard- ▁norway- ▁cas- ▁elected- ▁centered- ▁instances- ▁crucial- ▁compares- ▁poly- ▁settled- ▁hang- ▁integral- ▁modify- ▁streamlining- ▁quota- ▁fastest- ▁predicted- life- ica- ▁consist- ▁populations- ▁paint- ▁province- ▁isolation- ▁beach- ▁sir- ▁computer- ▁albeit- ▁entrant- ▁erosion- ▁relied- ▁licensed- ▁divestment- ▁restore- ▁basins- ▁rough- ▁cur- ▁elimination- ▁republic- ▁discover- ▁affordabilit- ▁band- ▁requests- ase- ▁opposite- ▁signature- ▁shaping- ▁transformative- ▁networking- ▁consume- lon- ▁midsingle- ▁annualize- ▁passionate- ▁decisionmaking- ▁five- ▁precisely- ▁stayed- ▁privilege- ▁shortfall- ▁treatments- ▁loaded- ▁drawing- ▁externally- ▁answered- ▁frozen- ▁ordinary- can- ▁ev- ▁accessible- pr- ▁wondered- ▁neighborhood- ▁implies- fs- ▁idle- ▁translates- ▁max- ▁practical- ▁charging- ▁accompanying- ▁validate- ▁illustrates- ▁tightly- ▁institute- ▁patience- ▁temporarily- ▁finishing- ▁hadnt- ▁accurately- ▁collaborate- ▁follows- ▁bro- ▁argue- ▁cha- ▁interpret- ▁leisure- ▁reception- ▁implant- ▁eligible- ▁dozen- ▁newest- ▁covers- ▁attached- ▁attracted- ▁atm- iness- ▁atlanta- ▁300- ▁navy- ▁annually- du- ▁sal- ▁liquids- ▁minus- ▁northwest- ▁vacation- ▁28- ▁namely- realized- ▁differentiating- ▁exploit- ▁sugar- ▁midmarket- mark- ▁thrive- ▁premature- ▁fraud- ▁pride- ▁tele- ▁invite- ism- ▁tank- ▁revisit- ▁revpar- ▁flash- ▁competenc- ▁restructure- ▁intervention- ▁cautioned- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁guy- specific- ▁convention- ▁syn- ▁highermargin- ▁pumping- ▁projecting- ▁observations- ▁supposed- ina- ▁character- ▁sudden- ▁fans- ▁bandwidth- ▁catastrophe- ▁midterm- ▁netherlands- ▁taste- ▁dual- ▁impression- ▁400- ▁dairy- ▁eager- ▁innovat- ▁rebuilding- ▁speeds- ▁renovations- ▁liberty- ory- dic- ▁oklahoma- ▁phasing- fer- ▁ke- ▁conclusions- ▁affiliates- ▁parks- ▁detect- ▁unemployment- ▁expands- ▁industrys- ▁durable- ▁pri- ▁analytical- ▁softening- ▁gu- ▁bolster- ▁tre- ▁simpler- ▁outages- ▁depressed- ▁pd- ▁alex- ▁appreciated- ▁outlet- ▁tony- ▁analog- ▁lender- pu- ▁liver- ▁cool- ▁blended- ▁men- ▁sorts- ▁valid- ▁king- ▁footwear- ▁injection- ▁mitigated- ▁modernize- ▁arizona- ▁repay- ▁competitively- ▁photo- mon- ▁pioneer- ▁emergency- ▁thesis- ▁portal- ▁crosssell- ▁contributors- ▁agriculture- ▁thermal- ▁gateway- '00000'- ▁builders- ▁causes- ▁composite- ▁casualty- ▁representatives- ▁hyper- ▁fan- ▁argument- ▁wellpositioned- ▁digest- ▁variance- ah- ▁retire- ▁compensated- ▁consumables- ▁relations- ▁crystal- ▁medication- ▁neither- ▁mega- ane- ▁trucking- ▁gearing- ▁excuse- ▁qualitative- ▁honor- ▁indian- ▁difficulties- ▁patents- ▁redesign- play- ▁determining- ▁michigan- ▁thereafter- ▁mirror- ▁manual- ▁diagnostics- ya- ▁arms- ▁highend- ▁command- ▁fruition- ▁subsequently- ▁45- ▁inherently- ▁los- ▁falls- ▁grant- ▁applies- ▁horizontal- ▁tailored- ▁occasions- ▁har- ▁pages- ▁variation- ▁suit- ▁headlines- ▁towers- ▁500- ▁repairs- ▁prepaid- ▁repricing- ▁assured- ▁queue- ▁indicating- ▁amended- tle- ▁fortunately- ▁observe- modal- cycle- value- ▁bold- ▁containers- ▁cms- ▁van- ▁heads- ▁automate- ▁inhibitor- ▁formed- ▁farms- ▁lineup- ▁meanwhile- ▁toronto- ja- gate- ▁revisions- ▁inclusive- ▁stopped- ▁27- ▁tu- ▁belt- ▁letting- ▁transformed- fu- ▁ps- ▁concluding- ▁pleasant- ▁configuration- ▁transferred- ▁26- ▁lumpi- ▁qualify- ▁laying- ▁believed- ▁digitally- bit- ▁desired- ▁outlets- ▁lens- ▁cook- ▁mitigation- ▁mens- ▁jay- ▁buffer- ▁clarification- ▁relocation- ▁protected- ▁sake- rus- pre- ▁convey- ▁parcel- ▁showcase- ▁intensive- ▁addresses- ▁personalization- ▁semi- ▁windows- centric- box- iconic- ▁robert- ria- ▁severance- ▁inbound- ▁craig- ▁counts- ▁hurdle- ▁workplace- ▁advised- ▁rationalize- duc- ▁samples- ▁inquiries- ▁drink- ▁concession- ▁outage- ▁trailing- ▁tenders- ▁dna- ▁suggesting- ▁snack- ▁bench- ▁midland- ▁shell- ▁highvalue- lance- ▁removing- ▁breakthrough- ▁chemistry- ▁energized- ▁bu- gar- ▁walking- ▁jon- ▁overly- long- ▁modified- ▁percentages- ▁reap- ▁lessons- ▁plate- ▁individually- ▁holders- ▁buckets- gn- ▁circle- ▁kitchen- ▁vacancy- ▁com- ▁stem- ▁cp- ▁phones- ▁bills- ▁capitalization- ▁portions- ▁manageable- ther- ram- ▁obtained- ▁transit- ren- ▁clearing- ivity- ▁plug- ▁fraction- ans- ▁recommendations- ▁stays- ▁span- ▁tighten- care- ▁keen- ▁phil- ▁revolution- ▁southwest- ▁seattle- ▁steep- ▁recapture- ▁submarket- ▁shorten- ▁scheduling- stock- ▁onsite- ▁sur- ▁advancement- ▁todd- ▁celebrate- ▁diabetes- ▁para- list- ▁employ- ▁frequent- ▁achievable- ▁bounce- ▁molecular- ▁quiet- ▁lie- ▁ramps- ▁algorithms- ▁cumulative- ▁module- ▁advise- ▁expire- ze- ▁capacities- ▁authorized- ▁bolton- ▁avenues- ▁threats- ▁comparability- ▁phenomenon- ▁ms- ▁pertain- ▁mc- ▁nation- ▁resiliency- ▁awful- ▁reseller- ▁contraction- ▁surprises- ▁pl- ▁clinicians- ▁dia- ▁structurally- ▁registered- ▁settlements- ▁participated- ▁pal- dding- ▁measuring- ▁pleasing- ▁text- ▁taxable- ▁relying- ▁validated- ▁whereby- ▁maturing- ▁rural- ▁survival- ▁issuing- rill- service- ▁resort- source- ken- ▁righthand- ▁heavier- ▁foster- ▁pra- ▁aiming- ▁prototype- ▁manufactured- ▁leaves- ▁trough- ▁ur- ▁rush- ▁tam- ▁lend- ▁merit- ▁designing- ▁mitigat- ▁bur- ▁cup- ▁universe- ▁shot- ▁salary- ▁findings- ▁organized- ▁hosted- ▁louisiana- ud- ▁interruption- tex- ▁acting- ▁ya- ▁cr- ▁hubs- ▁lies- ▁viewing- ▁surge- ▁robotics- vision- ▁chi- ▁flying- ▁somehow- ▁weakening- ▁passive- ▁marketleading- ▁noi- ▁hurdles- ▁seats- ▁jan- ▁credibility- ▁battle- form- sys- ▁fu- ▁streamlined- ▁involving- ▁suited- ▁arrive- ification- ▁nations- ay- ▁parking- ▁columbia- ▁ounces- ▁significance- ▁norm- ▁meal- ▁compromise- ▁feasibility- ▁mexican- ▁besides- ▁consequences- ▁educational- ▁owning- ▁cho- ▁sits- ▁england- ▁tobacco- ▁underpin- ▁pumps- ▁loading- ▁limiting- ki- ▁chicken- ▁dosing- ▁operates- ▁moreover- ▁dip- ▁billions- ▁justify- ▁african- ▁gauge- ▁ought- ▁monday- ▁archive- ▁programmatic- tish- ▁fuels- ▁clinically- building- ▁studio- ▁reinforces- ▁transitional- ▁interconnect- ▁answering- lapping- ▁remediation- ▁relaunch- ▁enforcement- ▁cooperation- ▁readiness- ▁fer- ▁meat- ▁films- ▁dictate- ▁legislative- ▁modular- ▁layers- head- ▁cushion- ▁voluntary- ▁documentation- ▁mer- ▁contemplate- ▁ec- ▁shoppers- ▁advancements- demand- ▁quantitative- ▁releasing- ▁roadmap- ▁ryan- ▁statutory- ▁chasing- ▁sellthrough- ▁alert- ▁till- ek- ▁styles- priced- ▁breast- ▁mortality- ▁scratch- ▁turbine- ▁james- ▁absent- ▁slot- ada- ▁crm- ▁apartment- ▁phenomenal- ▁75- ▁collected- ▁milk- ▁compound- ▁behaviors- ▁persistent- ▁highlevel- ▁radi- ▁pads- ▁unlocking- ▁missouri- ▁salaries- ▁minds- ▁deleverage- ▁recommend- ▁integrations- ▁tonnage- flow- pen- ▁appealing- ▁sam- ▁gp- ▁catalog- ▁martin- ▁automatically- ▁sharpen- ▁rank- ▁pos- ▁eat- ▁iv- ▁calculations- ▁minnesota- ▁wild- ▁mag- ▁requested- ▁strictly- ▁restructured- ▁bone- ▁corporations- ▁deficit- ▁chile- har- ▁receipt- ▁heating- responsibilities- ▁distance- ▁multinational- ▁opioid- ▁salespeople- mc- mis- ▁spine- ▁corp- ▁fra- ▁proximity- ▁tuckin- ▁compliant- ▁dilutive- ▁zero- ▁solidify- ▁routine- ▁variations- ▁notion- ▁incorporating- ▁migrating- ▁straightforward- fuse- ▁occasion- ▁mediumterm- ▁undergoing- ▁scalabilit- tec- mate- ▁specialists- ▁uni- ▁hy- ▁geopolitical- ▁solving- ▁uniform- ▁biotech- ▁ep- ▁attend- ▁ven- ▁landing- ▁articulated- ▁cer- dex- ▁intermediate- nu- gan- ▁nominal- ▁saudi- ▁stimulate- ▁angeles- ▁official- ▁underscore- ▁ki- ▁speculation- ▁freedom- ▁boot- ▁assay- ▁midteens- core- ▁shock- ▁distraction- ▁suffered- ▁mono- ▁tro- cat- ▁bre- ▁neuro- ▁nick- ▁downtown- ▁normalization- ▁critically- ▁collecting- ▁describing- ▁jewelry- ▁dealership- ▁obtaining- ▁bri- ▁salt- ▁representation- ▁cam- ▁attraction- ow- ▁dimension- ▁ambitions- ▁technically- ▁gasoline- ▁squeeze- ▁sleep- ▁mal- ▁gather- tru- ▁pur- ▁unmatch- ▁golf- ▁sprint- ▁irma- ▁bl- ▁removal- ▁wheel- ▁interior- ▁suffer- ▁attain- ▁accomplishment- ▁commercialize- ▁secret- ▁noninterest- ▁adam- ▁understands- ▁kansas- ▁consultation- ▁echo- wear- ▁midyear- ▁warrants- ▁modifications- ▁slate- ▁preserving- ▁crush- ▁onpremise- ▁ffo- ney- ▁panels- ▁promises- ▁associate- ▁widening- ▁commenting- nes- ▁forever- ▁absorbed- ▁fortune- ▁beef- ▁factoring- ▁approached- ▁batteries- ▁valve- ▁ferc- ▁realizations- len- ▁cro- gene- not- ▁prominent- ▁intra- ▁enrolled- ▁boat- ▁highway- ▁prescriptions- ker- ▁aero- stream- ▁liquidation- pack- ▁issuer- ▁independently- performance- ▁gi- ▁gear- ▁switzerland- ▁tweak- ▁needing- ▁extends- path- wise- ▁deepening- ▁champion- ▁wo- ▁consists- turn- ▁plastic- ▁truth- ▁malls- ▁var- uc- ▁gar- uestionandanswer- ▁horse- ▁gdp- ▁dropping- card- ▁bundled- ▁crops- ▁specialist- ▁temp- ▁shippers- ▁alpha- only- ▁omni- ▁fabrication- ▁propel- ▁insurers- ▁denver- ▁examine- ▁pin- oo- ▁cloudbased- ▁predicting- ▁publish- ▁lung- ▁camera- ev- ▁29- ▁observation- ▁continuum- ▁muscle- ▁unlimited- ▁teens- ▁kicked- ▁molecules- ▁referral- ▁dam- ▁underpinne- ▁renewing- ▁petrochemical- ▁spacing- ▁theaters- ▁lane- ▁enjoying- plan- '30'- train- ▁addon- site- tiv- ▁conflict- ▁noteworthy- ▁oversight- ▁nike- ▁intentions- ▁russian- ▁provisioning- ▁elections- ▁ob- ▁recommendation- ▁alaska- ▁prolonged- ug- ▁instrumental- ▁han- ▁36- ▁nearing- ▁molecule- ▁perspectives- ▁deferral- ▁radar- ▁semester- ▁goodwill- ▁destinations- ▁mandates- ▁laboratory- ▁pair- ▁isolated- ▁fueling- ▁reconcile- ▁meter- ▁authentic- ▁continuity- ▁dislocation- ep- ▁meets- bridge- sale- ▁prioritizing- ▁reservation- ▁fear- loc- ▁tanker- ▁originated- int- ▁bell- ▁ph- ▁chat- ▁approve- ▁georgia- ▁error- ▁boeing- ▁deserve- ▁fat- ▁spots- ▁continental- ▁digitalization- ▁smoothly- stor- ▁costreduction- ▁taiwan- ▁shall- ▁distinctive- ▁regime- ▁seasons- season- ▁equipped- ▁moderation- ▁tackle- ▁complain- ▁pools- ▁mainstream- ▁customary- ▁interpretation- size- ▁ski- ▁screens- ▁suffering- iti- right- ▁displays- ▁eventual- ▁translating- ▁desktop- ▁tireless- ▁congratulate- ▁flag- ▁penn- ▁directionally- lm- ▁sap- ▁nova- ▁suppose- ▁hr- ▁planet- men- ▁cra- build- ▁cb- ▁certified- ▁acres- ▁refund- sum- ▁checks- ▁succession- ▁seasoned- ▁essence- ▁reopen- ▁passthrough- ▁sixth- ▁footage- ▁cri- ▁shake- ▁mini- own- ▁intrinsic- ▁ireland- ▁bp- '50'- hu- ▁sharply- ▁flood- ▁processed- ▁visiting- ▁stat- ▁cleaning- ▁rewarding- ▁vaccine- ▁wireline- ▁carl- ▁eg- ▁resorts- ▁delight- ▁charts- ▁shrinking- ▁api- ▁houses- ▁dream- ▁embracing- ▁sterling- ▁lt- gas- ▁sim- ▁temperatures- ▁ingredient- ▁inputs- ▁outset- ▁readily- tory- ▁spare- ▁demo- ▁drawn- bar- ▁derisk- sensitive- ▁invoice- ▁nordic- bin- ▁shi- ▁shale- ▁harm- anticipated- ▁finaliz- ▁bruce- ▁identification- ▁pediatric- ▁chips- ▁actionable- ▁attach- ▁banners- ▁lin- ▁publication- ▁measurable- ▁steam- ▁innings- ▁playbook- ▁dram- ▁entirety- ▁camp- ▁generics- ▁float- ▁ds- ▁disciplines- ▁dock- ▁gm- cut- ▁defining- ▁prompt- ▁dimensions- ▁cart- ▁aligns- ▁budgeting- ▁dispose- ▁unpredictable- ▁hits- ▁trailer- ▁scaled- han- book- ▁cheap- ▁publishers- ▁investmentgrade- ▁encompass- ▁decisive- ▁extraordinarily- ▁quantities- ▁mask- ▁confirmation- ▁ot- ▁adapting- ▁rewarded- ▁cleaner- ▁evolves- ▁evenly- ▁lp- ▁object- ▁draft- ▁surpass- quarter- app- mat- ▁subsea- ash- ▁assessments- ▁architectural- ▁charles- ▁guard- ▁ngl- ▁performer- ▁coll- ▁tru- cast- ▁fail- ▁avenue- ▁surgeon- ▁escalation- ▁wine- ▁native- ▁adequately- ▁ring- ▁constructed- row- ▁confusion- ▁defensive- ▁rebalancing- ▁injury- ▁quantum- ▁patch- ▁promised- ▁monetiz- ▁subset- ▁infusion- ▁massachusetts- ▁reinforcing- ▁costly- ▁tactics- ▁deceleration- ▁printer- ▁strengthens- ▁reinforced- ▁devaluation- ▁methodical- ▁overhang- ▁foundations- quality- ▁compute- ▁meters- ▁ray- ▁ze- ▁varying- performing- ▁beautiful- ▁libor- ▁recipe- ▁homeowners- ▁roger- rp- ▁posting- '40'- ▁cm- ame- ▁forum- ▁robot- ▁yen- ▁backed- ▁highgrowth- ▁plastics- ▁governor- ▁rfp- generation- ▁cognizant- ▁column- ▁2000- ▁foundry- ▁honored- ▁marc- ▁comm- ▁constraint- ▁larry- ▁gre- ▁noticeable- bro- maker- ▁reveal- ▁promoted- ▁curves- ▁whi- ▁dealt- lim- ▁jurisdiction- ▁destocking- ▁sluggish- ▁transient- dis- ▁theater- lar- ▁smartphones- ▁telephone- ▁counting- ▁rod- atory- cell- ▁pursued- ▁crack- ▁tailor- ▁railroad- ▁shanghai- ▁unprofitable- ▁vintage- ▁wafer- ▁rv- ▁stocking- ▁kpi- view- ▁tree- ▁followon- ett- ▁reforms- ▁tasks- ▁apologize- ▁entitled- ▁library- ▁newspaper- ▁outreach- ▁profound- ▁affirm- ▁enroll- ▁tip- ik- ▁caribbean- ▁indepth- ▁knock- ▁occurrence- ▁venezuela- ▁refineries- ▁cornerstone- ▁handset- ▁catalysts- ▁sport- ▁supplying- ▁rf- ▁marketers- ▁pounds- ▁regimen- ▁appraisal- ▁bakken- ▁counsel- ▁routing- ▁mainland- ▁sections- test- ▁appliances- ▁epi- ▁vest- ▁assignment- ▁stroke- ▁suburban- ▁revaluation- ▁guaranteed- ▁prop- ▁powered- cost- ▁hey- ▁propane- ▁quoting- ▁conform- ▁incurring- ethane- lease- ▁accrued- ▁stone- ▁exits- place- ▁sensible- ▁specified- ▁wifi- gram- ▁ideally- than- ▁cohorts- ▁modeled- ugh- ▁pizza- ▁thousand- ▁railcar- ▁involvement- ▁tourist- ▁sto- ▁fixing- mont- ▁variances- ▁nex- ▁sch- ▁climb- ▁deciding- ▁thailand- ▁patrick- hen- ▁irr- ▁limitation- ▁analyzed- ▁makers- ▁largescale- ▁attractiveness- ▁builder- ▁robotic- ▁basics- ▁progressively- ima- ▁sme- ▁sar- ▁marginally- ening- ▁reshape- ▁italian- ▁tonnes- ▁brent- ▁friendly- ▁officially- ▁rebates- ▁stepup- lia- ▁everybodys- ▁doses- ▁oriented- ▁varies- ▁correlated- ▁settings- ▁reversed- vin- ▁investigators- ita- ▁ol- ▁motivation- ▁simplicity- ▁simulation- ▁fluctuation- step- eon- ▁satellites- ▁distinction- ▁receipts- ▁hunt- ▁sk- ▁ct- ▁convergence- ▁daytoday- ▁integrator- ▁sensing- ▁geared- ▁wouldve- ▁excel- ▁derive- van- ▁converge- ▁sought- ▁dress- ▁stood- ▁trim- tain- ▁runoff- funded- thanexpected- ▁backup- matic- ▁instant- ▁fighting- ▁stringent- ▁algorithm- gel- ▁tires- ▁np- spec- ▁mont- ▁dy- ▁belgium- ▁contingency- ▁vibrant- ▁feedstock- ▁sat- ▁gears- ▁comprise- ▁recycle- ▁sla- ▁chargeoffs- ▁deteriorate- ▁underneath- ▁prosper- ▁trump- ▁safer- ▁refinement- ▁embed- ▁habits- ▁enacted- ▁sticking- ▁neo- ▁ku- ▁cannabis- ▁depot- ▁advisors- store- ▁oe- ▁systemic- ▁visitors- ▁pros- ▁reits- week- ▁beds- ▁onshore- ▁tuesday- ▁wisconsin- ▁orlando- cam- ▁nationally- ▁prevention- ▁hike- ▁attacks- ▁strain- ▁clinics- ▁studios- ▁summarized- ▁telco- class- ▁relocate- ▁desirable- ▁widen- '0'- ▁sn- ▁surveys- ▁underwriter- ▁presumably- ▁retrofit- ▁underwrite- ▁apartments- ▁navigation- ▁antonio- ▁precious- ▁fold- ▁barrier- ▁protocols- ▁discovered- ▁augmented- low- print- ▁overtime- ▁sanction- ▁warehouses- ▁electro- town- ▁failed- ▁leaner- ▁coastal- ▁reactor- ▁kidney- ▁malaysia- ▁attitude- ▁wildfire- ▁stephen- ▁tuned- ▁fin- ▁assisted- ▁intensely- ▁underscores- ▁advocate- ▁keith- ▁reiterating- ▁nuance- ▁ranging- ▁baby- meter- nie- ▁pm- ▁stra- ▁generators- ▁lien- ▁genomic- ▁intuitive- ▁paradigm- ▁bottle- ▁entrepreneurial- ▁orange- ▁loop- ▁swings- logic- ▁standardized- ▁assembl- ▁cord- ▁venues- ▁households- ▁corridor- ▁alarm- disproportionate- works- ▁compounds- ▁behavioral- ▁embark- ▁thankful- ▁newness- ▁schemes- ▁innovator- ▁coordination- ▁summit- ▁grab- ▁leap- ▁accumulated- ▁midsized- ▁pressured- berg- segment- ▁benign- ▁overhaul- ▁resistance- ▁diego- '60'- ▁thin- ▁six- ▁lately- ▁trains- ▁accountable- ▁departure- ▁graduate- ▁nevada- ▁vietnam- ▁favorite- ▁appointed- ▁bonuses- ▁backend- ▁deliberately- ▁borrow- ▁sticky- ▁originate- ▁valuebased- read- ▁striv- ▁dozens- ▁minimizing- ▁brown- ▁wise- ▁borrower- ▁symptoms- ▁catching- ▁explaining- ▁behave- ▁deadline- ▁oak- ▁confirming- ▁oversee- ▁magic- rew- ▁generator- comm- ▁dec- ham- ▁col- ▁arc- ▁edit- mine- ▁permission- ▁sequencing- ▁warning- ▁repeating- ▁paris- ▁cent- ▁doctor- pic- ▁frontline- ▁wars- vant- ▁bars- ▁ranking- ▁tremendously- ▁restrict- ▁scan- ▁cab- ▁nut- ▁imported- ▁cannibalization- ▁choppy- ▁council- ▁surcharge- ▁discounted- ▁randy- ▁fox- ▁outsourced- growth- ▁reconciled- ▁hydrogen- cho- ▁overwhelming- ▁educating- ▁2013- ▁urgent- ▁perceived- ▁tea- ▁mutually- ▁consumed- ▁proceedings- ▁mat- ▁statistical- ▁combat- ▁enrich- ▁harness- ution- ▁mergers- ▁existed- ▁forest- lock- ▁aided- ily- ▁approximate- ▁kar- ▁rolls- corp- ▁entertain- ▁neighbor- ▁philippines- ▁dampen- ▁cabinet- ▁witnessed- ▁pacing- ▁dark- ▁valueadd- ▁duties- ▁automobile- ▁disney- ▁handled- ▁publications- ▁upwards- ▁consumable- ▁suddenly- ▁expression- ▁hell- share- ▁sequence- ▁distort- ▁finger- ▁suitable- ▁measurements- ▁temperature- ▁barrel- ▁referrals- ▁bundles- ▁journeys- ▁abate- ▁flatten- ▁biologics- ▁reserved- ▁snap- ▁magazine- ▁nasdaq- ▁outpatient- ▁platinum- ▁biomarker- ▁child- ▁classification- ▁nickel- ez- ▁benchmarks- ▁vic- ▁convince- cia- ▁amplify- ▁antibiotic- ▁century- ▁concentrating- ▁creativity- ▁underserved- ▁urge- ▁friend- ▁embarked- ▁sands- ▁accessing- ▁ott- ▁navigating- ▁slip- ▁govern- ▁charged- ▁immaterial- ▁swiss- ▁postpone- media- ▁lee- ▁selecting- ▁wash- ▁collaborat- ▁easiest- ▁manhattan- ▁olympics- ▁survive- ▁specialties- ▁sustainably- ▁deepwater- ola- ▁narrowing- ▁keenly- ▁banner- ▁incidents- ▁vertically- ▁catering- ou- ▁flooding- ob- figuring- ▁rev- ▁nonetheless- ▁universities- ▁afterwards- ▁batch- ▁visited- ▁venue- ▁assembled- ▁sean- directtoconsumer- ▁bundling- ▁conservatism- ▁fertilizer- ▁whatsoever- ▁cinema- ▁desk- ▁val- ▁movies- ▁whove- ▁touching- ▁alike- ▁inject- nex- ▁disclosing- ▁fastestgrowing- ▁matthew- ▁satisfactory- invest- ▁wake- ▁sending- ▁incoming- ▁containment- ▁ministry- ▁enduring- ▁synergistic- cha- ▁competency- oid- ▁systematic- ▁death- ▁emphasizing- ▁unparalleled- ▁insured- ▁verification- jo- ▁sessions- ▁saves- ▁impressions- ▁combines- ▁checking- ▁afraid- ▁cellular- ▁drought- ▁ethanol- ▁proppant- ▁spark- ▁revitaliz- ▁garner- ▁commencement- ▁tradeoff- ▁definitions- ▁ties- ▁alliances- ▁interestingly- ▁flavors- ▁commensurate- ▁vector- ▁veteran- ▁disorder- ▁groundwork- ▁consultant- ▁notification- tz- ▁odd- ▁ty- ▁lawsuit- ▁marcellus- ▁moderating- ▁arrow- ▁gun- ▁coin- ▁caps- ▁rem- aries- ▁emergenc- ▁transplant- ▁midsingledigit- ▁shore- ▁hyperscale- ▁bullet- ▁bound- ▁om- ▁packaged- ▁auctions- ▁def- ▁penetrating- ▁multichannel- ▁buck- ▁headroom- ▁formally- ▁directional- ▁breakout- ▁controller- elect- lc- ▁replenish- ▁arrival- ▁cubic- ▁ratabl- ▁campuses- ▁appliance- ino- ▁emerged- fold- ▁kentucky- ▁carries- ▁walked- ▁invent- ▁activate- stat- ▁sufficiently- ▁mt- ▁awaiting- ▁participant- ult- ▁logos- ▁passengers- ▁register- ▁privacy- ▁soybean- ▁suffice- ▁tackling- ▁candidly- ▁height- rtis- ▁landlords- ▁appeals- ▁embraced- ▁gig- ▁tension- first- ▁coincide- ▁egypt- ▁incorrect- ▁creep- ▁wound- ▁highperformance- ▁fallen- ▁article- ▁attended- ▁arr- yn- ▁concert- ▁actuarial- ▁widespread- ▁revert- ▁attachment- ▁boom- ▁catchup- ▁reallocate- ▁impaired- ▁listings- ▁winners- ▁refi- ▁accompany- ▁allowances- ▁tickets- ▁processors- ▁ear- ▁hikes- ▁administer- ▁anecdotal- ▁league- ▁backbone- ▁redeem- ▁presidential- ▁cure- ▁amortize- ▁boy- ▁fruits- ▁adjacenc- ▁certificate- ▁crowd- ▁suspension- ▁tranche- ▁initiation- ▁contrary- ▁stance- ▁intentionally- tar- ▁accessed- ▁trick- ▁airports- ▁confirms- ▁hair- ▁baker- ▁hum- ▁lit- ▁continent- ▁austin- ▁provincial- ▁unplanned- ▁vigilant- ▁pursuan- generative- ▁nodes- ▁terminated- ▁loose- ▁cameras- ▁analytic- nova- ▁kill- ▁datadriven- ▁breach- ▁diagnosis- ▁inception- ▁sponsorship- ▁visa- ▁duc- ▁oilfield- ▁exceeds- ▁restoration- ▁reside- ▁districts- ▁realities- ▁10000- ▁divisional- ▁extensively- ▁curtail- ▁cognitive- ▁cylinders- ▁metropoli- ▁tennessee- ▁abnormal- ▁exhaust- ▁spanish- ▁arising- ▁weakest- ▁prevailing- ▁financed- ▁ceiling- ▁envelope- ▁possess- ▁prevalent- ▁vancouver- ▁unitholder- ▁barry- ▁advantageous- ▁recommended- ▁warmer- ▁outsource- chem- ▁hat- ▁cooling- ▁files- mini- ▁smith- ▁arabia- ▁paramount- overquarter- ▁unwind- ▁buildup- ▁sym- ▁ports- ▁tag- weight- ▁illustrated- ▁aesthetic- ▁respiratory- ▁seismic- ▁wheat- ▁33- ▁missile- ▁municipalities- ▁anytime- ▁cooper- ▁footing- ▁architectures- ▁shopper- mu- idge- ▁squarely- ▁underperform- ▁reliant- ▁unclear- ▁vacant- ▁hesitate- ▁workloads- ▁seventh- ▁markdown- ▁distressed- ▁skewed- ▁featured- ▁modification- ▁resin- ▁rigor- ▁contemplating- ▁tourism- ▁fintech- ▁recycled- ▁reacting- ▁medi- ▁za- ▁likewise- ▁cel- ▁crazy- ▁policyholder- ▁angle- ▁presently- price- ough- ▁clubs- ▁halfway- ▁miami- ▁abroad- ▁digitization- ▁600- ▁army- ▁hole- iff- ▁inevitable- ▁bodies- ▁creek- ▁finland- ▁brew- home- ▁exercises- ▁frontend- ▁cf- ▁disrupted- ▁eco- ▁assessed- like- ▁minerals- ▁unfortunate- making- ▁antenna- ▁faith- ▁referencing- ▁underpinning- ▁initiating- ▁payoffs- ▁bidder- ▁tab- ▁brain- ▁epic- ▁blow- ways- ▁inspire- ▁growers- ▁disadvantage- ▁highmargin- ▁polish- ▁rebalance- ▁tractor- ▁sneak- ▁comfortably- ▁repeated- ▁repeatedly- roll- bio- ▁merge- ▁lam- stage- ▁jointly- ▁dakota- ▁roche- ▁truckload- ▁installment- ▁airplanes- ▁ted- ▁outpac- shop- friendly- ▁architect- ▁cruise- ▁entitlement- ▁exclusivit- ▁jonathan- ▁sampling- ▁teammates- ▁tumors- ▁peso- ▁committing- ▁haul- ▁spa- ▁logistic- ▁shed- ▁incorporates- ▁grants- connect- took- ▁applica- ▁electrification- ▁subsidies- ▁stu- ▁lagging- ▁supermarket- ▁validates- ▁establishment- ▁totality- ▁briefing- rick- ▁tablet- ▁beverages- ▁shoot- ▁triggered- ▁pla- ▁tan- worth- ▁football- ▁unveil- ▁deductible- ▁machinery- ▁sm- ▁bat- ▁mir- ▁repurchas- ▁reinvent- ▁tac- ▁dispatch- ▁reassess- ▁reliably- ▁roaming- ▁scientists- ▁bryan- ▁wrapping- ▁posture- ▁aspirations- located- ▁fred- lling- gro- ▁amendments- ▁chuck- ▁denmark- ▁lunch- ▁tendency- ▁sears- ▁prohibited- ▁encountered- ▁parents- ▁localized- ▁disaster- ▁disasters- ▁smallest- ▁matched- ▁organize- ▁lan- fire- ▁satisfying- ▁alleviate- ▁cardiac- ▁steadfast- ▁oftentimes- ▁hall- ▁traveling- ▁enabler- ▁sharebased- ▁merits- ura- ▁bla- ▁moderniz- count- ▁lessen- ▁ammonia- ▁captive- ▁housekeeping- ▁reluctant- ▁supreme- ▁costsaving- ▁complexities- ▁cancel- ▁inspired- ▁indiana- ▁arrived- ▁versions- ▁deb- ▁technicians- ▁ser- ▁intensify- ▁likeforlike- ▁marktomarket- ▁mechanics- ▁penalty- ▁umbrella- ▁uncover- ▁knowhow- ▁offense- ▁logo- ▁enduser- ▁permitted- ▁dead- ▁respected- ▁installing- ▁norms- ▁simon- grade- ▁setup- ▁tanks- ▁optimum- ▁stuck- ▁quest- ▁harsh- ▁nand- ▁msr- ▁tc- ▁absorbing- ▁acuit- ▁therapeutics- ▁compounded- ▁tightened- lp- ▁golden- ena- generating- ▁english- ▁louis- ▁necessity- ▁safeguard- ▁surveillance- ▁turnkey- ▁interval- ▁farmer- ▁coatings- ▁shutt- ▁citizens- ▁witness- ▁prescriber- ▁expressions- ▁peripheral- ▁responsibly- ▁substance- ▁potash- ▁filtration- ▁radical- ▁writeoff- ▁pathways- ▁viewers- ▁extrapolate- ▁seize- ▁unions- ▁struggled- body- ▁nat- ▁incentivize- ▁articulate- ▁fastgrowing- ▁theoretical- ▁grind- ▁accrue- ▁abilities- ▁longest- ▁lowercost- ▁eva- ▁gil- ▁companywide- through- ▁reprice- residential- ▁breath- ▁yearago- ▁preview- ▁josh- ▁william- equ- ▁admit- ▁trail- ▁mp- ▁introduc- ▁affairs- ▁ceramic- ▁probable- ▁sacrifice- ▁starbucks- ▁abandon- ▁moderately- ▁insert- umab- pass- ▁sounded- ▁permanently- brand- ▁crane- touch- ▁consuming- ▁mandatory- ▁pharmacies- ▁withstand- ▁vince- ▁justice- ▁cogs- ▁customization- ▁subcontractor- ▁exercised- ▁blocking- ▁bankruptcies- ▁hemisphere- ▁resolving- ▁singular- ▁structuring- ▁verizon- ▁cited- ▁headway- ▁logistical- ▁franchisee- tell- ▁cn- ▁admissions- ▁renegotiation- ▁revamp- ▁yourselves- ▁austria- ▁blind- ▁oregon- ▁royal- ▁refurbishment- ▁polymer- ▁brick- ▁pitch- ▁cranes- ▁refunds- ▁budgeted- ▁oled- force- ▁thresholds- ▁advertise- ▁pon- ▁undervalued- ▁backfill- ▁israel- ▁tube- ▁tightness- ▁55- ▁submissions- ▁dennis- ▁disposable- ▁interchange- ▁maritime- ▁overarching- ▁petroleum- ▁reject- ▁bleed- ▁wholly- ▁cc- ▁commissioned- ▁figured- ▁decor- ▁engineer- ▁broadest- ▁relentlessly- band- ▁vesting- ▁yard- ▁articles- ▁treasur- ▁arguably- ▁biometric- ▁rethink- ▁subdued- ▁arbitration- reclassification- ▁static- ▁periodically- ▁bumps- ▁cath- ▁occ- cloud- enabled- ▁binding- ▁cycling- ▁norwegian- ▁senate- ▁sophistication- ▁swedish- ▁telematics- ▁waiver- ▁ethylene- ▁dense- ▁tide- ▁peru- range- ▁pot- rel- facing- ▁perceive- ▁prep- ▁altogether- ▁featuring- ▁jerry- ▁philadelphia- ▁orphan- ▁assert- position- ▁atlas- ▁nda- logists- ▁abstract- ▁bureau- ▁earliest- ▁repatriation- ▁instructions- ▁sunday- ▁replenishment- ▁anomaly- ▁dominated- ▁customerfacing- ▁flattening- istic- ▁conservatively- ▁mary- ▁christi- ▁continual- '5000'- ▁fulfilling- ▁elevating- ▁rotation- ▁spectacular- ▁controllable- ▁betting- ▁onwards- ▁fedex- ▁mom- ▁dent- ▁tm- rich- ▁implication- ▁santa- ▁brickandmortar- ▁orientation- ▁giant- ▁pac- ▁virtue- ▁feebased- ▁delaying- cular- ▁swift- ▁shoes- ▁discern- ▁imbalance- ▁oversupply- ▁winwin- ▁sedar- ▁redirect- ▁alloy- ▁interconnection- unit- vy- ▁matches- ▁vein- forward- ▁lodging- ▁microphone- ▁unnecessary- ▁stockpile- ▁hook- ▁viability- ▁coordinated- ▁coil- ▁specifications- ▁travelers- ▁solved- ▁prioritized- ort- health- ▁boosted- ▁disappear- ▁cisco- ▁interview- ▁earth- ▁paydown- ▁versa- ▁compressed- ▁taper- ▁compounding- ▁landlord- ▁howard- ▁nerve- ▁spinoff- ▁biology- ▁reimbursed- ▁expiring- ▁nonperform- ▁standardization- ▁85- ▁tablets- ▁narrowed- ▁leaning- ▁biosimilar- ▁commoditiz- ▁connecticut- ▁untapped- ▁reconfigur- ▁matrix- ▁verify- ▁curtailment- ▁physically- ▁contra- ▁emission- ▁zo- ku- ▁prediction- ▁furnace- ▁immense- ▁drift- ▁painful- ▁terry- ▁lyn- ▁nearby- ▁bang- ▁harvesting- ▁yards- ▁dso- ▁holes- ▁palm- ▁blending- ▁closest- ▁cultivate- ▁ignore- ▁imminent- ▁inevitably- ▁obstacle- ▁cardiovascular- ▁stemming- ▁zinc- ▁panama- ▁favorability- ▁syndicated- ▁ow- ▁tooling- ▁tune- loaded- '80'- ▁hd- ▁placebo- ▁ef- ▁struck- ▁intersection- ▁48- ▁tempered- ▁wearable- ▁unrelated- ▁signaling- ▁korean- ▁aspiration- ▁steward- ▁feeding- ▁aforementioned- ▁narrative- ▁pandora- ▁pentup- ▁synthetic- ▁disappointment- ▁android- ▁philip- ▁rationalizing- ▁accompanied- ▁hourly- ▁emphasized- ▁migrated- ▁lapse- sproportionately- ▁biological- company- ▁contemporary- ▁deviation- ▁injuries- ▁lloyd- ▁reshaping- ▁undoubtedly- ▁unwavering- ▁burger- ▁flowthrough- ▁organ- ▁boats- ▁propose- ▁skew- ▁consortium- ▁jennifer- ▁shelves- ▁thanksgiving- ▁twitter- ▁fusion- ▁overlay- ▁supplied- ▁mother- ▁reorder- ▁rio- ▁imposed- ▁portable- ji- cept- ▁spo- ▁confidential- ▁surprisingly- space- ▁officials- ▁bolstered- hanging- ▁rp- ▁underline- ▁fiduciary- ▁rhythm- ▁paypal- ▁congratulations- ▁solicitation- ▁polar- ▁mapping- ▁landmark- ▁lucky- ▁unfolds- ▁canceled- ▁invited- ▁weaknesses- ▁pete- ▁sheer- ▁procure- ▁inspiration- ▁2012- ▁varied- ▁wrapped- ▁intimate- ▁romania- ▁indices- ▁broadened- ▁aspire- cade- ▁mold- ▁victory- ▁intentional- ▁deductions- rix- ▁blade- ▁pocket- ▁lc- ▁declare- ▁asphalt- ▁calculating- ▁occupied- ▁iphone- ▁smoke- ▁cybersecurity- ▁spill- ▁transferring- ▁instrumentation- ▁concurrently- ▁adopters- ▁md- ▁airplane- ▁cope- ▁staffed- ▁compromising- ▁ebay- ▁observing- ▁leak- ▁strat- ▁cater- ▁65- ette- ▁condo- ella- rock- ▁rand- ▁oc- ▁discretion- ▁disagree- ▁affinity- ▁degradation- ▁mississippi- ▁owe- uff- ▁distribut- ▁notified- ▁bc- ▁broke- ▁scenes- ▁kim- ▁tape- lining- ▁annuities- ▁ballpark- ▁dermatolog- ▁speculative- ▁striking- ▁stuart- ▁twin- ▁checkpoint- ▁gla- ▁excessive- ▁thoroughly- ▁megawatts- ▁richer- ▁plain- ▁clip- berry- ▁refreshed- ▁bottleneck- ▁credential- ▁nervous- ▁vegetable- ▁kelly- ▁outlay- ▁gray- ▁occasionally- ▁highvolume- ▁fitting- ▁rebranding- ▁activated- ▁creditors- ▁summariz- ▁isolate- ▁cosmetic- ▁reevaluate- ▁vascular- ▁trace- lake- wall- ▁nearest- ▁acquirer- ▁levered- ▁eating- ▁winner- ▁cigarette- ▁collapse- ▁confused- ▁scrubber- ▁tunnel- ▁assigned- ▁flush- ▁maria- ▁colon- ▁tel- ▁passage- ▁graphics- ▁stewards- ▁lump- person- ▁commonly- ▁gallons- flex- ▁elasticity- ▁specification- ▁specificity- ▁earnout- ▁interacting- dale- ▁cv- ▁virgin- ▁accelerator- ▁companion- ▁confusing- ▁dutch- ▁laboratories- ▁leather- ▁predicated- ▁emotional- ▁quo- ▁ppa- ▁speakers- developed- away- ▁automating- ▁colocation- ▁contingencies- ▁credible- ▁landfill- ▁scrutiny- ▁console- ▁hallmark- ▁prescribing- ▁systematically- ▁pullback- ▁competence- ▁enrolling- ▁instruct- ▁correlate- zi- ▁earthquake- ▁sunrise- ▁wrote- ▁exponential- ▁indoor- ▁drone- ▁reactivation- gl- ▁industrywide- ▁readers- ▁aged- ▁resident- ▁deduction- ▁reorganiz- ▁redefine- ▁charlotte- ▁circulation- ▁influencing- ▁marriott- ▁weakened- ▁backwards- ▁drew- ▁nc- ▁sage- ▁recruited- ▁prevail- ▁designation- ▁encounter- trans- intensive- watch- ▁blockchain- ▁boutique- ▁missioncritical- ▁quartile- ▁rubber- ▁speech- ▁transitory- ▁automatic- ▁denominator- ▁spur- ▁distracted- ▁todate- ▁diagnosed- ▁buses- ▁shy- ▁noble- ▁passes- ▁penetrated- ▁oh- ▁adherence- ▁estimation- ▁lincoln- ▁monetary- ▁preservation- ▁stimulation- ▁drain- ▁nashville- ▁rack- ▁amend- ▁declared- ▁viewpoint- ▁distributing- ▁hunting- ▁lifted- ▁reserv- ▁upturn- ▁ener- ▁enforce- ▁devastating- ▁independence- ▁multitude- ▁nowhere- ▁avoiding- ▁knee- ▁presume- ▁commend- ▁auditors- ▁avid- ▁accepting- ▁successor- ▁weighed- tek- ▁circumstance- ▁rebate- science- ▁nurses- ▁estimating- ▁fundraising- ▁gratitude- ▁hydraulic- ▁nafta- ▁anthem- ▁writedown- ▁layout- ▁warehous- ▁suspended- ▁stacked- ▁risen- '90'- ▁terminate- system- ▁evan- group- ▁junior- ▁phrase- ▁poultry- ▁repaid- ▁easing- ▁render- ▁toptier- ▁quantified- ▁scrapping- ▁attempting- burg- ▁rightsize- ▁wholesalers- ▁poll- ▁npl- ▁subside- ▁quoted- ▁mic- ▁genesis- tinib- ▁debit- ▁bike- ▁carol- ▁expired- ▁800- ▁coke- ▁thomas- ▁utica- ▁amenities- ▁airbus- ▁retrospective- ▁breakfast- ▁chair- ▁customercentric- ▁stating- ▁repurpos- written- ▁alcohol- ▁columbus- ▁gratifying- ▁inconsistent- ▁pellet- ▁rebroadcast- ▁yellow- ▁distill- ▁bowl- ▁uneven- ▁pulse- ▁sponsored- ▁hero- ▁granularit- ▁explicit- ▁nonoperat- ▁helicopter- ▁puzzle- ▁thursday- ▁mattress- ▁ebb- dium- ▁classroom- ▁05- ▁rigid- ▁nail- ▁cracker- ▁reorganized- ▁freeze- ▁lining- ▁dun- ▁remodeling- ▁origin- ▁designers- ▁judicious- ▁longevity- ▁nigeria- ▁singlefamily- ▁studied- ▁idaho- ▁antibody- ▁maryland- ▁tampa- ▁marty- ▁carryover- ▁exacerbated- ▁seal- ▁steri- ▁needless- ▁categorize- ▁duplicate- ▁insulation- ▁omidria- ▁propensity- ▁redundant- ▁shipyard- ▁anxious- ▁investigate- ▁minister- ▁originating- ▁bird- ▁acid- ▁accommodation- ▁divided- ▁compressor- ▁diy- ▁franc- ▁backoffice- ▁frustrating- ▁granite- ▁irrigation- ▁juncture- ▁iowa- ▁virus- ▁watt- ▁latestage- ▁hello- ▁remiss- ▁bt- ▁advertiser- ▁luck- ▁benchmarking- ▁abundant- ▁ambulatory- ▁condensate- ▁conversely- ▁dashboard- ▁netflix- ▁supervisor- ▁sidelines- ▁tailings- ▁allied- ▁hate- scape- ▁harmon- vel- ▁constellation- ▁empire- ▁feasible- ▁negligible- ▁outbound- ▁portugal- ▁preclude- ▁settling- ▁headset- ▁portland- ▁recur- ▁ram- ▁readout- jet- weighted- ▁entrepreneurs- ▁qualifying- ▁advisor- ▁700- ▁diet- ▁subsidy- ▁fierce- ▁conceptual- ▁motorcycle- ▁mount- ▁recast- ▁nash- ▁frontier- iq- ▁proportional- ▁customize- ▁concurrent- ▁mro- ▁accumulation- ▁beneficiary- ▁calgary- ▁hudson- ▁jamie- ▁restoring- ▁heels- ▁fre- ▁foodservice- ▁karen- ▁5000- ▁aaron- ▁illustration- ▁boss- ▁rally- ▁envi- ▁mb- ▁practically- ▁graphic- uel- ▁37- ▁150- ▁exhibited- ▁noncontroll- ▁sync- ▁refinanced- ▁nano- ▁arkansas- ▁balloon- ▁caveat- ▁village- ▁daniel- ▁oracle- ▁boundaries- ▁comcast- recapitalization- ▁maxim- ▁stopping- ▁rightsizing- ▁formular- ▁coating- awa- ▁scar- ▁educated- '70'- hill- ▁accu- rent- ▁obligat- ▁etf- ▁cleveland- ▁expansive- ▁hyatt- ▁pointofsale- ▁sandwich- ▁susan- trend- ▁timber- ▁prostate- factor- ▁arch- ▁concerted- ▁chem- ▁severely- label- ▁syndicate- ▁displace- ▁constituent- ▁czech- ▁rehabilitation- ▁recoup- ▁relax- ▁discharge- ▁monster- ▁plot- ▁methodolog- ▁bdc- ▁immuno- ▁overwhelmingly- ▁lengthy- ▁denominat- ▁cotton- ▁irrespective- ▁nonaccrual- ▁refranchising- ▁plateau- ▁dirt- ▁glenn- ▁marin- ▁johnson- ▁renovated- tron- track- ▁respectively- ▁validat- ▁sb- ▁afforded- ▁fragrance- ▁immunooncology- ▁lingering- ▁stellar- ▁syndication- ▁welcoming- ▁nominat- ▁substitution- ▁stan- ▁refill- ▁loe- center- tronics- look- selling- craft- ▁born- ▁academy- ▁athletic- ▁entail- ▁exclusion- ▁mutation- ▁preceding- ▁substantive- ▁brake- ▁julie- ensification- ▁gathered- ▁constrain- ▁habit- ▁reacted- ▁subscribe- ▁stagger- ▁expedite- ▁cease- ▁crossover- ▁persistence- ▁checkout- ▁insulated- ▁onset- ▁ul- ▁restated- ▁ranked- ▁amortiz- income- ▁apollo- ▁fossil- ▁identical- ▁leach- ▁lowermargin- ▁registry- ▁sacrificing- ▁utmost- ▁vacuum- ▁jean- ▁abuse- ▁macys- ▁temper- ▁statistically- drawn- ▁appreciative- ▁mentality- ▁procedural- ▁sydney- ▁pork- ▁azure- ▁shield- ▁injectable- ▁alive- ▁thermo- ▁pave- ▁neil- pla- ▁hone- ▁sporting- branded- ▁redo- working- genic- bell- ▁decommission- ▁nurture- ▁selfservice- ▁capita- ▁authentication- ▁hint- ▁expedited- ▁tying- ▁38- ▁fracture- ▁derisking- ▁employing- ▁fulfilled- ▁commercializing- ▁ameri- ▁transmit- break- ▁random- dequacy- ▁crossborder- ▁educator- ▁inclined- ▁samsung- ▁insulin- ▁inquiry- setting- ▁prescribed- ▁skip- ▁compress- ▁die- ▁coordinate- ▁anthony- ▁beijing- ▁counterparties- ▁festival- ▁nielsen- ▁proliferation- ▁subordinate- ▁staple- ▁thick- ▁boiler- ▁precedent- ▁timetable- ▁digging- ▁foothold- ▁contest- ▁tableau- ▁receptive- ▁hip- ▁explicitly- ▁salesforce- ▁shooting- ▁commenc- abilities- trade- ▁administrator- ▁congestion- ▁detriment- ▁episode- ▁hesitant- ▁hygiene- ▁scarcity- ▁smelter- ▁turmoil- ▁waterfall- ▁sweep- ▁standardize- ▁ranch- ▁advent- ▁smb- ▁influencer- utter- ▁95- ▁motivate- ▁accustomed- ▁chassis- ▁invaluable- ▁reestablish- ▁situated- ▁stimulus- ▁tandem- ▁volunteer- ▁prioritization- ▁compass- ▁scanner- ▁firewall- ▁blackstone- ▁crest- ▁cardio- ▁accessory- more- ▁steering- ▁cow- ▁marlin- ▁retired- ▁curate- ▁dean- ▁repo- ▁turk- ▁alternate- ▁analyses- ▁dialysis- ▁intensified- ▁penalties- ▁sensitivities- ▁worthwhile- ▁hazard- ▁remarkably- ▁blackrock- ▁agnostic- ▁cooperative- ▁lengthen- ▁steven- ▁formulate- ▁pv- ▁funeral- ▁ladder- ▁pinnacle- ▁postacute- ▁snapshot- ▁titanium- ▁brandnew- ▁shallow- ▁halo- ▁crown- zone- ▁railway- ▁slated- ▁await- ▁steer- ▁20000- yield- script- ▁caliber- ▁devoted- ▁eighth- ▁mouth- ▁postpaid- ▁aggregation- ▁cliff- ▁responsiveness- ▁string- ▁kin- ▁jones- ▁toughest- ▁char- ▁restored- ▁poster- ▁melt- ▁illustrat- ▁insider- mitted- ▁renovat- ▁renegotiate- ▁dinner- ▁reengineer- ▁thumb- ▁taxpayer- ▁arbitrage- ▁tipping- ▁stripping- ▁tapping- ▁mood- ▁dick- hub- sphere- ▁accumulate- ▁backtoschool- ▁orthopedic- ▁outweigh- ▁suppress- ▁reclassifie- ▁interestbearing- ▁choppi- ▁jackup- ▁popularity- ▁discoveries- hawk- ▁pam- ▁reallocat- ▁vulnerable- ▁sincerely- ▁trauma- ▁fellow- ▁warner- ▁capped- ▁seven- ▁centric- ▁earnest- ▁inspect- ▁pose- petition- ▁leaseup- ▁outgrow- volt- ▁digitize- ▁dedicate- ▁discontinue- ▁depreciate- ▁lithium- ▁philosophical- ▁framing- ▁cheese- ▁vending- ▁chegg- ▁clock- ▁purposeful- ▁cleanup- ▁knowledgeable- ▁cooperate- ▁cooler- ▁compliment- ▁dispense- ▁mathematical- ▁perimeter- ▁ralph- ▁retiring- ▁utah- ▁birth- ▁remediate- ▁laserfocused- ▁iteration- ▁tenet- ▁wisely- ▁renegotiated- ▁routinely- ▁nr- ▁buyout- code- ▁redesigned- ▁flor- ▁incent- ▁grocer- process- structure- ▁destiny- ▁underpenetrated- ▁busiest- ▁forthcoming- ▁virtuous- ▁plaza- ▁racing- eye- ▁3000- ▁payoff- ▁ortho- ▁merged- ▁inhibit- ▁vista- ▁watches- ▁deducti- charge- profit- energy- wind- ▁chemotherapy- ▁entrance- ▁facilitating- ▁happier- ▁legislature- ▁timeframe- ▁vacancies- ▁bargain- ▁lobby- ▁tokyo- ▁slope- ▁cedar- ▁specify- ▁protest- ▁roster- ▁voting- ▁withdrawal- ▁reallocation- ▁standby- ▁vale- ▁earlystage- ▁redevelop- ▁hp- ▁pest- front- ▁insist- beat- ▁alabama- ▁empty- ▁endorsement- ▁examining- ▁experiential- ▁rainfall- ▁separating- ▁iridium- ▁wellbeing- ▁liber- ▁recreational- ▁connector- ▁barge- ▁highgrade- ▁designated- ▁liquidate- ▁yo- action- ▁cpg- ▁suspend- ▁genuine- active- heim- utilized- ▁sma- ▁advocacy- ▁antibodies- ▁conservation- ▁hydrocarbon- ▁mismatch- ▁oxygen- ▁refractor- ▁unfair- ▁disability- ▁downgrade- ▁cabin- iston- ▁bolt- ▁120- suite- ▁enzyme- ▁hilton- ▁offensive- ▁testimony- ▁clothing- ▁restocking- ▁beacon- ▁defect- ▁nurse- ▁tal- ▁mixture- ▁dish- ▁activat- ▁pp- ▁citi- period- ▁inroads- ▁kroger- ▁vigorously- ▁2011- ▁pushback- ▁protective- ▁traders- ▁barn- ▁midsize- ▁increment- competitive- ▁fabulous- ▁hospice- ▁nitrogen- ▁practitioner- ▁restatement- ▁robinson- ▁segregat- ▁unconventional- ▁girl- ▁pbm- ▁instill- ▁loud- ▁characteristic- ▁realistically- ▁headquarter- ▁furnished- ▁highperforming- ▁amid- ▁flagged- ▁haynes- ▁problematic- ▁scoop- ▁sovereign- ▁voyage- ▁merely- ▁pinpoint- ▁prepay- ▁dependence- ▁marry- ▁lions- ▁superiority- megawatt- ▁excite- ▁jeremy- ▁refrigerated- ▁turbo- ▁unreasonable- ▁humble- ▁infant- ▁baking- ▁divert- ▁lte- ▁sharper- ▁colder- ▁monotherap- ▁consult- ▁correspond- ▁reinvigorate- platform- producing- order- check- resistant- ▁culinary- ▁flawless- ▁inherited- ▁nontraditional- ▁remeasurement- ▁wellknown- ▁winnebago- ▁revising- ▁lagged- ▁depict- ▁juice- ▁hypothesis- ▁dwell- ▁publisher- ▁reuse- hole- ▁heck- consolidated- built- prime- ▁depletion- ▁secondarily- ▁mlp- ▁weapon- ▁swiftly- ▁softened- ▁mil- ▁rainy- ▁blast- ▁coat- ▁expose- ▁furnish- wire- ▁bacteria- ▁baseball- ▁oxide- ▁prestigious- ▁stranded- ▁vantage- ▁slice- ▁thread- ▁michelle- ▁deduct- defined- ▁farther- ▁exhibition- scope- ▁bloom- ▁destroy- ▁plumbing- ▁reconsider- ▁unleash- ▁scanning- ▁parse- ▁clay- ▁personalize- neutral- ▁frustration- ▁highspeed- ▁targa- ▁kirk- ▁rescue- ▁subsidize- ▁steal- ▁mentor- ▁harris- ▁aspirational- ▁resale- borne- ▁deter- ▁pine- transmission- ▁onprem- ▁carriage- ▁invitation- ▁peace- ▁reconciling- ▁saturday- ▁selfhelp- ▁sulfur- ▁triumph- ▁escalate- ▁viral- ▁ethical- ▁ibm- ▁cameron- ▁sizing- ▁instantly- ▁creators- prong- ▁bull- ▁reaccelerat- ▁refurbish- ▁nascar- ▁retroactive- ▁unforeseen- ▁remix- ▁coding- ▁blueprint- ▁merging- ▁roast- arity- ▁existence- ▁resist- ▁assistant- ▁shaw- ▁technique- ▁genuinely- fast- ▁mobilize- ▁victoria- ▁interventional- axis- ▁soften- ▁tile- ▁attribution- ▁blockbuster- ▁insignificant- ▁literature- ▁qualities- ▁steroid- ▁terribly- ▁copies- ▁intercept- ▁welding- ▁tricky- sky- ▁scrip- ▁tec- munications- ▁nutritional- ▁nii- ▁tradition- economic- ▁kiosk- ▁pfizer- ▁unsustainabl- ▁buoy- ▁copyright- ▁elite- ▁rebuilt- ▁fcc- ▁midway- ▁sba- ▁offprice- plex- ▁distress- digit- appropriate- ▁interopera- ▁incidence- ▁jordan- ▁slippage- ▁calibrate- ▁shaft- ▁textile- ▁discontinuation- ▁confidentiality- ▁dump- ▁dropdown- ▁realworld- ▁chargeoff- ▁compact- ▁surround- ▁biopharma- ▁brilliant- ▁groundbreaking- ▁halloween- ▁microbiome- ▁migraine- ▁politics- ▁prestige- ▁pyramid- ▁synchroniz- ▁catheter- ▁advertisement- ▁revolutionary- ▁bread- ▁centre- ▁shoe- ▁parity- ▁withdraw- ▁albert- ▁50000- regulated- function- ▁acknowledging- ▁admittedly- ▁editorial- ▁mercury- ▁pragmatic- ▁stainless- ▁irrational- ▁illumina- ▁tmobile- ▁pullthrough- ▁classify- ▁highyield- ▁stockholder- ▁broadcasters- ▁fisher- ▁taco- ▁dilute- ▁deficiency- ▁influx- ▁occupy- ▁rehab- ▁reinsurer- ▁carpet- ▁hypothetical- ▁recalibrat- ▁lottery- ▁dyna- ▁marcus- ▁outlier- ▁reversion- ▁visitation- ▁guideline- stack- ▁peg- ▁bubble- ▁buffalo- ▁myriad- ▁bancorp- ▁leakage- ▁firing- ▁redeployment- ▁pole- smart- ddle- ▁epa- ▁basketball- ▁cohesive- ▁curriculum- ▁false- ▁greece- ▁lowmargin- ▁taylor- ▁unbelievabl- ▁tesco- ▁cascade- ▁darren- ▁clause- ▁hung- ▁strange- ▁tiny- ▁mediumsized- ▁irish- ▁professionalism- ▁adaptive- ▁stride- ▁joel- ▁aggregator- ▁redistribut- ▁probe- ▁bath- ▁remark- ▁chamber- ▁collision- ▁pervasive- ▁uncommon- ▁footnote- ▁youtube- ▁sick- ▁latency- ▁colleague- ▁extraction- motion- high- ▁msa- ▁antitrust- ▁asiapacific- ▁consummate- ▁hampered- ▁impediment- ▁receptor- ▁socalled- ▁plasma- ▁promo- ▁redundancy- ▁affo- ▁lenses- ▁gut- ▁immunotherap- ▁tall- ▁reactivate- ▁abundance- ▁acquisitive- ▁autumn- ▁cologuard- ▁infotainment- ▁refrigeration- ▁veterinary- ▁behaving- ▁diving- ▁booth- ▁halt- ▁radiation- ▁lisa- sense- ▁restriction- ▁revers- post- spoke- ▁underscor- ▁vocal- mobile- ▁charlie- ▁exterior- ▁hidden- ▁locomotive- ▁maturation- ▁cardinal- ▁orleans- ▁remedy- ▁traits- ▁instability- ▁originator- ▁marvel- ▁manpower- ▁quint- ▁heartland- rgus- ▁edition- ▁christian- ▁fractur- ▁divide- ▁glen- ▁ambassador- ▁arriving- ▁believing- ▁beneficiaries- ▁democrat- ▁detroit- ▁mortar- ▁turbulence- ▁dismiss- ▁geological- ▁seemingly- ▁pathogen- ▁tyler- ▁fireeye- ▁adhere- ▁lifo- ▁greenhouse- ▁opec- ▁hva- brook- ▁rework- ▁prohibit- ▁biomass- ▁costcutting- ▁excise- ▁proposing- ▁bunker- ▁fault- ▁brett- ▁cheapest- ▁garage- pharm- ▁yu- '06'- ▁buzz- ▁census- ▁delineation- ▁dependency- ▁evergreen- ▁exercising- ▁interference- ▁patterson- ▁referendum- ▁simplifies- ▁ninth- ▁recurrent- ▁campbell- ▁debut- ▁confront- ▁cream- ▁retin- nanometer- ▁photograph- ▁raj- ▁dominate- direct- ▁persistenc- ▁decentralized- ▁dissipate- ▁episodic- ▁latam- ▁mosaic- ▁petrobras- ▁resumption- ▁syndrome- ▁fixtures- ▁randomized- ▁reconstruction- ▁quant- ▁reinvention- leading- ▁simultaneous- ▁chocolate- ▁dangerous- ▁deteriorating- ▁inflammation- ▁laundry- ▁midatlantic- ▁parliament- ▁retool- ▁renal- ▁tolerance- ▁pollution- ▁timberland- operative- ▁ferro- ▁vitality- sharing- bury- ▁accessibility- ▁celebrating- ▁female- ▁frequencies- ▁hollywood- ▁relocating- ▁hinder- ▁spray- ▁leadingedge- ▁transpire- ▁goodbye- ▁macau- ▁poker- ▁eplex- ▁lapped- ▁wow- ▁juan- ▁insurer- ▁dell- ▁configure- ▁pile- ▁anomal- central- ▁phenomena- ▁appalachia- ▁cobalt- ▁cocacola- ▁lucrative- ▁slipped- ▁westinghouse- ▁vinyl- ▁organizing- ▁apex- ▁swim- ▁reactive- contract- supplied- ▁mitch- ▁attorney- ▁compatible- ▁conducive- ▁disparate- ▁explosive- ▁morris- ▁multifaceted- ▁wellestablished- ▁nucor- ▁displacement- ▁lauren- ▁noticing- ▁dust- ▁admission- ▁etsy- ▁biologic- ▁tear- ▁equip- ▁rocket- development- ▁criticized- ▁cuttingedge- ▁facilitator- ▁inaugura- ▁longhaul- ▁preempt- ▁prolific- ▁relapse- ▁unacceptable- ▁watson- ▁wyndham- ▁obsess- ▁overcoming- ▁vacate- ▁expare- ▁sensi- ▁recontract- ▁submitting- ▁aisle- ▁feat- ▁statistic- ▁heali- ▁30000- enhancing- ▁biopsy- ▁dublin- ▁exemplifie- ▁implicit- ▁peanut- ▁shadow- ▁submarine- ▁lawyers- ▁tubing- ▁misleading- ▁florence- ▁paving- ▁intermediary- ▁reagent- ▁thriving- ▁spanning- ▁dolby- ▁sweetener- ▁sweat- ▁alluding- ▁consultative- ▁drastically- ▁scarce- ▁merck- ▁resell- ▁peel- authorized- ▁contiguous- ▁counterparty- ▁decoupl- ▁desperate- ▁entrust- ▁examination- ▁hindsight- ▁remunerati- ▁valuecreation- ▁veterinarian- ▁walter- ▁wednesday- ▁whiskey- ▁knit- ▁expeditious- ▁linkage- ▁ltl- ission- ▁handicap- ▁bake- ▁ecom- ▁stead- foot- ▁faculty- ▁insufficient- ▁magnetic- ▁modalities- ▁quantification- ▁rotate- ▁correspondent- ▁farmland- ▁ccar- billed- ▁citizen- ▁culminat- ▁affluent- ▁amplified- ▁fibrosis- ▁inaccurate- ▁microchip- ▁resurgence- ▁stadium- ▁susceptible- ▁volkswagen- ▁coalition- ▁grasp- ▁unused- ▁ross- ▁moodys- ▁vault- ▁culmination- ▁canyon- ▁5050- ▁copay- ▁teva- ▁collaborator- ▁interrupt- grid- ▁ammunition- ▁celebration- ▁dispensing- ▁injunction- ▁nutrient- ▁phosphate- ▁predecessor- ▁splunk- ▁aftermath- ▁viewership- ▁delineate- ▁smile- ▁admin- ▁twofold- ▁crisp- tegra- ▁blip- eep- ▁locate- ▁definite- ▁wan- credit- ▁flotek- ▁henry- ▁adobe- ▁journalism- ▁kona- ▁inverse- ▁investigator- aze- ▁expedit- claim- ▁disturb- ▁equilibrium- ▁everchanging- ▁identifies- ▁nonstrategic- ▁triferic- ▁southeastern- ▁contend- ▁tolerated- ▁illegal- ▁focal- ▁lids- ▁dataset- ▁void- ▁gat- ngest- employ- screen- sheet- ▁bracket- ▁brokerdealer- ▁chipotle- ▁cushing- ▁exemption- ▁keppel- ▁omnipod- ▁propulsion- ▁prudence- ▁tournament- ▁sauce- ▁equate- ▁indebted- ▁suggestions- xcel- ▁imagery- ▁reoccurr- ▁cede- ▁revolve- ▁argentin- collect- ▁arrange- ▁compensating- ▁debenture- ▁formidable- ▁kratos- ▁police- ▁toxicity- ▁vitamin- ▁template- ▁valuing- ▁relieve- ▁dtc- ▁drawdown- ▁hack- glass- ▁shine- ▁iterate- scribed- ▁reimag- ▁biopharmaceutic- ▁brookfield- ▁clarified- ▁commonwealth- ▁hampshire- ▁influential- ▁protracted- ▁reassure- ▁resolute- ▁rotating- ▁styren- ▁alpine- ▁cultivating- ▁finite- ▁tommy- burn- ▁multiproduct- enberg- ▁nap- ▁noncomp- ▁decelerate- rrell- ▁rebrand- world- ▁michel- ▁immersive- ▁intermediaries- ▁methanol- ▁microcontroller- ▁overshadow- ▁reconfirm- ▁recurrence- ▁residence- ▁hungary- ▁tutor- ▁mobilization- ▁secretary- ▁duplication- ▁cake- ▁enact- ▁stakeholder- arables- ▁famous- ▁infringement- ▁marquee- ▁mezzanine- ▁oxford- ▁renegotiating- ▁attendee- ▁tilt- ▁jose- ▁linda- ▁decelerat- capitalized- ▁alumina- ▁approving- ▁consolidator- ▁elevation- ▁kathy- ▁offpremise- ▁pledge- ▁redetermination- ▁unintended- ▁honda- ▁punch- ▁multiply- ▁tuning- ▁cryo- ▁crystallize- ▁berlin- ▁forrester- ▁wellbore- ▁laura- ▁reimagine- ▁chatter- ▁cube- udge- ▁mario- ctive- earning- ▁autonomy- ▁expensing- ▁invoicing- ▁multimillion- ▁voucher- ▁acoustic- ▁craftsman- ▁remedies- ▁shelter- ▁britain- ▁deviate- ▁fastener- ▁montana- '500'- resuming- ▁atmosphere- ▁caustic- ▁consignment- ▁criminal- ▁infectious- ▁legitimate- ▁uranium- ▁scoring- ▁erode- ▁hungry- ▁ruble- ▁mint- organically- ▁harmonize- ▁cobrand- constrained- business- engine- ▁catastrophic- ▁circular- ▁finetune- ▁obsolete- ▁occupier- ▁securitize- ▁pruning- ▁surgeries- ▁sequel- ▁diameter- ▁combo- ▁technician- treated- ▁impair- ▁occupanc- ▁ethic- ▁drastic- ▁brothers- ▁celebrity- ▁deemphasiz- ▁destruction- ▁explosion- ▁freddie- ▁qualcomm- ▁scatter- ▁backhaul- ▁investigating- ▁encore- ▁geology- dollar- ▁victor- ▁subcontract- ▁receptiv- ferred- target- ▁eligibility- ▁energies- ▁entries- ▁expend- ▁gravitat- ▁ignite- ▁mifid- ▁refrain- ▁savvy- ▁terrible- ▁bondholder- ▁chlor- ▁aerial- ▁cattle- ▁potent- ▁exert- volume- managed- ▁averaging- ▁awesome- ▁cincinnati- ▁deficiencies- ▁delinquent- ▁knight- ▁varieties- ▁elegant- ▁flesh- ▁ourself- ▁theatrical- ▁subtract- ▁grace- ▁textbook- ▁elongat- ▁lull- structive- ground- ▁alzheimers- ▁coherent- ▁combustion- ▁franchising- ▁instagram- ▁prebuy- ▁requisite- ▁triangle- ▁wyoming- ▁reacceleration- ▁ltac- adjusted- mount- ▁grip- ▁computation- ▁accumulating- ▁carpenter- ▁cartridge- ▁escalating- ▁himself- ▁neurology- ▁trinity- ▁unmanned- ▁wolfcamp- ▁yeartoyear- ▁ubiquitous- ▁aetna- ▁blanket- capital- ▁solicit- ▁anxiety- ▁frankfurt- ▁judicial- ▁melbourne- ▁recompete- ▁tubular- ▁tuition- ▁zika- ▁custodia- ▁medallion- ▁socket- ▁repeal- ▁joseph- ▁panther- ▁verified- manufactur- ▁adhesive- ▁cockpit- ▁denim- ▁minneapolis- ▁multiplier- ▁substrate- ▁wisdom- ▁citrus- ▁esports- ▁brink- ▁inflated- ▁overrid- ▁retreat- ▁diagnose- ▁allegations- ▁brookdale- ▁derby- ▁edmonton- ▁marathon- ▁nowadays- ▁populated- ▁recipient- ▁roadshow- ▁seafood- ▁yelp- ▁diplomat- ▁envisage- ▁haptic- ▁handbag- ▁nokia- ▁relies- itude- ▁dominic- midst- ▁articulat- normal- ▁addiction- ▁deutsche- ▁explorator- ▁hiccup- ▁honeywell- ▁immigration- ▁mainframe- ▁metabolic- ▁compelled- horn- dependent- ▁appreciating- ▁confluence- ▁corrugated- ▁gambling- ▁inexpensive- ▁malibu- ▁pakistan- ▁privatization- ▁scandinavia- ▁unaudit- ▁orchard- ▁serial- ▁preleasing- ▁quebec- ▁societies- ▁wherewithal- ▁prince- ▁daytona- ▁trustees- ▁forensic- ▁fortify- ▁coronary- ▁sunset- ▁unrest- ▁immunolog- ▁distract- ▁appoint- quarteronquarter- ▁candid- represented- impact- ▁certify- ▁condominium- ▁coworkers- ▁epidemic- ▁gigabit- ▁kuwait- ▁sleeve- ▁turbulent- ▁verdict- ▁voltage- ▁upswing- ▁precede- ▁bridg- graphic- ▁fanni- ▁overwhelm- typical- ▁fascinating- ▁hurry- ▁impetus- ▁kilometers- ▁monarch- ▁orchestration- ▁politicians- ▁preopening- ▁repatriate- ▁stoppage- ▁tragic- ▁versatility- ▁enzo- ▁zoning- ▁salmon- ▁caterpillar- ▁halliburton- ▁indefinite- ▁parkinsons- ▁redefining- ▁uncomfortable- ▁valentine- ▁bmw- ▁outdated- ▁outstrip- ▁induce- style- ▁intersect- dilutive- ▁complacent- ▁disposing- ▁ethernet- ▁generous- ▁hesitation- ▁kingdom- ▁machining- ▁numerical- ▁richmond- ▁silhouette- ▁valuecreating- ▁yodle- ▁rasm- ▁charitabl- ▁tropica- ▁expir- ▁readjust- ▁cataract- ▁contamination- ▁deconsolidation- ▁demonstrabl- ▁divergence- ▁dubai- ▁escrow- ▁everincreasing- ▁inadequate- ▁pencil- ▁unwilling- ▁acumen- ▁debbie- ▁helix- ▁pulmon- ▁amenity- ▁tertiar- ▁ascend- ▁brush- ▁carveout- ▁centennial- ▁extrusion- ▁hispanic- ▁momentarily- ▁multitenant- ▁unaffected- ▁exaggerat- ntamina- ▁worsening- ▁allison- ▁symptom- ▁discontinu- ▁accommodati- propylene- ▁acknowledgment- ▁applaud- ▁binary- ▁boulder- ▁crossfunctional- ▁determinant- ▁grubhub- ▁lvt- ▁morbidit- ▁substation- ▁unencumber- ▁infinite- ▁cgm- constantcurrency- ▁brussels- ▁conduit- ▁countermeasure- ▁courage- ▁distant- ▁fragile- ▁melanoma- ▁motivating- ▁repetitive- ▁rhetoric- ▁smoking- ▁walgreen- ▁gordon- ▁recliner- ▁noisy- ▁angola- ▁rebid- ▁mobiliz- focus- financial- profile- ▁barclay- ▁convincing- ▁disseminate- ▁gratified- ▁intimacy- ▁ovarian- ▁savanna- ▁sierra- ▁storytelling- ▁thrust- ▁babies- ▁lilly- ▁capsule- ▁limb- ▁prescribe- ▁scene- ruct- ▁accru- ▁virtu- driving- monetization- ▁jewel- ▁dedicating- ▁gartner- ▁glimpse- ▁nutshell- ▁unbundl- ▁upholstery- ▁advising- ▁cocoa- ▁athena- ▁confine- ▁unlever- ntelo- deductible- region- ▁elastic- ▁abrupt- ▁appropriation- ▁elderly- ▁encryption- ▁gentleman- ▁graham- ▁halves- ▁invisalign- ▁mcdonalds- ▁opportune- ▁potato- ▁unanimous- ▁vascepa- ▁vulnerability- ▁xerox- ▁horr- milligram- ▁reinvigorat- ▁activi- soft- ▁prototyp- ological- ▁consequent- public- figure- licensing- ▁adjudicat- ▁amphenol- ▁anadarko- ▁calibration- ▁concentrator- ▁denial- ▁displacing- ▁eclipse- ▁headache- ▁obesity- ▁scotland- ▁vigor- ▁welfare- ▁blessed- ▁telephon- ography- '010'- ▁accentuate- ▁cannibalize- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_en_bpe10000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.7distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_en_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 38061dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_en_bpe10000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_en_bpe10000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁our- ▁a- ▁is- ▁on- ▁for- ▁as- ▁are- ▁have- ▁you- ▁this- ▁with- ▁i- s- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ▁think- ▁what- ▁not- ▁some- ▁us- ▁by- ▁or- ▁about- ▁well- ▁new- ▁growth- ▁can- ▁which- ▁its- ▁do- ▁was- ▁very- ▁an- ▁there- ▁these- ▁also- ▁market- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- ▁just- ▁been- ▁has- ▁weve- ▁those- ▁over- ▁they- ▁if- ▁first- ▁time- ▁customers- ▁where- ▁into- ▁how- ▁like- ▁results- ▁out- ▁other- ▁really- ▁last- ▁their- ▁up- ▁expect- ▁one- ▁than- ▁your- ▁because- ▁look- ▁through- ▁when- ing- ▁any- ▁thats- ▁get- ▁call- ▁strong- ▁then- ▁sales- ▁good- ▁had- ▁second- ▁believe- ▁revenue- ▁company- ▁years- ▁performance- ▁product- ▁make- ▁lot- ▁much- ▁financial- ▁capital- ▁could- ▁both- ▁cost- ▁them- ▁terms- ▁future- ▁right- ▁dont- d- ▁impact- ▁forward- ▁next- ▁little- ed- ▁products- ▁want- ▁bit- ▁value- ▁customer- ▁work- ▁increase- ▁back- ▁number- ▁may- ▁take- ▁markets- ▁while- ▁higher- ▁end- ▁opportunities- ▁able- ▁half- ▁kind- ▁way- ▁during- ▁operating- ▁significant- ▁better- ▁most- ▁things- ▁cash- ▁know- ▁go- ▁still- ▁focus- ▁say- ▁statements- ▁part- ▁being- ▁im- ▁provide- ▁should- ▁point- ▁across- ▁lower- ▁made- ▁important- ▁opportunity- ▁2- ▁team- ▁theres- ▁third- ▁today- ▁need- ▁many- ▁rate- ▁line- ▁people- ▁fourth- ▁strategy- ▁looking- ▁down- ▁continued- ▁before- ▁no- ▁around- ▁youre- ▁level- ▁portfolio- ▁management- ▁working- ▁industry- ▁additional- ▁due- ▁price- ▁investment- ▁share- ▁thank- ▁great- ▁actually- ▁only- ▁even- ▁here- ▁give- ▁demand- ▁come- ▁seeing- ▁plan- ▁few- ▁costs- ▁progress- ▁overall- ▁further- ▁development- ▁same- ies- ▁service- ▁current- ▁different- ▁seen- ▁margin- ▁doing- ▁me- ▁services- ▁result- ▁technology- ▁coming- ▁data- ▁earnings- ▁change- ▁positive- ▁guidance- ▁key- ▁grow- ▁again- ▁drive- ▁start- ▁position- ▁process- ▁investments- ▁full- ly- ▁past- ▁forwardlooking- ▁3- ▁said- ▁high- ▁got- ▁did- ▁turn- ▁given- ▁within- ▁basis- ▁expected- ▁based- ▁increased- ▁who- ▁improve- ▁support- ▁sure- ▁my- ▁focused- ▁potential- ▁question- ▁environment- ▁pricing- ▁help- ▁sort- ▁businesses- ▁months- ▁large- ▁such- ▁making- ▁remain- ▁done- ▁maybe- ▁something- ▁production- ▁strategic- ▁information- ▁ability- ▁balance- ▁already- ▁platform- ▁program- ▁couple- ▁move- ▁side- ▁interest- ▁quarters- ▁best- ▁mentioned- ▁several- ▁talk- ▁operations- ▁each- ▁acquisition- ▁early- ▁expectations- ▁rates- ▁assets- ▁q- ▁changes- ▁put- ▁use- ▁feel- ▁pleased- y- ▁segment- ▁long- ▁experience- ▁certain- ▁tax- ▁period- ▁growing- ▁base- ▁including- ▁projects- ▁deliver- ▁place- ▁benefit- ▁ill- ▁continues- ▁improvement- ▁related- ▁commercial- ▁initiatives- ▁order- ▁companies- ▁areas- ▁activity- ▁driven- ▁factors- ▁margins- ▁model- ▁getting- ▁existing- ▁net- ▁levels- ▁big- ▁flow- ▁does- ▁income- ▁theyre- ▁term- ▁pretty- ▁after- ▁addition- ▁volume- ▁clients- ▁course- e- ▁capacity- ▁probably- ▁fact- ▁id- ▁thing- ▁might- ▁under- ▁build- ▁having- ▁day- ▁marketing- ▁mix- ▁always- ▁competitive- ▁risk- ▁global- ▁why- ▁release- ▁every- ▁prices- ▁actual- ▁solutions- ▁mean- ▁leverage- ▁quite- ▁project- ▁another- ▁saw- ▁brand- ▁yes- ▁top- ▁supply- ▁offset- ▁update- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁conference- ▁digital- ▁quality- ▁obviously- ▁between- ▁let- ▁efforts- ▁off- ▁todays- ▁shareholders- ▁area- ▁certainly- er- ▁far- ▁system- ▁prior- ▁building- ▁whether- ▁expenses- ▁group- ▁less- ▁credit- ▁world- ▁continuing- ▁trying- ▁real- ▁primarily- ▁operational- ▁understand- ▁amount- ▁retail- ▁questions- ▁success- ▁view- ▁low- ▁pipeline- ▁taking- ▁2017- ▁inventory- ▁range- ▁outlook- ▁consumer- ▁improved- ▁return- ▁ahead- ▁review- ▁companys- ▁revenues- ▁set- ▁major- ▁since- ▁fiscal- ▁risks- ▁expense- ▁profitability- ▁timing- ▁capabilities- ▁5- ▁partners- ▁materially- ▁increasing- ▁presentation- ▁4- ▁however- ▁benefits- ▁youve- ▁longterm- ▁confident- ▁ago- ▁hard- ▁2018- ▁increases- ▁acquisitions- ▁driving- ▁plans- ▁excited- ▁total- ▁expand- ▁own- n- ▁solid- ▁talked- ▁differ- ▁distribution- ▁china- ▁1- ▁particularly- t- ▁sheet- ▁consistent- ▁expansion- ▁stores- ▁approach- ▁invest- ▁space- ▁small- es- ▁keep- ▁asset- ▁bring- ▁compared- ▁structure- ▁debt- ▁sense- ▁programs- ▁patients- ▁numbers- ▁clear- ▁perspective- ▁improving- ▁versus- ▁needs- ▁add- ▁whats- ▁measures- ▁average- ▁10- ▁beginning- ▁close- ▁currently- ▁begin- ▁trends- ▁significantly- ▁care- al- ▁network- ▁2016- ▁open- ▁create- ▁points- ▁starting- ▁conditions- ▁please- ▁okay- ▁per- ▁together- ▁strength- ▁volumes- r- c- ▁energy- ▁scale- ▁specific- ▁decline- ▁anything- ▁brands- ▁throughout- ▁organization- ▁detail- ▁transaction- ▁execution- ▁towards- ▁contract- ▁run- ▁advantage- ▁profit- ▁remains- ▁include- ▁health- ▁gas- ▁tell- ▁systems- ▁larger- ▁greater- ▁efficiency- ▁material- ▁spend- ▁teams- ▁organic- ▁comments- ▁yet- ▁international- ▁uncertaint- ▁events- ▁store- ▁ongoing- ▁deal- ▁investors- ▁fully- ▁example- ▁longer- ▁cause- ▁control- ▁successful- ▁innovation- ▁returns- ▁power- ▁trend- m- ▁announced- ▁infrastructure- ▁everyone- ▁find- ▁once- ▁along- ▁discuss- ▁started- ▁europe- ▁oil- ▁talking- ▁recently- ▁reduce- ▁track- ▁difficult- ▁6- ▁later- ▁particular- ▁case- ▁achieve- ▁similar- ▁improvements- ▁allow- ▁lines- ▁momentum- ▁providing- ▁note- ▁become- ▁completed- ▁segments- ▁clearly- ▁press- ▁associated- ▁too- ▁try- ▁board- ▁guess- ▁activities- ▁discussed- ▁report- ▁beyond- ▁previously- ▁morning- ▁access- ▁manage- ▁impacted- ▁general- ▁confidence- ▁issues- ▁regarding- ▁equity- ▁remarks- ▁used- ▁meaningful- ▁anticipate- ▁decision- b- ▁offering- ▁adjusted- ▁sell- ▁against- ▁record- ▁delivering- ▁effect- ▁reduction- ▁launch- ▁economic- ▁offer- ▁positioned- ▁reason- ▁website- ▁money- ▁equipment- ▁using- ▁contracts- ▁subject- ▁finally- ▁pay- ▁items- ▁pressure- ▁integration- ▁cycle- ▁target- ▁slightly- g- ▁guys- ▁quickly- ▁although- ▁actions- ▁without- ▁selling- ▁leadership- ▁relative- ▁channel- ▁especially- ▁resources- ▁meet- a- ▁corporate- ▁construction- ▁comes- ▁re- ▁spending- ▁possible- ▁unique- ▁means- ▁manufacturing- k- ▁direct- in- ▁incremental- ▁remind- ▁facility- ▁percentage- ▁combination- ▁size- ▁online- ▁maintain- '1'- ▁details- ▁complete- ▁employees- ▁included- ▁execute- ▁front- ▁either- ▁taken- ▁multiple- ▁content- ▁local- ▁rest- ▁show- ▁ensure- o- ▁until- ▁thinking- ▁stock- ▁challenges- ▁transition- ▁annual- ▁job- ▁loan- ▁didnt- ▁various- ▁investing- ▁address- ▁color- ▁client- ▁whole- ▁free- ▁thanks- ▁type- ▁partner- ▁negative- ▁previous- ▁reflect- x- ▁wanted- ▁leading- ▁generate- ▁cloud- ▁exchange- ▁turning- ▁productivity- ▁month- ▁marketplace- ▁single- ▁relationships- ▁short- ▁regulatory- ▁public- ▁home- ▁attractive- ▁date- ▁stronger- ▁am- ▁bank- ▁solution- ▁ive- ▁issue- ▁happen- ▁deals- ▁largest- ▁committed- ▁consumers- ▁clinical- ▁thought- ▁ways- ▁goal- ▁discussion- ▁profitable- ▁despite- ▁sale- ▁relatively- ▁following- ▁delivered- ▁shift- ▁favorable- ▁anticipated- ▁savings- ▁likely- ▁life- ▁combined- ▁2019- ▁chain- ▁days- ▁youll- ▁transformation- ▁bottom- ▁provided- ▁underlying- ▁orders- ▁ebitda- ▁lead- ▁havent- ▁prepared- ▁cant- ▁delivery- ▁gives- '2'- ▁least- ▁nongaap- ▁serve- ▁highly- ▁though- ▁category- ▁comment- ▁government- able- ▁develop- ▁flexibility- ▁experienced- ▁moment- ▁closing- ▁generally- p- ▁respect- ▁portion- ▁dividend- ▁private- ▁built- ▁industrial- ▁majority- ▁quarterly- f- ▁entire- ▁agreement- ▁generation- ▁expanding- ▁hope- ▁18- ▁upon- ▁therefore- ▁everything- ▁specifically- ▁initial- ▁challenging- ▁effective- ▁provides- ▁efficient- ▁normal- ▁play- ▁situation- ▁accelerate- ▁currency- ▁flat- ▁- ▁doesnt- ▁property- ▁buy- ▁competitors- ▁season- ▁commitment- ▁strategies- ▁critical- ▁required- ▁answer- ▁country- ▁active- ▁un- ▁design- ▁competition- ▁step- ▁largely- ▁fair- ▁technologies- ▁12- ▁weeks- ers- ▁he- ▁hand- ▁lets- ▁software- ▁facilities- ▁pace- ▁near- ▁region- ▁state- ▁loss- ▁mobile- ▁securities- ▁final- ▁behind- l- ▁center- '4'- ▁smaller- ▁allows- ▁week- ▁extremely- re- ▁enhance- ▁insurance- ▁enough- ▁form- ▁his- ▁stable- ▁ourselves- ▁book- ▁came- ▁rather- ▁planning- ▁parts- ▁recovery- ▁safety- ▁reported- ▁ever- ▁happy- ▁makes- ▁sustainable- ▁includes- ▁times- ▁relationship- ▁unit- ▁patient- ▁sector- ▁accounts- ▁loans- ▁20- ▁away- ▁internal- ▁categories- ▁transactions- ▁enterprise- ▁reduced- ▁assumptions- ▁reach- ▁running- ▁wondering- ▁enable- ▁exactly- ▁contribution- ▁effort- ▁achieved- ▁estate- ▁account- ▁offerings- ▁metrics- or- ▁others- ▁gaap- ▁units- ▁above- ▁applications- ▁basically- ▁weather- ▁profile- ▁outside- '3'- ▁phase- ▁faster- ▁partially- ▁operate- ▁appropriate- ▁added- ▁discussions- ▁channels- ▁study- ▁accounting- ▁gain- ▁field- ▁reflects- ▁security- ▁efficienc- ▁decrease- ▁received- ▁seems- ▁exciting- ▁restructuring- ▁plant- ▁developing- ▁directly- ▁changed- ▁took- ▁middle- ▁consider- ▁investor- ▁ultimately- ▁integrated- ▁footprint- ▁platforms- ▁reasons- ▁shareholder- ▁changing- ▁adding- ▁joining- ▁decisions- ▁statement- ▁traffic- ▁community- ▁drivers- ▁typically- ▁ratio- ▁fleet- ▁premium- ▁substantial- ▁win- ▁capability- ▁january- ▁robust- ▁gains- ▁managing- ▁fund- ▁media- ▁creating- ▁options- ▁healthy- ▁17- ▁december- ▁tend- ▁8- ▁expectation- ▁purchase- ▁national- ▁almost- ▁processes- ▁news- ▁advertising- ▁importantly- ▁happening- w- ▁labor- ▁disconnect- ▁potentially- ▁natural- ation- ▁primary- ▁backlog- i- ▁understanding- ▁executing- ▁nature- ▁yield- ▁forecast- ▁water- ▁traditional- ▁food- ▁saying- ▁office- ▁meeting- ▁7- ▁bringing- ▁driver- ▁optimistic- ▁filings- ▁9- ▁planned- ▁limited- ▁excellent- ▁putting- ▁highlights- ▁mind- ▁effectively- ▁comfortable- ▁historical- ▁found- ▁needed- ▁cases- ▁march- ▁goes- ▁necessary- ▁research- ▁ask- ▁visibility- ▁targets- ▁million- ▁proud- ▁liquidity- ▁funding- ▁refer- ▁trade- ▁disciplined- ▁speak- ▁countries- ▁headwind- ▁main- ▁losses- ▁regions- ▁else- ▁comparable- ▁encouraged- ▁standpoint- ▁bigger- ▁land- ▁wouldnt- ▁15- ▁commission- ▁non- ▁recognize- ▁volatility- ▁launched- ▁page- ▁june- ▁financing- ▁maintenance- ▁never- ▁members- ▁september- ▁response- ▁extent- ▁remaining- ▁expanded- ▁obligation- ▁difference- ▁types- ▁approximately- ▁fixed- ▁late- ▁focusing- ▁asia- ▁utilization- ra- ▁takes- ▁path- ▁completion- ▁broader- ▁detailed- ▁perhaps- ▁test- ▁sold- ▁reducing- 'on'- ▁theyve- ▁economy- ▁properties- ▁ready- ▁30- ▁tremendous- ▁intend- ▁stay- ▁dollars- ▁operation- ▁partnership- ▁below- ▁direction- ▁medical- ▁fees- ion- ▁led- ▁acquired- ▁locations- ▁remainder- ▁gross- ▁capex- ▁ramp- ▁tools- ▁reflected- ▁went- co- ▁nice- ▁highlight- ▁individual- ▁engagement- ▁allocation- ▁simply- ▁legacy- ▁conversion- ▁2015- ▁biggest- ▁fairly- ▁stage- ▁successfully- ▁flows- ▁highest- ch- ▁increasingly- ▁inflation- ▁optimize- ▁fuel- ▁closely- ▁interesting- ▁shows- ▁broad- ▁history- ▁wont- ▁summary- ▁buying- ▁light- ▁requirements- ▁historically- ▁reporting- ▁commodity- ▁foundation- ▁force- ▁live- ▁pre- ▁shares- ▁opening- ▁necessarily- ▁somewhat- ▁giving- ▁goals- ▁outstanding- ▁drilling- ▁priority- ▁reconciliation- ▁19- ▁standard- ▁attention- ar- v- ▁talent- ▁periods- ▁remember- ▁dollar- ▁maintaining- ▁appreciate- th- ity- ▁expecting- ▁event- ▁mainly- ▁steps- ▁looks- ▁european- ▁trial- ▁closed- ▁factor- ▁proposition- ▁expertise- ▁capture- ▁funds- ▁exposure- ▁ones- le- ▁innovative- ▁paid- ▁b- ▁prospects- ▁hit- ▁cover- ▁present- ▁operator- ▁implementation- ▁materials- ▁itself- ▁everybody- ▁regard- ▁component- ic- ▁compensation- ▁role- ▁centers- ▁learning- ▁payments- ▁testing- ▁canada- ▁16- ▁south- ▁domestic- ▁developed- ▁approval- ▁definitely- ▁adoption- ▁priorities- ▁treatment- ▁lease- ▁true- ▁initiative- ▁safe- ▁foreign- ▁leader- ▁nothing- ▁piece- ▁policy- ▁analysis- ▁october- ▁april- ▁challenge- ▁banking- ▁created- ▁matter- ▁g- ▁realize- ▁strengthen- ▁franchise- ▁targeted- ▁noted- ▁advanced- ▁worked- ▁happened- ▁culture- ▁produce- ▁undertake- ▁application- ▁positions- ▁assume- ▁sec- to- ▁payment- ▁site- ▁resulting- ▁hold- ▁actively- ▁calls- ▁among- ▁described- ▁impacts- ▁resulted- ▁presence- ▁regional- ▁aggressive- ▁summer- ▁additionally- ▁emerging- ▁steady- ▁fall- ▁banks- ▁training- ▁context- us- ization- ▁helping- ▁retailers- ▁discipline- ▁dynamics- ▁models- ▁seasonal- ▁july- ▁mortgage- ▁road- ▁trading- ▁managed- ▁conclude- ▁designed- ▁generated- ▁huge- ▁relates- ▁leveraging- ▁players- ▁upside- ▁modest- ur- ▁coverage- ▁deposit- ▁reform- ▁car- ▁participation- ▁synerg- ▁becoming- ▁brazil- ▁idea- ▁follow- ▁evaluate- ▁speed- ▁otherwise- ▁developments- ▁f- ▁vision- ▁invested- ▁analytics- based- st- ▁absolutely- ▁de- en- ▁dynamic- ▁act- ▁complex- ▁heard- ▁implemented- it- ▁perform- ▁comp- ri- ▁yearoveryear- ▁50- ▁pursue- ▁gone- ▁wed- ▁measure- li- ▁federal- ▁room- ▁finance- ▁special- ▁providers- ▁schedule- ▁action- ▁relevant- h- ▁joint- ▁affected- ▁recognized- il- ▁effects- ▁story- ▁moved- ▁variety- ▁reminder- ▁wells- ▁reasonable- ▁adjustments- ▁helpful- ▁november- ▁reflecting- ▁must- ▁soon- ▁specialty- ▁reductions- ▁push- ▁technical- ▁enhanced- as- ▁s- ▁objectives- ▁generating- rs- ▁deep- ▁essentially- ▁source- ▁renewal- ▁compete- ▁states- ▁issued- ▁division- ▁often- ▁communities- ▁senior- ▁represents- ▁closer- ▁c- ▁advance- ▁face- ▁co- ▁demonstrate- ▁happens- ▁february- ▁performing- ▁fee- ▁users- ne- ▁decided- ▁easier- ▁america- ▁uncertainty- ▁read- ▁hear- ▁partnerships- z- ▁began- ▁california- ▁identified- ▁function- ▁east- ▁fast- ▁components- ▁engineering- ▁bookings- ta- ▁looked- ▁sites- ▁recognition- ▁fit- ▁york- year- ▁interested- ▁affect- ▁slow- ▁easy- q- ▁outcomes- ment- ▁identify- ▁independent- ▁cannot- ▁d- ▁stated- ▁pick- ▁represent- ▁established- ro- ▁drug- ▁operators- ▁underwriting- an- ▁consolidation- ▁common- ▁budget- ▁agreements- ▁video- ▁city- ▁helped- ▁smart- ▁consistently- ▁paying- ▁maximize- ▁excess- ▁achieving- ▁left- ▁frankly- ▁wins- ▁west- ▁provider- u- ▁repurchase- ▁estimate- ▁firm- ▁thoughts- ▁require- ▁compelling- ▁ground- ▁predict- ▁groups- ▁automotive- ▁raw- ▁aware- ▁double- ▁e- ▁penetration- com- ▁shown- ▁projections- ▁allowed- ▁mexico- ▁plants- ▁capitalize- ive- ▁t- ▁quick- ▁mark- ▁indicated- ▁toward- ▁presented- ▁transportation- ▁prudent- ▁roll- ▁law- ▁depending- ▁devices- ▁rapidly- ▁brought- ▁deploy- ▁supported- ▁touch- ▁folks- ▁encouraging- ▁demonstrated- ▁professional- ▁sequential- ▁recorded- ▁august- ▁outcome- ▁differentiated- ▁game- ▁degree- ▁accelerated- ▁residential- ▁auto- ▁filed- ▁occur- ▁rental- ▁receive- ▁curious- ▁grew- ▁seasonality- ▁welcome- ▁holiday- ▁extend- ▁considered- ▁deployment- ▁r- ▁showing- ▁problem- ▁substantially- ness- ▁excellence- ▁leasing- ▁suppliers- ▁option- ▁count- ▁concludes- ▁recover- ▁central- ▁drop- ▁elements- ▁remained- ▁lending- ▁consolidated- ▁conservative- ▁realized- ▁japan- ▁estimates- ▁dedicated- ▁retention- ▁canadian- ▁positioning- ▁spent- ▁correct- ma- ▁spot- ▁walk- ▁objective- ▁figure- ▁legal- ▁gets- ▁tough- ▁pro- ▁excluding- ▁supporting- ▁involved- ▁table- ▁sometimes- ▁leaders- ▁shared- ▁promotional- ▁nearly- ▁plus- ▁benefited- ▁claims- ▁feedback- ▁contributed- ▁comprehensive- ▁felt- ▁license- ▁rent- ▁subscription- ▁o- ▁truly- ▁processing- is- el- ▁section- ▁post- ▁choice- ▁wholesale- ▁contribute- ▁social- ▁card- ▁speaking- ▁involve- ▁chinese- ▁original- ▁taxes- ▁deposits- ▁whatever- ▁personal- ▁stuff- ▁spread- ▁vehicle- ▁traction- ▁external- ▁economics- ▁declines- ▁recall- la- ▁raise- ▁signed- ▁john- ▁isnt- ▁projected- ▁mike- ▁population- ▁macro- ▁aggressively- ▁proven- ▁availability- ter- ▁themselves- ▁allowing- ve- ▁seem- ▁geographic- ▁india- ▁staff- ▁creation- ▁recurring- ▁list- ▁optimization- ▁implement- ▁gave- ▁stages- ▁hopefully- ▁two- os- ▁north- ▁digits- ▁commentary- ▁internally- ▁studies- ▁updated- ▁conversations- ▁helps- ent- ▁afternoon- ▁financials- te- ▁enter- na- ▁announcement- ▁bill- ▁deferred- ▁respond- ▁collaboration- ▁location- ▁secure- ▁features- ▁known- ▁held- ▁picture- ▁acquire- ▁texas- ▁charge- ▁mostly- ▁engaged- ▁adjust- ▁air- ▁works- ▁finding- ate- ▁n- ▁fundamentals- ▁mid- ▁strengthening- ▁p- ▁explain- ▁name- ▁ladies- ▁posted- ▁completely- ▁storage- ▁shipments- up- ▁venture- ▁overview- ▁practices- ul- ▁user- ▁dividends- ▁pull- ▁accelerating- ▁efficiently- ▁keeping- ▁gentlemen- ▁housing- ▁globally- ▁mention- ▁lost- ▁called- ▁participating- ▁resource- ▁40- ▁sources- ▁meaning- ▁11- ▁spring- ▁worth- ▁ecommerce- ▁old- '00'- ▁slower- ▁alternative- ▁minutes- ▁indication- ▁constant- ▁slides- related- ▁manner- ▁trust- ▁performed- ▁calendar- ▁considering- ▁expressed- ▁journey- ▁standards- ▁contain- ▁frame- ▁reserve- est- ▁h- ▁signs- ▁compliance- ▁evaluating- ▁engage- ▁valuable- ▁element- ▁industries- ▁announce- ▁peak- ▁commitments- ▁merger- ▁peers- ▁awareness- ▁pressures- ▁strongly- ▁k- ▁con- ▁introduced- ▁enhancement- ry- ▁places- ▁launches- ia- ▁extended- ▁monitor- ▁proceeds- ▁assuming- de- ▁evolution- ▁offers- ▁upcoming- ▁superior- ▁contained- ▁contributions- ▁encourage- ▁vehicles- ▁profits- ▁evidence- ▁sharing- ▁forth- ▁comparison- ▁her- ▁pass- ▁bad- ▁multi- ▁pursuing- ▁chart- ▁provision- ▁wind- go- ▁parties- ▁networks- ▁acceleration- ▁charges- ▁broadly- ▁mining- ▁family- ▁organizations- ▁class- ▁shipping- ▁thus- ▁holding- ▁disease- ▁sign- ▁wait- ▁diversified- age- ▁stability- ▁connected- ▁starts- ▁american- ▁100- ▁break- ▁participate- ▁shopping- out- ally- ▁becomes- ▁balanced- ▁device- ▁disclosure- ce- ▁rising- ▁highlighted- ▁implementing- ▁ended- ▁reports- ▁hospital- ▁automation- ▁opposed- ▁enhancing- ▁separate- ▁willing- ▁asked- ▁shape- ▁concluded- ▁executed- ▁simple- ▁lots- ▁examples- ▁circumstances- ▁item- ▁knowledge- ▁words- ▁managers- ▁winter- ▁series- ▁geographi- ▁vertical- ▁matters- ▁wide- ant- ▁inside- ▁insight- ▁mine- ▁attract- ▁enables- ▁physicians- ▁roughly- ▁steel- ▁discussing- ▁heavy- ▁targeting- ▁publicly- ▁executive- ▁wasnt- ▁protection- ▁logistics- ▁internet- ▁exceptional- ▁concerned- ▁landscape- ▁engine- ▁aircraft- ▁slight- ▁weakness- ▁aspects- ▁yearend- se- ▁seek- ▁conclusion- um- ▁utility- ▁ownership- ▁integrate- ts- ▁search- ▁valuation- ▁structural- ▁reserves- ol- ton- ▁winning- at- ▁14- ▁approved- ▁chance- ▁curve- ▁loyalty- ▁evolving- ▁fundamental- ▁arent- ▁opened- ▁protect- ▁brief- ▁aligned- ▁agency- ▁negatively- ▁continuous- ▁enabling- ca- ▁she- ▁values- ▁travel- ▁subsequent- ▁variable- ▁label- ▁strategically- ▁rapid- ▁practice- ▁drove- ▁love- ▁begun- ▁australia- ▁views- ▁campaign- ▁typical- ▁ship- ▁connect- ▁education- ▁litigation- ▁employee- ▁importance- ti- ▁met- ▁coast- ▁origination- ▁rolling- ▁fashion- ▁officer- ▁yesterday- ▁germany- ▁13- ▁rigs- ▁trajectory- ▁mature- ▁60- ▁sounds- ▁learn- ▁mo- ▁mitigate- ▁reality- ▁secondly- ▁inventories- ▁yields- ▁deeper- ▁cautious- ▁floor- ting- ▁department- ▁mission- ▁florida- ▁carry- ▁et- ▁evolve- ▁flexible- ▁adjustment- ▁implied- ▁weak- ▁owners- ▁sustained- ▁movement- ▁repeat- ▁absolute- ▁lack- ▁harbor- ▁unless- ▁pieces- ▁updates- ▁western- ▁consecutive- ▁hearing- ▁restaurant- ▁caused- ▁replacement- lo- ▁occupancy- ▁bar- ▁rig- ▁opportunistic- ▁hotel- ▁steve- ▁determine- ▁latin- ▁freight- ▁cut- ▁exit- ▁enabled- ▁moderate- ▁agencies- ▁assortment- ▁finish- ating- ▁david- ▁paper- ▁reached- ▁sufficient- ▁underway- ▁therapy- ▁app- ▁vast- ▁sectors- ▁diversification- ▁setting- ▁leases- ▁gap- ▁stand- ▁replay- ▁except- ▁clarity- ▁utilize- ▁impacting- ▁brings- ▁rise- ▁export- ▁tool- ▁j- ▁heavily- ized- ▁human- ▁incentive- ▁outlined- ▁extra- ▁experiencing- ▁regards- ▁compare- ▁stakeholders- ▁physical- ▁cycles- ▁daily- ▁restaurants- ▁gotten- ▁retain- ▁oem- ▁imagine- ▁machine- ▁reimbursement- ▁trials- ▁environmental- ▁cancer- ▁optimiz- ▁figures- ▁x- ▁problems- ▁watch- ▁consumption- ▁depreciation- ▁dramatically- me- ▁latest- ▁2020- ▁insights- ▁provisions- ▁disruption- ▁st- va- ▁experiences- ▁wish- tic- ▁asking- ▁ex- ▁weaker- ▁consideration- ▁contributing- ▁clean- ▁collection- ▁shortterm- ▁discount- ▁entered- ▁chief- ▁returning- ▁guests- ▁upgrade- ▁depends- ▁choose- ▁framework- mo- ▁exceeded- ▁usage- ▁hiring- ▁sub- ▁introduce- ▁president- ▁apply- ▁carefully- ▁declined- ▁sequentially- ▁ma- ▁guide- ▁electric- et- ▁reference- ▁expenditures- ▁producing- ▁fresh- ▁communications- ▁managements- ▁occurred- line- ▁instead- ▁stream- ▁immediately- ▁v- ▁productive- ▁usually- ▁gold- ▁packaging- ba- ▁temporary- ▁downturn- ▁attributable- ▁communication- ▁settlement- ▁convert- ▁advantages- ▁coal- ▁grown- ▁requires- ▁connection- ▁ensuring- ▁originally- ▁cap- ▁shortly- ac- ▁gaining- ▁box- vi- ▁fill- ▁amounts- ▁se- ▁shop- ▁scope- ▁institutional- ▁complexity- ▁serving- ▁condition- ▁webcast- ▁ad- ▁medium- 'no'- ▁hasnt- am- ▁shifting- ▁homes- ▁bo- ▁handle- ▁powerful- ad- ize- ▁doubledigit- ▁rules- ▁introduction- ▁diverse- ▁leads- ▁supplier- ▁launching- ▁90- izing- ▁concept- ▁wealth- ▁behavior- ▁political- ▁wireless- ▁initially- ▁transfer- ▁delay- ▁balances- ex- ▁sit- ▁leave- ▁distributors- ▁manufacturers- ▁africa- ▁metric- ▁cars- ▁audience- ▁purpose- ▁hotels- ability- ▁monitoring- ▁followed- ▁attending- ▁carriers- ▁soft- ▁numerous- ▁transform- ▁tenants- ▁hedge- ▁alternatives- ▁street- ▁reliability- ▁ecosystem- ▁youd- ▁briefly- ▁moves- ▁hardware- ▁satisfaction- ▁w- ▁usual- ▁associates- ▁administration- ▁strongest- ▁elevated- ▁pension- ▁creates- ▁intelligence- ▁basin- ▁concern- ▁learned- ated- ▁proprietary- ▁merchandise- ▁laid- ▁addressing- ▁busy- con- ▁revise- ▁fewer- ▁jim- ▁dealers- ▁differences- ▁duration- ary- ▁scheduled- mi- ▁indications- ▁express- ▁fiber- ▁him- ▁vendors- ▁produced- ▁buyers- ▁hospitals- ▁caution- ▁message- ▁m- ▁agents- ▁extensive- ck- ▁theyll- ▁decide- ▁proportion- sh- ▁waiting- ▁feeling- ▁contact- ▁pilot- ▁installed- ▁facing- ▁minimum- ▁hours- ▁tariffs- ▁phone- ▁select- ▁decreased- ▁milestones- ▁normally- ▁sa- ▁reiterate- ▁positively- ▁package- ▁multiyear- ▁dependent- ▁deployed- ▁declining- ▁portfolios- ▁awards- ▁supplemental- ▁careful- ▁showed- ▁decade- ▁reinvest- ▁dedication- ▁regular- ▁match- ▁intended- ▁ramping- ▁secured- ▁personnel- id- ▁emphasis- ▁normalized- ▁vi- ▁immediate- ▁concerns- ▁americas- ▁negotiations- ▁cetera- ▁magnitude- ▁accretive- ▁house- ▁defense- ▁assessment- ▁delays- ▁depend- ▁via- ▁told- ▁somebody- ge- ine- ▁constantly- ▁policies- ▁stop- ▁assess- ▁extension- ▁covered- po- ▁tight- ▁align- ▁france- ▁lowest- ▁bought- ▁nicely- sa- ▁differentiate- ▁progressing- ▁quantify- ▁turnaround- ▁demonstrates- ▁deliveries- ▁enrollment- ▁map- ph- ▁prove- ▁purchases- ▁purchasing- ▁divisions- man- ▁suggest- ▁playing- ▁25- son- ▁court- ▁conversation- ▁heart- ▁super- ▁establish- ▁released- ▁lives- ▁adapt- ▁maintained- ▁liability- ▁agree- ▁benefiting- ▁students- im- ▁useful- ▁bid- ▁creative- ▁sand- ▁truck- ▁kinds- ▁puts- ▁solar- ▁competitor- ▁organizational- ▁incredibly- ▁werent- ▁player- ▁licensing- ▁topic- ▁tracking- ▁draw- ▁supplement- ▁volatile- ▁functions- ▁delayed- ▁crude- ▁explore- ▁aspect- ▁plays- ▁spectrum- ▁defined- ▁expensive- ▁hoping- ▁preferred- ▁rolled- ▁placed- ▁amortization- ▁relating- nt- ▁nearterm- ▁fire- ▁possibly- ors- ▁suite- ▁goods- ▁finished- ▁highquality- ▁status- ▁healthcare- ▁aim- ▁desire- ▁bulk- ▁longerterm- ▁embedded- ▁possibility- ▁drives- ▁concerning- ▁migration- ▁pacific- ▁emphasize- ▁describe- ▁assumption- ▁sourcing- ▁outperform- op- mp- ▁exceed- ▁simplify- ▁turned- ▁evaluation- ▁di- ▁drag- ▁completing- ▁sports- ▁tried- ▁pattern- ▁offshore- ▁lag- ▁tied- ▁organically- ▁participants- ▁consulting- ▁person- ▁breadth- ▁determined- ▁exploration- ▁slowdown- ▁comps- ▁sustain- ▁appear- ▁integrating- ms- ▁responsible- ▁promotions- ▁green- ▁replace- ▁aggregate- ▁solve- ▁wage- ▁scenario- ▁indicators- ▁depth- ▁milestone- ▁updating- ▁exact- ▁branch- ▁intent- ▁buyback- ▁surprised- pa- ▁pu- ▁pushing- ▁comparisons- ▁unusual- ▁drill- ▁dealing- ▁thirdparty- ▁incurred- ▁opinion- ▁regulations- ▁inter- ▁eye- ▁according- ▁utilities- ▁science- ▁impressive- ▁sets- ▁differently- ▁ideas- ▁hurricane- ▁tech- ian- ▁belief- ▁jobs- ▁criteria- ▁patterns- ▁games- ▁spreads- ▁filing- ▁cross- ▁accomplished- ▁unfavorable- ▁percent- ke- ▁en- ish- ▁churn- ▁houston- ▁split- ▁l- ▁buildings- ▁file- ▁accordingly- ▁seeking- ▁overhead- ci- ▁mass- ▁transparency- ▁head- ▁sustainability- ▁weighted- ▁contributor- ▁join- ▁unchange- ▁chris- ▁regulation- ▁institutions- ▁fx- ▁member- ▁bridge- ▁purposes- ▁lose- ▁age- ▁stress- ▁estimated- ▁mill- ▁couldnt- gen- ▁entering- ▁appears- ▁80- bo- ▁lift- per- ▁analysts- ▁guest- ▁partly- ▁acquiring- ▁reliable- ▁structures- tr- ▁resolution- ▁jeff- ▁northern- ▁applied- ▁laws- ▁selective- ▁southern- ▁followup- ▁sound- ▁retirement- ▁located- ▁monthly- em- ▁accomplish- vo- ▁verticals- ▁softness- ▁minimal- ▁living- ▁someone- ▁edge- ▁summarize- om- ▁square- ▁enjoy- ▁complement- ▁easily- ▁eventually- ▁impairment- ▁plenty- ▁em- ▁itll- ▁revised- ▁raising- ▁le- ▁switch- ▁fda- ll- ▁administrative- ▁functionality- ▁disclosed- ▁producers- ▁ceo- ▁entirely- da- ▁pure- ▁earn- ▁written- ▁newer- ▁diversity- ▁influence- ▁regulators- ▁notice- ▁ro- ▁thoughtful- time- ▁effectiveness- ▁rating- ▁prepare- ▁connectivity- ▁considerable- ▁rollout- ▁minute- ▁confirm- ▁globe- end- ▁tom- ▁intention- ▁pool- ▁dis- ▁stabilize- ▁colleagues- ▁servicing- ▁frequency- ▁rail- ▁introducing- ▁stack- ▁input- ▁index- ▁sitting- ▁maturity- ▁offsetting- ▁regardless- ▁doubt- ▁rule- ▁perfect- ted- ring- ▁cell- ▁adjusting- ▁approvals- ▁print- ▁newly- ▁borrowing- ▁capable- ▁manager- ▁books- ▁seasonally- ▁prime- ▁acreage- ▁factory- ▁diversify- ▁thousands- ▁indeed- ▁avoid- ▁hybrid- ▁entertainment- ▁dan- ▁owned- ▁tenant- ▁display- tion- ▁published- ▁0- ▁talented- ▁eps- ▁refinancing- ▁transmission- ▁repair- ▁knew- di- ▁upper- ▁reviewing- ▁proposed- ▁waste- ▁treat- ▁star- back- ▁retailer- ps- ▁characterize- ▁won- ▁round- ▁nor- ▁firms- ▁bear- ▁anybody- ▁deploying- ▁communicate- ▁older- ▁dramatic- ▁lean- ▁cable- ▁onetime- ▁incredible- ▁exception- ▁exclude- ▁seamless- ▁modeling- ous- ▁amazon- ▁utilizing- ▁wave- ▁tv- ▁wonderful- ▁dialogue- ▁skills- ▁specifics- ▁demonstrating- ▁reinsurance- ▁bio- be- ▁promotion- ▁legislation- ▁michael- ▁levers- ▁spoke- ▁millions- ▁scott- ▁indicator- ▁check- ▁synergy- ▁ratios- ▁horizon- ▁engaging- ▁entry- ▁70- ▁innovations- ▁concentration- ▁san- ▁reflection- ▁voice- ▁feature- ▁length- ▁damage- bi- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁latter- ▁preparing- ▁menu- do- ▁streams- ▁candidates- ▁unfortunately- ot- ▁cities- ance- ▁referring- ▁facts- ▁headcount- ator- ▁committee- ▁dealer- ▁advisory- ▁fundamentally- ▁mr- ▁vessels- ha- ho- ▁continuously- ▁limit- ▁equal- ▁permian- ▁massive- ▁exist- ▁basic- ▁assist- ▁hands- ▁load- ▁translate- ▁micro- ▁worlds- ▁measured- ▁offices- ▁formal- ▁movements- ▁facilitate- ▁essential- ▁red- ▁installation- ▁gulf- j- ▁documents- ▁gaming- ▁procurement- ▁procedures- ▁heading- ▁incentives- ▁al- ▁competing- ▁fantastic- ▁dave- ▁bob- ▁appropriately- ▁greatest- ▁op- pe- ▁ca- ▁merchandising- ▁branches- ▁reaching- ▁advertisers- ▁ultimate- ▁electronic- ▁communicated- ▁night- ▁award- ▁beliefs- market- ▁block- ▁electronics- ▁exercise- ▁selected- ▁payers- ▁distributor- ▁physician- ▁fine- ▁web- ▁selection- ▁hundreds- ▁purchased- ▁uptick- ▁analyst- ▁dry- ▁none- ▁vary- he- nd- ▁door- ▁mode- ▁challenged- ▁modestly- ▁became- ▁faced- ▁adverse- ▁credits- ▁receiving- ▁park- ▁exclusive- ▁assurance- ▁recognizing- ▁proactive- ▁ho- ▁equally- bs- ▁campaigns- ▁hes- ▁extraordinary- ▁disposition- ▁promising- ▁affordable- ▁listening- ist- ▁jump- ▁achievements- ▁strengths- ▁terrific- ▁cadence- ▁combine- ▁succeed- ▁liabilities- ▁vendor- ▁harder- ▁save- ▁notable- ▁strengthened- ▁worldwide- ▁rich- ▁collections- ▁controls- ▁claim- ▁relate- ▁elaborate- ▁medicare- ▁wrong- ▁tests- ▁bunch- ▁disposal- ▁upfront- ▁staffing- ▁carrier- ▁extending- ▁promote- ▁responsibility- ig- ▁accurate- ▁lenders- ▁continually- ▁uses- ▁modern- ▁receivables- '9'- ▁ip- ▁rents- ▁euro- ▁surprise- ▁professionals- ▁served- ▁metal- ling- ▁predictable- ▁navigate- ▁bond- ▁initiated- ▁fed- ▁inform- ▁u- ▁pe- ▁advancing- ▁train- ect- ▁explained- ▁raised- net- ▁paul- one- ▁meetings- ▁grade- ▁uniquely- ▁blue- ▁tri- ▁agenda- ▁worse- ▁wants- ▁kick- ▁dose- ▁offered- ▁collect- ▁listen- ▁pain- ▁compression- ▁request- ▁beneficial- ▁convenience- ▁behalf- ▁rights- ▁individuals- ▁hedging- ▁sophisticated- ▁comfort- ▁anyone- ▁rebound- ▁preliminary- ▁environments- ▁format- ▁internationally- ▁anticipating- ▁innovate- ▁runway- ▁joined- ▁secondary- less- ▁realizing- ▁reset- ill- ▁announcements- ▁guarantees- land- ▁feed- ▁supports- ▁el- ▁es- ▁wrap- ▁consistency- ▁releases- ▁funded- ▁understood- ▁surface- ▁brian- ▁sea- ▁satisfied- ▁aerospace- ▁uncertain- ▁continuation- ▁acceptance- ▁sp- ▁minimize- ▁pending- ▁pharmaceutical- ▁principles- ▁branded- ▁black- ▁geography- ▁rock- ▁sellers- ▁affecting- ▁li- ▁indicate- ▁link- ▁agent- ng- ▁preparation- ▁discovery- ▁appeal- ▁efficacy- ▁architecture- ▁eliminate- ▁advisers- pro- ▁party- ▁occurring- ▁evident- ▁translation- ▁z- ▁telling- ▁stick- ▁excitement- ▁aftermarket- ▁lu- ▁identifying- ip- lu- ▁somewhere- ▁constraints- ▁drugs- month- ▁pushed- ▁watching- ▁characteristics- ▁equation- ▁bright- ▁picking- ▁alignment- ▁situations- ▁permanent- ▁anywhere- ▁conjunction- ▁fix- ut- ▁renewable- ▁london- ▁ne- ▁promise- ▁favor- ▁distributed- ▁analyze- ▁ebit- ▁optimal- ▁linked- ▁optimism- ▁obvious- ▁hopeful- ▁earning- ▁clarify- ful- ▁diligently- ▁respective- ▁visit- ▁broadcast- ▁fluctuations- ▁shifts- ▁marine- ▁agreed- ▁reverse- ▁pi- ▁noise- ▁contains- ▁trucks- ▁virtually- ▁divestiture- ▁reputation- over- ga- ▁cards- ▁hire- ▁constitute- und- ▁patent- ▁wood- ▁contracted- ▁pickup- ▁word- ▁interim- ▁requirement- ir- ▁slowing- ▁three- ▁assumes- ▁yeartodate- ▁eastern- ▁custom- ▁reliance- ▁joe- ▁feet- ▁enormous- ▁signing- ▁prefer- ▁families- ▁pipe- ▁openings- ▁ed- ea- ence- ▁notably- ▁currencies- ty- ▁define- ▁competitiveness- ▁liquid- ▁complicated- pi- ure- ▁booking- ▁represented- ▁stabilized- ▁variabilit- ▁rely- ▁disclose- ▁background- ver- ▁catch- ▁transparent- ▁deck- ▁gen- ▁alone- ▁exceeding- ▁ci- ▁calculation- ▁maximizing- ▁guarantee- ▁decades- tax- ▁school- ▁accomplishments- ▁burn- ▁nuclear- ▁notes- ▁unlock- ▁additions- ▁structured- ▁shorter- ▁appetite- ▁refine- ag- ▁consolidate- ▁philosophy- ▁instance- ▁hot- ▁television- ▁corresponding- ▁midpoint- ▁mixed- ▁sc- ▁unknown- ▁24- ▁staying- ard- ▁qualified- ▁relation- ▁hurricanes- ▁man- ▁ra- ▁smooth- ▁startup- ▁grid- ▁former- ris- ▁renewed- ▁personally- ▁accepted- ions- ▁gained- ▁terminal- ▁upgrades- ▁familiar- ▁la- ▁experts- cl- ▁commissions- ▁recruiting- ▁cat- ▁ticket- ▁virtual- ▁obligations- of- ▁sorry- ▁partnering- ▁corporation- ▁student- ▁opex- ▁complementary- ▁na- ▁memory- ▁method- ▁prospective- ▁gradually- ▁classes- un- ▁realization- ls- ▁prevent- ▁allocate- ▁exploring- '7'- ▁white- ▁formula- ▁lock- ▁passed- ▁proceed- ▁bidding- gu- ▁audit- ▁contractual- ▁closure- ▁addressed- ▁career- ▁macroeconomic- ▁math- hi- tro- ▁matt- ▁reaction- ▁straight- ▁appreciation- ▁carbon- ▁tangible- ▁inherent- ▁neutral- ▁election- ▁representing- ▁guided- ▁engines- ▁onto- gs- ▁entity- ▁beverage- ▁gathering- ys- gi- ▁self- ▁fronts- ▁language- ▁choices- ins- ▁vice- ▁franchisees- ▁fluid- ▁premiums- ▁stabilization- ▁financially- ▁rampup- ▁ta- ▁designs- ▁rob- ▁covenant- ▁kevin- ▁demands- ▁disclaim- ▁royalty- ▁burden- cs- ▁tim- ▁progression- ▁awarded- ▁softer- ▁weight- ▁forecasting- ▁adjacent- '8'- port- '6'- ven- ▁enterprises- ▁priced- ▁inflection- ▁generic- ▁picked- ▁noncash- ▁urban- ▁window- ▁refining- ▁sensitive- ▁version- ▁ri- ▁funnel- ▁chemical- ▁buyer- ▁adds- ▁code- ▁budgets- ▁sentiment- ▁reasonably- ▁converting- ab- ▁amazing- ping- mer- ▁constructive- ▁shouldnt- ▁wider- ▁booked- ▁timely- ▁mechanism- ▁pharma- ▁broaden- ▁reps- ▁proactively- ▁recycling- ▁subscribers- ▁downward- ▁ranges- ▁answers- ▁200- ▁gr- ier- ▁earned- ▁transport- ▁charter- ▁testament- ▁operated- ▁ni- '5'- ▁firmly- ial- ▁host- ▁developers- ▁animal- ▁russia- ▁pack- ▁boost- ▁arise- ▁meant- ▁sight- ▁frac- ▁refresh- ▁lay- ▁2014- ▁diligence- ▁referred- ie- ▁premier- ▁lowering- ▁fy- ▁row- ber- sp- ▁storm- ▁da- ▁totally- ▁wonder- ▁proposal- ▁barrels- ▁letter- ▁trending- tt- ▁indicative- ▁flex- ▁supportive- ▁acknowledge- ▁whilst- ▁shifted- ▁motor- ▁severe- ▁master- ▁traditionally- ▁downstream- ▁standing- ▁returned- red- ru- ▁definition- ▁shelf- ner- ▁heat- ▁consequence- ▁capturing- ▁registration- ▁achievement- ▁naturally- io- day- ▁pointed- ▁pa- ▁cyclical- ▁signal- ▁marked- ▁upward- ▁steadily- ▁react- ▁artificial- ▁applicable- ▁valueadded- ▁treated- ▁resilient- ny- ▁feels- ▁radio- ▁concentrated- ▁programming- ▁harvest- ▁anticipation- ▁properly- ▁greatly- 'off'- ▁tailwind- ▁ba- ▁bonds- ▁functional- ▁listeners- ▁furthermore- ▁ru- ▁serious- ▁commodities- by- ▁employment- ▁audio- ▁principal- ▁apparel- ▁entities- ▁membership- ▁ge- ▁ratings- ▁implications- ▁semiconductor- ▁visible- ▁leg- ▁owner- ▁fi- res- ▁composition- ▁authorities- ▁iot- ▁messaging- ni- ▁literally- ▁layer- fe- ▁warehouse- ▁resolved- ▁broadband- ▁write- ▁announcing- ▁equivalent- ▁repositioning- ▁indirect- ▁transactional- ▁monetize- ▁handling- ▁qu- ▁turnover- ▁historic- ▁economies- ▁spain- let- ▁assure- ▁united- ▁establishing- ns- ▁certainty- ▁greg- ▁kept- ging- ▁brexit- ▁italy- ▁regulated- ▁hired- ▁art- ▁discontinued- ▁separation- ▁sizes- all- ▁amongst- ▁beauty- ▁scientific- ▁territories- ▁lab- ▁import- ▁payroll- ▁redevelopment- ▁mar- ▁ii- ▁calling- ▁cautionary- ▁fits- ▁trans- ▁merchant- ▁military- driven- ger- ▁losing- ▁yourself- ▁fruit- ▁tier- ▁operationally- rate- ▁tariff- ▁dc- ▁po- ▁attracting- ▁adopted- ▁pet- fi- ▁ja- ▁technological- ▁endpoint- ▁cells- ▁afford- ▁responding- ▁bullish- pt- ical- ▁evidenced- ▁knowing- ▁reflective- ▁streamline- ▁copper- ▁predominantly- ▁absorb- ▁ti- ▁northeast- ▁quicker- ities- ▁strive- ▁hub- ▁southeast- ▁standalone- ▁attrition- ▁washington- ▁ha- ▁crop- ▁slowed- ▁differential- king- ▁therell- ▁database- ▁personalized- ▁balancing- ▁closures- ▁pharmacy- ▁assumed- ship- load- ▁highlighting- ▁pause- ▁overseas- ▁threat- ▁poor- tan- ▁hitting- ▁elsewhere- ▁precision- ▁machines- ▁ease- ▁handful- ▁beat- ▁cold- ▁swap- ▁arrangements- ▁allowance- ▁carolina- ▁va- ten- ▁territory- ▁medicine- ▁description- ens- ▁prospect- ▁sun- ▁meantime- ▁materialize- ▁adequate- ▁theme- ▁intellectual- ▁mobility- ▁transitioning- ▁controlling- ▁fortunate- ▁sizable- ▁samestore- ▁wall- ▁reinforce- ▁referenced- ▁chosen- ▁payout- ▁carried- ▁lo- ▁airlines- ▁deployments- ▁copy- ▁combining- ▁fa- ▁issuance- cu- ▁transforming- ▁contractors- gg- ▁speaks- ▁vote- ▁uk- ▁capitalized- ▁industryleading- ld- ▁alluded- den- ▁noncore- ▁upstream- ▁pulling- ▁decent- ▁receivable- ▁similarly- ▁ore- ▁sooner- ▁tender- ▁route- ▁contracting- ▁absorption- ▁appendix- ▁conducted- ▁definitive- ▁lifetime- ▁automated- ▁differentiator- ▁lumpy- ▁install- ▁conduct- ▁ka- top- ▁shut- ▁foot- od- ▁midstream- ▁improves- ▁adopt- ▁licenses- ▁shipment- ▁governance- ▁takeaway- ▁te- ▁electricity- ▁output- ology- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- cc- ▁maximum- ▁repayment- ▁ver- ▁intensity- ▁hong- ncy- ▁apple- ▁kong- ▁agile- ▁carrying- ▁separately- ▁ag- ▁jack- ▁surgical- ▁disappointed- les- ▁si- ▁port- ▁sum- ▁judgment- ▁undu- ell- ▁listed- ▁minor- ▁reviews- ▁cutting- ▁whereas- ▁billing- ▁workers- ▁remove- ▁governments- ▁played- ▁domain- ▁body- ▁german- way- ▁wa- ▁principally- ▁methodology- ▁dr- ▁ken- ▁schedules- ▁presenting- ▁therapeutic- ▁chicago- ▁presentations- ▁forms- ▁farm- ▁forecasts- ▁scaling- ▁spite- tu- tech- ▁korea- ▁email- ▁argentina- ▁turns- ▁rewards- ▁cfo- ▁therapies- ▁throughput- ▁lifestyle- ▁foreseeable- ▁pipelines- ▁observed- ▁applying- ▁fifth- ▁introductions- ▁merchants- ▁resolve- ▁er- ▁successes- ▁duty- ▁instore- ▁whom- ▁packages- bu- ▁catalyst- ▁ordering- ▁mu- ▁attack- ▁diesel- ▁cal- ▁satellite- ▁sensitivity- ▁proof- ▁approaches- ▁narrow- ▁battery- ka- ▁screen- ▁incur- board- ▁inflationary- ▁correctly- ▁manufacturer- ▁google- ▁investigation- ▁disruptive- ▁emerge- ▁covering- ▁luxury- ▁apart- ▁delaware- ▁doubled- ▁mi- ap- ▁31- nc- ▁billings- ▁securing- ▁intense- ▁panel- led- ▁image- ▁profitably- ▁underground- ▁noticed- ▁subscriber- ▁trusted- ▁decreases- ▁valuations- ▁laser- ▁identity- ▁delighted- ler- ▁strike- ▁measurement- ▁constrained- ▁telecom- ▁pulled- ▁bankers- ▁tail- ▁remote- ▁casino- ▁scenarios- fa- erto- ▁causing- ▁explanation- point- ▁downside- ▁ir- ▁slowly- ▁warm- ▁campus- ▁prepayment- ▁inhouse- ▁gradual- ▁approaching- ▁simultaneously- ▁par- med- ▁jurisdictions- ▁marks- ib- ▁interface- ▁favorably- ▁considerably- ▁expansions- state- ▁forecasted- lt- ▁worldclass- ▁hedges- ▁believes- ▁expenditure- ▁forma- ▁commerce- ▁niche- ▁exceptionally- ▁deeply- ▁myself- ▁flight- ▁completions- ▁utilized- fin- ix- ▁mindful- and- ▁shipped- ▁remarkable- the- ▁ingredients- tra- ▁moments- ▁reviewed- ▁finalized- ▁conventional- ▁engagements- ▁accommodate- ▁allocated- ▁divest- eg- ▁passion- ▁vessel- ▁rare- ▁graph- ▁ar- ▁destination- ▁saas- ▁weekend- ▁ample- ▁spec- ▁commented- ▁flu- ▁converted- ▁integrity- ▁monetization- side- ▁supplies- ▁renovation- ▁holidays- ▁bonus- ▁station- ient- ▁attributes- der- ▁nextgeneration- ▁surgery- ▁bi- ▁climate- ▁payable- ▁dive- ▁task- ▁airline- ▁anyway- ▁persist- ▁normalize- ▁progresses- ▁leaving- ▁obtain- ▁consultants- ▁attempt- ▁parallel- ▁fulfillment- ▁doctors- ▁enthusiasm- ▁rep- ▁relief- ▁sides- ative- ▁exists- ▁touched- ▁forces- ide- ▁delta- ible- ▁document- ▁ce- ▁yearonyear- ▁accept- ▁subsidiaries- ▁surrounding- ▁attributed- ▁deflation- ▁singledigit- ▁interact- ▁executives- ▁su- ▁sometime- ▁send- ▁ambition- ▁auction- ▁lateral- ▁tested- ists- ▁gene- ▁strides- ▁pump- ▁metro- ▁chose- ▁intelligent- ▁preserve- ▁conscious- ▁film- ▁instruments- ▁chemicals- ▁phases- ▁discounts- ▁young- ▁ran- ▁collaborative- ville- ▁association- ▁trigger- ▁recap- qui- ▁multifamily- ▁tons- ee- ▁container- ▁ships- ▁controlled- ▁topics- ▁frank- ▁acute- ▁flavor- ▁missed- ▁retaining- ▁resilience- ▁enthusiastic- ▁session- ▁tables- ▁everywhere- ▁aviation- ▁rico- ▁grows- ▁sharp- ▁submitted- ▁incorporate- ▁omnichannel- rt- ▁wi- ▁spirit- ▁fun- ▁informed- ▁calculated- ster- ▁popular- ▁outdoor- ▁array- ▁density- ▁assessing- ▁factories- ▁placement- ▁consolidating- ▁breakdown- ▁optionalit- ▁ventures- ▁accounted- ▁skilled- ▁mis- ▁rigorous- ▁easter- ▁club- ▁arm- ▁anchor- ▁predictions- ▁digit- ▁proper- ▁peter- ▁advice- ▁novel- ▁nonrecurring- ▁protein- ▁subsidiary- ▁distributions- ▁21- ▁fell- ify- ▁termination- ▁treasury- ▁inspection- ▁outperformance- ▁acceptable- ▁wanting- qua- ▁skill- ▁basket- ▁roles- ▁eu- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁advances- ▁switching- ▁accountability- ▁recording- ▁shortage- ▁pivot- ified- av- ▁island- ▁empower- ▁tower- star- ▁loyal- ▁crisis- ▁proceeding- ron- ▁negotiation- ▁defend- ▁ball- ▁peer- ▁distinct- bl- ▁urgency- ▁ju- ▁responses- ▁tightening- ▁aimed- ▁electrical- if- ▁tra- ▁franchises- ▁reposition- ▁realistic- ▁connecting- ▁lighting- ight- ▁pleasure- ▁proxy- ▁failure- ▁womens- ▁blood- ▁derivative- ▁tougher- ▁extreme- ▁mornings- lan- ▁opt- ▁certification- ▁surgeons- ▁precise- ▁accident- ▁impressed- ▁discretionary- tics- ▁don- ▁survey- ▁recession- ▁ads- ▁arrangement- ▁interaction- ▁reading- ▁frequently- su- ▁ve- ▁viewed- ▁stockholders- ▁inclusion- ▁medicaid- ▁vegas- ▁glass- ▁authority- ▁reinvestment- ▁jv- ▁triple- ▁upgrading- ▁rebuild- ▁records- ▁spoken- ▁mutual- wood- ▁producer- ▁engineers- light- ▁brokers- ▁conversions- ▁diagnostic- ▁sku- ▁eagle- ▁jersey- ▁retained- ▁prioritize- ▁tighter- ▁counter- ▁unexpected- ▁exposed- ▁progressive- ▁drilled- ▁agility- ▁bestinclass- ▁alongside- ▁society- ▁worry- ▁proposals- si- ▁pat- ▁zone- ▁leased- ▁comparing- lin- ▁blocks- ▁deliberate- ▁outflow- ▁audiences- ▁pad- ▁corner- ▁geo- ▁settle- ▁preference- ▁breakeven- ▁christmas- ▁twice- ▁imaging- ▁goforward- ▁foods- ▁alberta- ▁iron- ▁perception- ec- ▁las- hold- ▁australian- ite- ▁visits- ▁influenced- ▁authorization- ▁concrete- ▁absence- ▁contemplated- ▁aside- ▁comparative- ▁negotiating- ▁pillars- ▁builds- ▁alliance- ley- ▁reduces- ▁guiding- ▁replacing- ▁stretch- ▁younger- sized- ▁replaced- log- ▁reg- ub- ▁stands- ▁collateral- ▁satisfy- ▁resume- ▁negotiate- ▁clinic- ▁diseases- ▁script- ▁commit- ▁regularly- ▁turkey- ▁fulfill- ▁whenever- ▁lever- ▁dilution- ▁pop- ▁war- ▁anniversary- ▁manufacture- ▁broker- ▁thereby- que- ▁parent- ▁serves- ▁imports- ▁computing- ▁confirmed- ▁asian- ▁incorporated- ▁stake- ▁river- ▁concepts- ▁contractor- ▁disappointing- ▁substitute- ▁specialized- air- ▁union- ▁oneoff- ▁wages- ▁th- ▁determination- ▁powder- ▁oncology- ▁falling- ▁tap- ▁japanese- tel- ▁spaces- ▁imply- ▁rationalization- ▁exiting- ▁cre- ▁preclinical- ▁undertaking- ▁finalize- ▁hospitality- ▁scores- ▁thrilled- ▁valley- ▁secular- ▁music- ▁honest- cr- ▁cultural- ▁holistic- ▁hurt- ▁lowcost- ▁rid- use- ▁log- ▁outline- ▁outsourcing- ▁adult- ▁whose- met- ▁reorganization- ▁unified- ably- ▁reservoir- ▁unable- ▁motion- ▁congress- ▁workflow- ▁title- ▁miss- ▁valued- ▁glad- ▁visual- ▁unlike- pac- ▁reit- ▁unlikely- ▁periodic- ▁academic- ▁interactions- ▁hydro- ▁cancellation- ▁diluted- ▁concentrate- ▁directors- ▁wherever- ▁deleveraging- ▁french- ran- val- ▁resonate- ▁tie- ▁pc- ▁benchmark- ▁simplification- ▁writing- ▁headquarters- ▁excludes- ▁district- ▁midwest- ▁recovered- ▁extract- ▁protecting- ▁fo- ome- ▁du- ▁university- ▁reward- ▁delivers- ▁brokerage- plus- fo- rd- ▁stations- ▁relevance- ▁spin- ▁quote- ▁flowing- ▁silver- ▁trained- ▁nav- ▁ai- ▁methods- ▁baseline- ▁payer- ▁ch- ▁boston- ▁migrate- ▁penetrate- ▁ideal- ▁doors- ▁sha- ▁bag- ▁discounting- ▁nobody- ▁construct- ▁augment- ▁references- ▁hu- ▁intangible- ▁storms- ▁pockets- ever- ▁pillar- ▁bankruptcy- ▁swing- ▁doug- ▁modernization- ▁cargo- bility- ▁midst- ▁wallet- ▁connections- pl- ▁representative- ▁revolving- ▁renew- ▁attribute- ▁miles- ▁mall- ▁aluminum- ▁stabilizing- ▁presents- ▁apps- ▁roi- ▁immune- ▁fight- rn- ▁redeploy- ▁coffee- ▁logic- ▁responded- ▁correction- act- ▁county- fl- focused- ▁procedure- ▁jo- ▁dates- ▁extensions- ▁evening- ▁sensor- ▁children- ▁pit- ▁bump- ▁knows- ▁formation- ium- ▁geographically- vis- ▁accretion- ▁reversal- dy- vers- ▁tissue- ▁tomorrow- ons- ▁predictive- ▁pan- press- ▁uplift- ▁nimble- for- ▁begins- ▁nevertheless- ▁revolver- ▁willingness- ▁realtime- ▁responsive- ▁convenient- ▁deterioration- ▁mandate- ▁capitalizing- ▁cuts- water- ▁contingent- ▁parameters- ▁pursuit- ▁deem- ▁rooms- ▁town- ▁root- ▁cyber- za- work- ▁lumber- ▁singapore- ▁costeffective- ▁gift- ▁arpu- our- ▁mail- ▁occurs- ▁suggested- ▁grand- ▁hour- ▁ipo- ▁viable- ▁borrowers- ▁convertible- ▁refined- ▁hires- ▁disruptions- ▁vo- ▁deepen- ▁refinance- ▁purely- ▁ocean- ▁airport- ▁timeline- ▁negotiated- ▁exports- quartertoquarter- ▁suspect- ▁mines- ▁employers- ▁possibilities- ▁solely- ▁brazilian- ▁partial- cor- ▁res- ▁missing- ▁experiment- ▁colorado- ▁ending- ▁recruit- ▁distribute- ▁foresee- ▁notwithstanding- ▁spike- ▁inefficienc- oc- ▁download- ▁analyzing- ▁says- ▁aid- ▁marginal- ▁whos- af- ▁adviser- ▁scrap- ▁relentless- ▁beta- ▁sensors- ▁scheme- ▁trip- ▁enjoyed- ▁maturit- ▁eliminating- ▁dev- ▁virginia- ff- ▁amendment- ▁accuracy- ▁redemption- ▁recruitment- ▁women- ▁score- ▁sponsor- wide- ▁click- ▁dig- ▁demographic- ▁pound- ▁involves- ▁broadbased- ▁restrictions- ▁guidelines- ▁additive- ▁grocery- power- sis- ▁chunk- ▁formulation- ▁difficulty- her- ▁corn- ▁cy- ▁hence- ▁honestly- ▁streaming- ▁silicon- ▁unprecedented- ▁lesser- ▁kids- ▁apparent- ▁stories- ▁variables- ▁captured- ▁names- ▁wire- ▁poised- iv- ▁anymore- ▁gary- ▁linear- ▁bids- cing- field- ▁gate- ▁gotomarket- ▁hawaii- ▁likelihood- ▁ter- ▁blend- ▁correlation- ▁qualification- ▁cor- ▁engineered- ▁22- yl- ward- ▁permit- ▁bucket- ▁farmers- ▁collective- ▁sustaining- product- ▁consequently- ▁offline- ks- ▁sl- ▁ice- ▁clo- ▁vital- ▁foremost- ▁consent- ▁fl- ▁colombia- ▁tactical- ▁forget- ▁household- ▁safely- ▁messages- ▁everyday- '95'- ▁ga- ▁affiliate- '20'- ▁permitting- ▁remodel- ▁healthier- ▁focuses- ▁mac- ▁medicines- ▁tick- ▁chains- ▁projection- ▁mechanical- ▁granted- ▁dial- ▁pilots- ▁style- ▁cu- ▁eric- ▁schools- ▁poland- ▁upgraded- ▁lake- ▁sh- ▁realignment- ▁refinery- ▁domestically- ▁tens- ▁metals- ▁mineral- ▁replicate- hand- ▁ramped- ▁doubling- ▁chairman- ▁restricted- ▁underperforming- ▁seemed- ▁ten- ▁rick- ▁stepping- pped- ▁contrast- ▁headed- efficient- ▁ontario- ▁submission- ▁mechanisms- ▁chip- ▁hoped- ▁sweet- ▁treating- ▁proving- ▁bus- ving- ▁municipal- ▁sent- ▁passing- ▁crossselling- ▁labs- ▁friday- ▁assistance- ▁exited- ▁candidate- ▁saving- rg- ▁brad- ▁worried- ▁seat- ▁excluded- level- ▁judge- ak- ▁rational- wa- ▁23- sol- ▁terminals- flows- ▁renewables- ▁35- ▁bay- ju- ▁greenfield- ▁motivated- ▁runs- ile- ▁consensus- ▁accessories- ▁diversifying- xi- ▁geographical- ▁broadening- ▁modules- ▁snow- ▁flagship- ▁segmentation- ▁hundred- ▁diamond- ▁forefront- ▁expiration- ▁generates- ▁revision- ▁foundational- ▁permits- ▁illustrate- ▁default- ▁grades- ▁considerations- ▁placing- ▁smarter- ▁holdings- ▁indicates- era- ▁boxes- ang- ▁progressed- bra- ▁clearance- ▁limits- ▁fields- ▁collectively- ▁multiples- cap- ▁choosing- ▁fluctuate- ▁attendance- ade- ▁evolved- we- ▁strip- ▁nim- ble- ▁dallas- ▁fragmented- ▁classified- ▁erp- ▁rationale- ware- ▁oral- ▁ifrs- ▁optical- ▁recovering- ▁passenger- ▁cement- ▁mills- ▁inorganic- scale- ▁chronic- ▁conviction- ▁demonstration- ▁struggling- ▁sky- ▁headline- ▁departments- ▁decreasing- ▁sweden- ▁broken- ▁hill- ▁educate- ▁ban- ▁sw- nic- ▁statistics- ▁selectively- ▁sciences- ▁heightened- ▁pennsylvania- ▁intake- ▁jet- ▁mortgages- ▁sample- ▁breaking- ▁genetic- ▁locally- ▁institution- ▁thorough- ▁incrementally- ▁themes- ▁evaluated- ▁reaffirm- pp- ▁removed- ▁downtime- ▁cautiously- ▁economically- ▁del- ▁anti- ▁prescription- ▁preferences- ise- ▁transact- ▁tumor- ▁dropped- ▁seriously- ▁transitions- ▁filling- ▁unsecure- ▁worst- ▁four- ▁friends- ▁conferences- ko- ▁trouble- ▁perpetual- ▁shops- ▁regulator- ▁nutrition- ▁walmart- ▁pulp- ▁signals- ▁caught- ▁pivotal- oriented- ▁che- ▁threshold- ▁lap- ▁1000- mar- ▁uptake- ▁unmet- ▁perfectly- ▁furniture- gra- ▁rec- ▁server- ▁pronounced- so- risk- ▁firstly- ▁traded- ▁ohio- ▁quantity- ▁mindset- ▁disclaimer- ▁boards- ned- ▁sil- room- ▁ends- ▁exclusively- ▁severity- ▁chase- ▁gaps- ▁factored- ▁mild- ▁branding- ▁debate- ▁cl- ▁cohort- ▁billion- ▁surprising- ▁resonat- ▁diminish- ▁shutdown- ▁flip- ▁riskadjusted- ▁opens- ▁circuit- ▁coach- ▁muted- cos- ▁initiate- ▁mile- ▁submit- ▁onboard- ▁autonomous- ▁shrink- ▁suggests- ▁mon- ▁ride- ▁formats- well- ▁fabric- ▁mistake- ▁rein- ▁trades- ▁seller- ▁ambitious- ▁dispute- stone- ▁fab- ▁probability- ▁residual- ▁border- rie- ey- ▁roe- ▁enhances- ▁grain- ▁bundle- ▁ko- ▁residents- ▁bra- run- bank- ▁cluster- ▁equities- ▁simplified- ▁disrupt- ▁commercially- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁screening- ▁gal- serv- ▁floating- ▁fly- ▁strict- ▁employer- ▁profiles- ▁filled- ▁intact- ▁bearing- ▁outpace- ▁communicating- car- ▁customized- ▁instrument- ▁crews- ▁logical- ▁wellness- ▁exhibit- ▁annuity- ▁needle- ▁overlap- ▁calculate- ▁compensate- ▁lowered- ▁tire- ▁barriers- ▁payback- par- ifi- ▁requiring- ▁surplus- ▁dur- ▁weigh- ▁stocks- ▁interests- ▁aging- ▁movie- ▁concessions- cy- ▁demographics- ▁nu- ▁allocating- ▁facebook- ▁eliminated- ▁skin- ▁conducting- ▁embrace- ▁director- ▁limitations- ▁universal- ▁eyes- ▁jason- ▁alter- ▁bode- ▁pen- ▁teleconference- ▁minority- ▁commissioning- ▁installations- ▁proved- ▁buildout- ▁coupon- ▁race- ▁refocus- ▁elect- ▁ancillary- ▁civil- ▁garden- ▁restart- sign- ▁titles- ▁peoples- fr- ▁pr- ▁arena- ▁illinois- ▁subs- ▁incident- ▁protocol- ▁commence- ▁delever- ▁chapter- ▁impossible- ▁premise- ▁baked- ▁widely- cal- ▁commenced- ▁expert- ▁smartphone- house- owned- ▁emissions- ▁filter- ▁detection- ▁cla- ana- ▁elevate- ox- ▁warrant- ▁ash- ▁listing- ▁nursing- ▁rose- ▁employed- ▁techniques- ▁realign- ▁casual- ▁distinguish- ▁granular- ▁adversely- rc- ▁thatll- ▁friction- ▁cd- ▁named- max- ▁journal- ▁royalties- ▁interactive- tric- ▁adopting- ▁onboarding- ▁college- ▁longstanding- ▁overnight- tal- ▁endtoend- ▁incumbent- ▁locked- ▁centralized- ▁rain- ▁manifest- ▁millennial- ▁lifting- ▁developer- ▁derived- kin- ai- ▁lighter- ▁keeps- ▁regain- ▁dining- ▁printing- ▁impactful- ture- ▁imperative- ▁translated- ▁pie- ▁upsell- ▁aligning- ▁tells- ford- ▁andrew- '10'- ▁tenure- ▁exposures- my- ▁weekly- ▁shortages- ▁indonesia- ▁transcript- ▁promoting- ▁activation- ▁fitness- ▁era- ▁classic- ose- ▁ruling- tor- ▁assembly- type- ▁placements- ▁atlantic- ▁defer- ▁diligent- ▁unusually- ▁crew- ▁phoenix- ▁202- ▁comply- ▁fueled- ▁hi- ▁mentioning- ▁principle- ▁ultra- ▁cheaper- ▁predictability- ric- ▁sponsors- ▁unfold- ▁george- ▁propositions- ▁comprised- ▁dar- ▁affects- ▁struggle- ▁heritage- ▁teach- down- ▁matching- ▁routes- ▁demanding- ▁forced- ▁nationwide- ▁accrual- ▁cast- ▁clearer- via- ▁hosting- ▁kit- ▁british- ▁bias- part- ▁holds- ▁directed- ▁stepped- rated- ▁dominant- ▁zealand- ▁appointment- ▁publishing- ▁subscriptions- ▁y- free- ▁pathway- ▁craft- ▁fish- au- ▁zones- ▁fe- ▁ron- pay- mic- ▁delinquenc- ▁speculate- ▁roof- ▁warranty- link- ious- ▁envision- ▁richard- ▁norway- ▁cas- ▁elected- ▁centered- ▁instances- ▁crucial- ▁compares- ▁poly- ▁settled- ▁hang- ▁integral- ▁modify- ▁streamlining- ▁quota- ▁fastest- ▁predicted- life- ica- ▁consist- ▁populations- ▁paint- ▁province- ▁isolation- ▁beach- ▁sir- ▁computer- ▁albeit- ▁entrant- ▁erosion- ▁relied- ▁licensed- ▁divestment- ▁restore- ▁basins- ▁rough- ▁cur- ▁elimination- ▁republic- ▁discover- ▁affordabilit- ▁band- ▁requests- ase- ▁opposite- ▁signature- ▁shaping- ▁transformative- ▁networking- ▁consume- lon- ▁midsingle- ▁annualize- ▁passionate- ▁decisionmaking- ▁five- ▁precisely- ▁stayed- ▁privilege- ▁shortfall- ▁treatments- ▁loaded- ▁drawing- ▁externally- ▁answered- ▁frozen- ▁ordinary- can- ▁ev- ▁accessible- pr- ▁wondered- ▁neighborhood- ▁implies- fs- ▁idle- ▁translates- ▁max- ▁practical- ▁charging- ▁accompanying- ▁validate- ▁illustrates- ▁tightly- ▁institute- ▁patience- ▁temporarily- ▁finishing- ▁hadnt- ▁accurately- ▁collaborate- ▁follows- ▁bro- ▁argue- ▁cha- ▁interpret- ▁leisure- ▁reception- ▁implant- ▁eligible- ▁dozen- ▁newest- ▁covers- ▁attached- ▁attracted- ▁atm- iness- ▁atlanta- ▁300- ▁navy- ▁annually- du- ▁sal- ▁liquids- ▁minus- ▁northwest- ▁vacation- ▁28- ▁namely- realized- ▁differentiating- ▁exploit- ▁sugar- ▁midmarket- mark- ▁thrive- ▁premature- ▁fraud- ▁pride- ▁tele- ▁invite- ism- ▁tank- ▁revisit- ▁revpar- ▁flash- ▁competenc- ▁restructure- ▁intervention- ▁cautioned- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁guy- specific- ▁convention- ▁syn- ▁highermargin- ▁pumping- ▁projecting- ▁observations- ▁supposed- ina- ▁character- ▁sudden- ▁fans- ▁bandwidth- ▁catastrophe- ▁midterm- ▁netherlands- ▁taste- ▁dual- ▁impression- ▁400- ▁dairy- ▁eager- ▁innovat- ▁rebuilding- ▁speeds- ▁renovations- ▁liberty- ory- dic- ▁oklahoma- ▁phasing- fer- ▁ke- ▁conclusions- ▁affiliates- ▁parks- ▁detect- ▁unemployment- ▁expands- ▁industrys- ▁durable- ▁pri- ▁analytical- ▁softening- ▁gu- ▁bolster- ▁tre- ▁simpler- ▁outages- ▁depressed- ▁pd- ▁alex- ▁appreciated- ▁outlet- ▁tony- ▁analog- ▁lender- pu- ▁liver- ▁cool- ▁blended- ▁men- ▁sorts- ▁valid- ▁king- ▁footwear- ▁injection- ▁mitigated- ▁modernize- ▁arizona- ▁repay- ▁competitively- ▁photo- mon- ▁pioneer- ▁emergency- ▁thesis- ▁portal- ▁crosssell- ▁contributors- ▁agriculture- ▁thermal- ▁gateway- '00000'- ▁builders- ▁causes- ▁composite- ▁casualty- ▁representatives- ▁hyper- ▁fan- ▁argument- ▁wellpositioned- ▁digest- ▁variance- ah- ▁retire- ▁compensated- ▁consumables- ▁relations- ▁crystal- ▁medication- ▁neither- ▁mega- ane- ▁trucking- ▁gearing- ▁excuse- ▁qualitative- ▁honor- ▁indian- ▁difficulties- ▁patents- ▁redesign- play- ▁determining- ▁michigan- ▁thereafter- ▁mirror- ▁manual- ▁diagnostics- ya- ▁arms- ▁highend- ▁command- ▁fruition- ▁subsequently- ▁45- ▁inherently- ▁los- ▁falls- ▁grant- ▁applies- ▁horizontal- ▁tailored- ▁occasions- ▁har- ▁pages- ▁variation- ▁suit- ▁headlines- ▁towers- ▁500- ▁repairs- ▁prepaid- ▁repricing- ▁assured- ▁queue- ▁indicating- ▁amended- tle- ▁fortunately- ▁observe- modal- cycle- value- ▁bold- ▁containers- ▁cms- ▁van- ▁heads- ▁automate- ▁inhibitor- ▁formed- ▁farms- ▁lineup- ▁meanwhile- ▁toronto- ja- gate- ▁revisions- ▁inclusive- ▁stopped- ▁27- ▁tu- ▁belt- ▁letting- ▁transformed- fu- ▁ps- ▁concluding- ▁pleasant- ▁configuration- ▁transferred- ▁26- ▁lumpi- ▁qualify- ▁laying- ▁believed- ▁digitally- bit- ▁desired- ▁outlets- ▁lens- ▁cook- ▁mitigation- ▁mens- ▁jay- ▁buffer- ▁clarification- ▁relocation- ▁protected- ▁sake- rus- pre- ▁convey- ▁parcel- ▁showcase- ▁intensive- ▁addresses- ▁personalization- ▁semi- ▁windows- centric- box- iconic- ▁robert- ria- ▁severance- ▁inbound- ▁craig- ▁counts- ▁hurdle- ▁workplace- ▁advised- ▁rationalize- duc- ▁samples- ▁inquiries- ▁drink- ▁concession- ▁outage- ▁trailing- ▁tenders- ▁dna- ▁suggesting- ▁snack- ▁bench- ▁midland- ▁shell- ▁highvalue- lance- ▁removing- ▁breakthrough- ▁chemistry- ▁energized- ▁bu- gar- ▁walking- ▁jon- ▁overly- long- ▁modified- ▁percentages- ▁reap- ▁lessons- ▁plate- ▁individually- ▁holders- ▁buckets- gn- ▁circle- ▁kitchen- ▁vacancy- ▁com- ▁stem- ▁cp- ▁phones- ▁bills- ▁capitalization- ▁portions- ▁manageable- ther- ram- ▁obtained- ▁transit- ren- ▁clearing- ivity- ▁plug- ▁fraction- ans- ▁recommendations- ▁stays- ▁span- ▁tighten- care- ▁keen- ▁phil- ▁revolution- ▁southwest- ▁seattle- ▁steep- ▁recapture- ▁submarket- ▁shorten- ▁scheduling- stock- ▁onsite- ▁sur- ▁advancement- ▁todd- ▁celebrate- ▁diabetes- ▁para- list- ▁employ- ▁frequent- ▁achievable- ▁bounce- ▁molecular- ▁quiet- ▁lie- ▁ramps- ▁algorithms- ▁cumulative- ▁module- ▁advise- ▁expire- ze- ▁capacities- ▁authorized- ▁bolton- ▁avenues- ▁threats- ▁comparability- ▁phenomenon- ▁ms- ▁pertain- ▁mc- ▁nation- ▁resiliency- ▁awful- ▁reseller- ▁contraction- ▁surprises- ▁pl- ▁clinicians- ▁dia- ▁structurally- ▁registered- ▁settlements- ▁participated- ▁pal- dding- ▁measuring- ▁pleasing- ▁text- ▁taxable- ▁relying- ▁validated- ▁whereby- ▁maturing- ▁rural- ▁survival- ▁issuing- rill- service- ▁resort- source- ken- ▁righthand- ▁heavier- ▁foster- ▁pra- ▁aiming- ▁prototype- ▁manufactured- ▁leaves- ▁trough- ▁ur- ▁rush- ▁tam- ▁lend- ▁merit- ▁designing- ▁mitigat- ▁bur- ▁cup- ▁universe- ▁shot- ▁salary- ▁findings- ▁organized- ▁hosted- ▁louisiana- ud- ▁interruption- tex- ▁acting- ▁ya- ▁cr- ▁hubs- ▁lies- ▁viewing- ▁surge- ▁robotics- vision- ▁chi- ▁flying- ▁somehow- ▁weakening- ▁passive- ▁marketleading- ▁noi- ▁hurdles- ▁seats- ▁jan- ▁credibility- ▁battle- form- sys- ▁fu- ▁streamlined- ▁involving- ▁suited- ▁arrive- ification- ▁nations- ay- ▁parking- ▁columbia- ▁ounces- ▁significance- ▁norm- ▁meal- ▁compromise- ▁feasibility- ▁mexican- ▁besides- ▁consequences- ▁educational- ▁owning- ▁cho- ▁sits- ▁england- ▁tobacco- ▁underpin- ▁pumps- ▁loading- ▁limiting- ki- ▁chicken- ▁dosing- ▁operates- ▁moreover- ▁dip- ▁billions- ▁justify- ▁african- ▁gauge- ▁ought- ▁monday- ▁archive- ▁programmatic- tish- ▁fuels- ▁clinically- building- ▁studio- ▁reinforces- ▁transitional- ▁interconnect- ▁answering- lapping- ▁remediation- ▁relaunch- ▁enforcement- ▁cooperation- ▁readiness- ▁fer- ▁meat- ▁films- ▁dictate- ▁legislative- ▁modular- ▁layers- head- ▁cushion- ▁voluntary- ▁documentation- ▁mer- ▁contemplate- ▁ec- ▁shoppers- ▁advancements- demand- ▁quantitative- ▁releasing- ▁roadmap- ▁ryan- ▁statutory- ▁chasing- ▁sellthrough- ▁alert- ▁till- ek- ▁styles- priced- ▁breast- ▁mortality- ▁scratch- ▁turbine- ▁james- ▁absent- ▁slot- ada- ▁crm- ▁apartment- ▁phenomenal- ▁75- ▁collected- ▁milk- ▁compound- ▁behaviors- ▁persistent- ▁highlevel- ▁radi- ▁pads- ▁unlocking- ▁missouri- ▁salaries- ▁minds- ▁deleverage- ▁recommend- ▁integrations- ▁tonnage- flow- pen- ▁appealing- ▁sam- ▁gp- ▁catalog- ▁martin- ▁automatically- ▁sharpen- ▁rank- ▁pos- ▁eat- ▁iv- ▁calculations- ▁minnesota- ▁wild- ▁mag- ▁requested- ▁strictly- ▁restructured- ▁bone- ▁corporations- ▁deficit- ▁chile- har- ▁receipt- ▁heating- responsibilities- ▁distance- ▁multinational- ▁opioid- ▁salespeople- mc- mis- ▁spine- ▁corp- ▁fra- ▁proximity- ▁tuckin- ▁compliant- ▁dilutive- ▁zero- ▁solidify- ▁routine- ▁variations- ▁notion- ▁incorporating- ▁migrating- ▁straightforward- fuse- ▁occasion- ▁mediumterm- ▁undergoing- ▁scalabilit- tec- mate- ▁specialists- ▁uni- ▁hy- ▁geopolitical- ▁solving- ▁uniform- ▁biotech- ▁ep- ▁attend- ▁ven- ▁landing- ▁articulated- ▁cer- dex- ▁intermediate- nu- gan- ▁nominal- ▁saudi- ▁stimulate- ▁angeles- ▁official- ▁underscore- ▁ki- ▁speculation- ▁freedom- ▁boot- ▁assay- ▁midteens- core- ▁shock- ▁distraction- ▁suffered- ▁mono- ▁tro- cat- ▁bre- ▁neuro- ▁nick- ▁downtown- ▁normalization- ▁critically- ▁collecting- ▁describing- ▁jewelry- ▁dealership- ▁obtaining- ▁bri- ▁salt- ▁representation- ▁cam- ▁attraction- ow- ▁dimension- ▁ambitions- ▁technically- ▁gasoline- ▁squeeze- ▁sleep- ▁mal- ▁gather- tru- ▁pur- ▁unmatch- ▁golf- ▁sprint- ▁irma- ▁bl- ▁removal- ▁wheel- ▁interior- ▁suffer- ▁attain- ▁accomplishment- ▁commercialize- ▁secret- ▁noninterest- ▁adam- ▁understands- ▁kansas- ▁consultation- ▁echo- wear- ▁midyear- ▁warrants- ▁modifications- ▁slate- ▁preserving- ▁crush- ▁onpremise- ▁ffo- ney- ▁panels- ▁promises- ▁associate- ▁widening- ▁commenting- nes- ▁forever- ▁absorbed- ▁fortune- ▁beef- ▁factoring- ▁approached- ▁batteries- ▁valve- ▁ferc- ▁realizations- len- ▁cro- gene- not- ▁prominent- ▁intra- ▁enrolled- ▁boat- ▁highway- ▁prescriptions- ker- ▁aero- stream- ▁liquidation- pack- ▁issuer- ▁independently- performance- ▁gi- ▁gear- ▁switzerland- ▁tweak- ▁needing- ▁extends- path- wise- ▁deepening- ▁champion- ▁wo- ▁consists- turn- ▁plastic- ▁truth- ▁malls- ▁var- uc- ▁gar- uestionandanswer- ▁horse- ▁gdp- ▁dropping- card- ▁bundled- ▁crops- ▁specialist- ▁temp- ▁shippers- ▁alpha- only- ▁omni- ▁fabrication- ▁propel- ▁insurers- ▁denver- ▁examine- ▁pin- oo- ▁cloudbased- ▁predicting- ▁publish- ▁lung- ▁camera- ev- ▁29- ▁observation- ▁continuum- ▁muscle- ▁unlimited- ▁teens- ▁kicked- ▁molecules- ▁referral- ▁dam- ▁underpinne- ▁renewing- ▁petrochemical- ▁spacing- ▁theaters- ▁lane- ▁enjoying- plan- '30'- train- ▁addon- site- tiv- ▁conflict- ▁noteworthy- ▁oversight- ▁nike- ▁intentions- ▁russian- ▁provisioning- ▁elections- ▁ob- ▁recommendation- ▁alaska- ▁prolonged- ug- ▁instrumental- ▁han- ▁36- ▁nearing- ▁molecule- ▁perspectives- ▁deferral- ▁radar- ▁semester- ▁goodwill- ▁destinations- ▁mandates- ▁laboratory- ▁pair- ▁isolated- ▁fueling- ▁reconcile- ▁meter- ▁authentic- ▁continuity- ▁dislocation- ep- ▁meets- bridge- sale- ▁prioritizing- ▁reservation- ▁fear- loc- ▁tanker- ▁originated- int- ▁bell- ▁ph- ▁chat- ▁approve- ▁georgia- ▁error- ▁boeing- ▁deserve- ▁fat- ▁spots- ▁continental- ▁digitalization- ▁smoothly- stor- ▁costreduction- ▁taiwan- ▁shall- ▁distinctive- ▁regime- ▁seasons- season- ▁equipped- ▁moderation- ▁tackle- ▁complain- ▁pools- ▁mainstream- ▁customary- ▁interpretation- size- ▁ski- ▁screens- ▁suffering- iti- right- ▁displays- ▁eventual- ▁translating- ▁desktop- ▁tireless- ▁congratulate- ▁flag- ▁penn- ▁directionally- lm- ▁sap- ▁nova- ▁suppose- ▁hr- ▁planet- men- ▁cra- build- ▁cb- ▁certified- ▁acres- ▁refund- sum- ▁checks- ▁succession- ▁seasoned- ▁essence- ▁reopen- ▁passthrough- ▁sixth- ▁footage- ▁cri- ▁shake- ▁mini- own- ▁intrinsic- ▁ireland- ▁bp- '50'- hu- ▁sharply- ▁flood- ▁processed- ▁visiting- ▁stat- ▁cleaning- ▁rewarding- ▁vaccine- ▁wireline- ▁carl- ▁eg- ▁resorts- ▁delight- ▁charts- ▁shrinking- ▁api- ▁houses- ▁dream- ▁embracing- ▁sterling- ▁lt- gas- ▁sim- ▁temperatures- ▁ingredient- ▁inputs- ▁outset- ▁readily- tory- ▁spare- ▁demo- ▁drawn- bar- ▁derisk- sensitive- ▁invoice- ▁nordic- bin- ▁shi- ▁shale- ▁harm- anticipated- ▁finaliz- ▁bruce- ▁identification- ▁pediatric- ▁chips- ▁actionable- ▁attach- ▁banners- ▁lin- ▁publication- ▁measurable- ▁steam- ▁innings- ▁playbook- ▁dram- ▁entirety- ▁camp- ▁generics- ▁float- ▁ds- ▁disciplines- ▁dock- ▁gm- cut- ▁defining- ▁prompt- ▁dimensions- ▁cart- ▁aligns- ▁budgeting- ▁dispose- ▁unpredictable- ▁hits- ▁trailer- ▁scaled- han- book- ▁cheap- ▁publishers- ▁investmentgrade- ▁encompass- ▁decisive- ▁extraordinarily- ▁quantities- ▁mask- ▁confirmation- ▁ot- ▁adapting- ▁rewarded- ▁cleaner- ▁evolves- ▁evenly- ▁lp- ▁object- ▁draft- ▁surpass- quarter- app- mat- ▁subsea- ash- ▁assessments- ▁architectural- ▁charles- ▁guard- ▁ngl- ▁performer- ▁coll- ▁tru- cast- ▁fail- ▁avenue- ▁surgeon- ▁escalation- ▁wine- ▁native- ▁adequately- ▁ring- ▁constructed- row- ▁confusion- ▁defensive- ▁rebalancing- ▁injury- ▁quantum- ▁patch- ▁promised- ▁monetiz- ▁subset- ▁infusion- ▁massachusetts- ▁reinforcing- ▁costly- ▁tactics- ▁deceleration- ▁printer- ▁strengthens- ▁reinforced- ▁devaluation- ▁methodical- ▁overhang- ▁foundations- quality- ▁compute- ▁meters- ▁ray- ▁ze- ▁varying- performing- ▁beautiful- ▁libor- ▁recipe- ▁homeowners- ▁roger- rp- ▁posting- '40'- ▁cm- ame- ▁forum- ▁robot- ▁yen- ▁backed- ▁highgrowth- ▁plastics- ▁governor- ▁rfp- generation- ▁cognizant- ▁column- ▁2000- ▁foundry- ▁honored- ▁marc- ▁comm- ▁constraint- ▁larry- ▁gre- ▁noticeable- bro- maker- ▁reveal- ▁promoted- ▁curves- ▁whi- ▁dealt- lim- ▁jurisdiction- ▁destocking- ▁sluggish- ▁transient- dis- ▁theater- lar- ▁smartphones- ▁telephone- ▁counting- ▁rod- atory- cell- ▁pursued- ▁crack- ▁tailor- ▁railroad- ▁shanghai- ▁unprofitable- ▁vintage- ▁wafer- ▁rv- ▁stocking- ▁kpi- view- ▁tree- ▁followon- ett- ▁reforms- ▁tasks- ▁apologize- ▁entitled- ▁library- ▁newspaper- ▁outreach- ▁profound- ▁affirm- ▁enroll- ▁tip- ik- ▁caribbean- ▁indepth- ▁knock- ▁occurrence- ▁venezuela- ▁refineries- ▁cornerstone- ▁handset- ▁catalysts- ▁sport- ▁supplying- ▁rf- ▁marketers- ▁pounds- ▁regimen- ▁appraisal- ▁bakken- ▁counsel- ▁routing- ▁mainland- ▁sections- test- ▁appliances- ▁epi- ▁vest- ▁assignment- ▁stroke- ▁suburban- ▁revaluation- ▁guaranteed- ▁prop- ▁powered- cost- ▁hey- ▁propane- ▁quoting- ▁conform- ▁incurring- ethane- lease- ▁accrued- ▁stone- ▁exits- place- ▁sensible- ▁specified- ▁wifi- gram- ▁ideally- than- ▁cohorts- ▁modeled- ugh- ▁pizza- ▁thousand- ▁railcar- ▁involvement- ▁tourist- ▁sto- ▁fixing- mont- ▁variances- ▁nex- ▁sch- ▁climb- ▁deciding- ▁thailand- ▁patrick- hen- ▁irr- ▁limitation- ▁analyzed- ▁makers- ▁largescale- ▁attractiveness- ▁builder- ▁robotic- ▁basics- ▁progressively- ima- ▁sme- ▁sar- ▁marginally- ening- ▁reshape- ▁italian- ▁tonnes- ▁brent- ▁friendly- ▁officially- ▁rebates- ▁stepup- lia- ▁everybodys- ▁doses- ▁oriented- ▁varies- ▁correlated- ▁settings- ▁reversed- vin- ▁investigators- ita- ▁ol- ▁motivation- ▁simplicity- ▁simulation- ▁fluctuation- step- eon- ▁satellites- ▁distinction- ▁receipts- ▁hunt- ▁sk- ▁ct- ▁convergence- ▁daytoday- ▁integrator- ▁sensing- ▁geared- ▁wouldve- ▁excel- ▁derive- van- ▁converge- ▁sought- ▁dress- ▁stood- ▁trim- tain- ▁runoff- funded- thanexpected- ▁backup- matic- ▁instant- ▁fighting- ▁stringent- ▁algorithm- gel- ▁tires- ▁np- spec- ▁mont- ▁dy- ▁belgium- ▁contingency- ▁vibrant- ▁feedstock- ▁sat- ▁gears- ▁comprise- ▁recycle- ▁sla- ▁chargeoffs- ▁deteriorate- ▁underneath- ▁prosper- ▁trump- ▁safer- ▁refinement- ▁embed- ▁habits- ▁enacted- ▁sticking- ▁neo- ▁ku- ▁cannabis- ▁depot- ▁advisors- store- ▁oe- ▁systemic- ▁visitors- ▁pros- ▁reits- week- ▁beds- ▁onshore- ▁tuesday- ▁wisconsin- ▁orlando- cam- ▁nationally- ▁prevention- ▁hike- ▁attacks- ▁strain- ▁clinics- ▁studios- ▁summarized- ▁telco- class- ▁relocate- ▁desirable- ▁widen- '0'- ▁sn- ▁surveys- ▁underwriter- ▁presumably- ▁retrofit- ▁underwrite- ▁apartments- ▁navigation- ▁antonio- ▁precious- ▁fold- ▁barrier- ▁protocols- ▁discovered- ▁augmented- low- print- ▁overtime- ▁sanction- ▁warehouses- ▁electro- town- ▁failed- ▁leaner- ▁coastal- ▁reactor- ▁kidney- ▁malaysia- ▁attitude- ▁wildfire- ▁stephen- ▁tuned- ▁fin- ▁assisted- ▁intensely- ▁underscores- ▁advocate- ▁keith- ▁reiterating- ▁nuance- ▁ranging- ▁baby- meter- nie- ▁pm- ▁stra- ▁generators- ▁lien- ▁genomic- ▁intuitive- ▁paradigm- ▁bottle- ▁entrepreneurial- ▁orange- ▁loop- ▁swings- logic- ▁standardized- ▁assembl- ▁cord- ▁venues- ▁households- ▁corridor- ▁alarm- disproportionate- works- ▁compounds- ▁behavioral- ▁embark- ▁thankful- ▁newness- ▁schemes- ▁innovator- ▁coordination- ▁summit- ▁grab- ▁leap- ▁accumulated- ▁midsized- ▁pressured- berg- segment- ▁benign- ▁overhaul- ▁resistance- ▁diego- '60'- ▁thin- ▁six- ▁lately- ▁trains- ▁accountable- ▁departure- ▁graduate- ▁nevada- ▁vietnam- ▁favorite- ▁appointed- ▁bonuses- ▁backend- ▁deliberately- ▁borrow- ▁sticky- ▁originate- ▁valuebased- read- ▁striv- ▁dozens- ▁minimizing- ▁brown- ▁wise- ▁borrower- ▁symptoms- ▁catching- ▁explaining- ▁behave- ▁deadline- ▁oak- ▁confirming- ▁oversee- ▁magic- rew- ▁generator- comm- ▁dec- ham- ▁col- ▁arc- ▁edit- mine- ▁permission- ▁sequencing- ▁warning- ▁repeating- ▁paris- ▁cent- ▁doctor- pic- ▁frontline- ▁wars- vant- ▁bars- ▁ranking- ▁tremendously- ▁restrict- ▁scan- ▁cab- ▁nut- ▁imported- ▁cannibalization- ▁choppy- ▁council- ▁surcharge- ▁discounted- ▁randy- ▁fox- ▁outsourced- growth- ▁reconciled- ▁hydrogen- cho- ▁overwhelming- ▁educating- ▁2013- ▁urgent- ▁perceived- ▁tea- ▁mutually- ▁consumed- ▁proceedings- ▁mat- ▁statistical- ▁combat- ▁enrich- ▁harness- ution- ▁mergers- ▁existed- ▁forest- lock- ▁aided- ily- ▁approximate- ▁kar- ▁rolls- corp- ▁entertain- ▁neighbor- ▁philippines- ▁dampen- ▁cabinet- ▁witnessed- ▁pacing- ▁dark- ▁valueadd- ▁duties- ▁automobile- ▁disney- ▁handled- ▁publications- ▁upwards- ▁consumable- ▁suddenly- ▁expression- ▁hell- share- ▁sequence- ▁distort- ▁finger- ▁suitable- ▁measurements- ▁temperature- ▁barrel- ▁referrals- ▁bundles- ▁journeys- ▁abate- ▁flatten- ▁biologics- ▁reserved- ▁snap- ▁magazine- ▁nasdaq- ▁outpatient- ▁platinum- ▁biomarker- ▁child- ▁classification- ▁nickel- ez- ▁benchmarks- ▁vic- ▁convince- cia- ▁amplify- ▁antibiotic- ▁century- ▁concentrating- ▁creativity- ▁underserved- ▁urge- ▁friend- ▁embarked- ▁sands- ▁accessing- ▁ott- ▁navigating- ▁slip- ▁govern- ▁charged- ▁immaterial- ▁swiss- ▁postpone- media- ▁lee- ▁selecting- ▁wash- ▁collaborat- ▁easiest- ▁manhattan- ▁olympics- ▁survive- ▁specialties- ▁sustainably- ▁deepwater- ola- ▁narrowing- ▁keenly- ▁banner- ▁incidents- ▁vertically- ▁catering- ou- ▁flooding- ob- figuring- ▁rev- ▁nonetheless- ▁universities- ▁afterwards- ▁batch- ▁visited- ▁venue- ▁assembled- ▁sean- directtoconsumer- ▁bundling- ▁conservatism- ▁fertilizer- ▁whatsoever- ▁cinema- ▁desk- ▁val- ▁movies- ▁whove- ▁touching- ▁alike- ▁inject- nex- ▁disclosing- ▁fastestgrowing- ▁matthew- ▁satisfactory- invest- ▁wake- ▁sending- ▁incoming- ▁containment- ▁ministry- ▁enduring- ▁synergistic- cha- ▁competency- oid- ▁systematic- ▁death- ▁emphasizing- ▁unparalleled- ▁insured- ▁verification- jo- ▁sessions- ▁saves- ▁impressions- ▁combines- ▁checking- ▁afraid- ▁cellular- ▁drought- ▁ethanol- ▁proppant- ▁spark- ▁revitaliz- ▁garner- ▁commencement- ▁tradeoff- ▁definitions- ▁ties- ▁alliances- ▁interestingly- ▁flavors- ▁commensurate- ▁vector- ▁veteran- ▁disorder- ▁groundwork- ▁consultant- ▁notification- tz- ▁odd- ▁ty- ▁lawsuit- ▁marcellus- ▁moderating- ▁arrow- ▁gun- ▁coin- ▁caps- ▁rem- aries- ▁emergenc- ▁transplant- ▁midsingledigit- ▁shore- ▁hyperscale- ▁bullet- ▁bound- ▁om- ▁packaged- ▁auctions- ▁def- ▁penetrating- ▁multichannel- ▁buck- ▁headroom- ▁formally- ▁directional- ▁breakout- ▁controller- elect- lc- ▁replenish- ▁arrival- ▁cubic- ▁ratabl- ▁campuses- ▁appliance- ino- ▁emerged- fold- ▁kentucky- ▁carries- ▁walked- ▁invent- ▁activate- stat- ▁sufficiently- ▁mt- ▁awaiting- ▁participant- ult- ▁logos- ▁passengers- ▁register- ▁privacy- ▁soybean- ▁suffice- ▁tackling- ▁candidly- ▁height- rtis- ▁landlords- ▁appeals- ▁embraced- ▁gig- ▁tension- first- ▁coincide- ▁egypt- ▁incorrect- ▁creep- ▁wound- ▁highperformance- ▁fallen- ▁article- ▁attended- ▁arr- yn- ▁concert- ▁actuarial- ▁widespread- ▁revert- ▁attachment- ▁boom- ▁catchup- ▁reallocate- ▁impaired- ▁listings- ▁winners- ▁refi- ▁accompany- ▁allowances- ▁tickets- ▁processors- ▁ear- ▁hikes- ▁administer- ▁anecdotal- ▁league- ▁backbone- ▁redeem- ▁presidential- ▁cure- ▁amortize- ▁boy- ▁fruits- ▁adjacenc- ▁certificate- ▁crowd- ▁suspension- ▁tranche- ▁initiation- ▁contrary- ▁stance- ▁intentionally- tar- ▁accessed- ▁trick- ▁airports- ▁confirms- ▁hair- ▁baker- ▁hum- ▁lit- ▁continent- ▁austin- ▁provincial- ▁unplanned- ▁vigilant- ▁pursuan- generative- ▁nodes- ▁terminated- ▁loose- ▁cameras- ▁analytic- nova- ▁kill- ▁datadriven- ▁breach- ▁diagnosis- ▁inception- ▁sponsorship- ▁visa- ▁duc- ▁oilfield- ▁exceeds- ▁restoration- ▁reside- ▁districts- ▁realities- ▁10000- ▁divisional- ▁extensively- ▁curtail- ▁cognitive- ▁cylinders- ▁metropoli- ▁tennessee- ▁abnormal- ▁exhaust- ▁spanish- ▁arising- ▁weakest- ▁prevailing- ▁financed- ▁ceiling- ▁envelope- ▁possess- ▁prevalent- ▁vancouver- ▁unitholder- ▁barry- ▁advantageous- ▁recommended- ▁warmer- ▁outsource- chem- ▁hat- ▁cooling- ▁files- mini- ▁smith- ▁arabia- ▁paramount- overquarter- ▁unwind- ▁buildup- ▁sym- ▁ports- ▁tag- weight- ▁illustrated- ▁aesthetic- ▁respiratory- ▁seismic- ▁wheat- ▁33- ▁missile- ▁municipalities- ▁anytime- ▁cooper- ▁footing- ▁architectures- ▁shopper- mu- idge- ▁squarely- ▁underperform- ▁reliant- ▁unclear- ▁vacant- ▁hesitate- ▁workloads- ▁seventh- ▁markdown- ▁distressed- ▁skewed- ▁featured- ▁modification- ▁resin- ▁rigor- ▁contemplating- ▁tourism- ▁fintech- ▁recycled- ▁reacting- ▁medi- ▁za- ▁likewise- ▁cel- ▁crazy- ▁policyholder- ▁angle- ▁presently- price- ough- ▁clubs- ▁halfway- ▁miami- ▁abroad- ▁digitization- ▁600- ▁army- ▁hole- iff- ▁inevitable- ▁bodies- ▁creek- ▁finland- ▁brew- home- ▁exercises- ▁frontend- ▁cf- ▁disrupted- ▁eco- ▁assessed- like- ▁minerals- ▁unfortunate- making- ▁antenna- ▁faith- ▁referencing- ▁underpinning- ▁initiating- ▁payoffs- ▁bidder- ▁tab- ▁brain- ▁epic- ▁blow- ways- ▁inspire- ▁growers- ▁disadvantage- ▁highmargin- ▁polish- ▁rebalance- ▁tractor- ▁sneak- ▁comfortably- ▁repeated- ▁repeatedly- roll- bio- ▁merge- ▁lam- stage- ▁jointly- ▁dakota- ▁roche- ▁truckload- ▁installment- ▁airplanes- ▁ted- ▁outpac- shop- friendly- ▁architect- ▁cruise- ▁entitlement- ▁exclusivit- ▁jonathan- ▁sampling- ▁teammates- ▁tumors- ▁peso- ▁committing- ▁haul- ▁spa- ▁logistic- ▁shed- ▁incorporates- ▁grants- connect- took- ▁applica- ▁electrification- ▁subsidies- ▁stu- ▁lagging- ▁supermarket- ▁validates- ▁establishment- ▁totality- ▁briefing- rick- ▁tablet- ▁beverages- ▁shoot- ▁triggered- ▁pla- ▁tan- worth- ▁football- ▁unveil- ▁deductible- ▁machinery- ▁sm- ▁bat- ▁mir- ▁repurchas- ▁reinvent- ▁tac- ▁dispatch- ▁reassess- ▁reliably- ▁roaming- ▁scientists- ▁bryan- ▁wrapping- ▁posture- ▁aspirations- located- ▁fred- lling- gro- ▁amendments- ▁chuck- ▁denmark- ▁lunch- ▁tendency- ▁sears- ▁prohibited- ▁encountered- ▁parents- ▁localized- ▁disaster- ▁disasters- ▁smallest- ▁matched- ▁organize- ▁lan- fire- ▁satisfying- ▁alleviate- ▁cardiac- ▁steadfast- ▁oftentimes- ▁hall- ▁traveling- ▁enabler- ▁sharebased- ▁merits- ura- ▁bla- ▁moderniz- count- ▁lessen- ▁ammonia- ▁captive- ▁housekeeping- ▁reluctant- ▁supreme- ▁costsaving- ▁complexities- ▁cancel- ▁inspired- ▁indiana- ▁arrived- ▁versions- ▁deb- ▁technicians- ▁ser- ▁intensify- ▁likeforlike- ▁marktomarket- ▁mechanics- ▁penalty- ▁umbrella- ▁uncover- ▁knowhow- ▁offense- ▁logo- ▁enduser- ▁permitted- ▁dead- ▁respected- ▁installing- ▁norms- ▁simon- grade- ▁setup- ▁tanks- ▁optimum- ▁stuck- ▁quest- ▁harsh- ▁nand- ▁msr- ▁tc- ▁absorbing- ▁acuit- ▁therapeutics- ▁compounded- ▁tightened- lp- ▁golden- ena- generating- ▁english- ▁louis- ▁necessity- ▁safeguard- ▁surveillance- ▁turnkey- ▁interval- ▁farmer- ▁coatings- ▁shutt- ▁citizens- ▁witness- ▁prescriber- ▁expressions- ▁peripheral- ▁responsibly- ▁substance- ▁potash- ▁filtration- ▁radical- ▁writeoff- ▁pathways- ▁viewers- ▁extrapolate- ▁seize- ▁unions- ▁struggled- body- ▁nat- ▁incentivize- ▁articulate- ▁fastgrowing- ▁theoretical- ▁grind- ▁accrue- ▁abilities- ▁longest- ▁lowercost- ▁eva- ▁gil- ▁companywide- through- ▁reprice- residential- ▁breath- ▁yearago- ▁preview- ▁josh- ▁william- equ- ▁admit- ▁trail- ▁mp- ▁introduc- ▁affairs- ▁ceramic- ▁probable- ▁sacrifice- ▁starbucks- ▁abandon- ▁moderately- ▁insert- umab- pass- ▁sounded- ▁permanently- brand- ▁crane- touch- ▁consuming- ▁mandatory- ▁pharmacies- ▁withstand- ▁vince- ▁justice- ▁cogs- ▁customization- ▁subcontractor- ▁exercised- ▁blocking- ▁bankruptcies- ▁hemisphere- ▁resolving- ▁singular- ▁structuring- ▁verizon- ▁cited- ▁headway- ▁logistical- ▁franchisee- tell- ▁cn- ▁admissions- ▁renegotiation- ▁revamp- ▁yourselves- ▁austria- ▁blind- ▁oregon- ▁royal- ▁refurbishment- ▁polymer- ▁brick- ▁pitch- ▁cranes- ▁refunds- ▁budgeted- ▁oled- force- ▁thresholds- ▁advertise- ▁pon- ▁undervalued- ▁backfill- ▁israel- ▁tube- ▁tightness- ▁55- ▁submissions- ▁dennis- ▁disposable- ▁interchange- ▁maritime- ▁overarching- ▁petroleum- ▁reject- ▁bleed- ▁wholly- ▁cc- ▁commissioned- ▁figured- ▁decor- ▁engineer- ▁broadest- ▁relentlessly- band- ▁vesting- ▁yard- ▁articles- ▁treasur- ▁arguably- ▁biometric- ▁rethink- ▁subdued- ▁arbitration- reclassification- ▁static- ▁periodically- ▁bumps- ▁cath- ▁occ- cloud- enabled- ▁binding- ▁cycling- ▁norwegian- ▁senate- ▁sophistication- ▁swedish- ▁telematics- ▁waiver- ▁ethylene- ▁dense- ▁tide- ▁peru- range- ▁pot- rel- facing- ▁perceive- ▁prep- ▁altogether- ▁featuring- ▁jerry- ▁philadelphia- ▁orphan- ▁assert- position- ▁atlas- ▁nda- logists- ▁abstract- ▁bureau- ▁earliest- ▁repatriation- ▁instructions- ▁sunday- ▁replenishment- ▁anomaly- ▁dominated- ▁customerfacing- ▁flattening- istic- ▁conservatively- ▁mary- ▁christi- ▁continual- '5000'- ▁fulfilling- ▁elevating- ▁rotation- ▁spectacular- ▁controllable- ▁betting- ▁onwards- ▁fedex- ▁mom- ▁dent- ▁tm- rich- ▁implication- ▁santa- ▁brickandmortar- ▁orientation- ▁giant- ▁pac- ▁virtue- ▁feebased- ▁delaying- cular- ▁swift- ▁shoes- ▁discern- ▁imbalance- ▁oversupply- ▁winwin- ▁sedar- ▁redirect- ▁alloy- ▁interconnection- unit- vy- ▁matches- ▁vein- forward- ▁lodging- ▁microphone- ▁unnecessary- ▁stockpile- ▁hook- ▁viability- ▁coordinated- ▁coil- ▁specifications- ▁travelers- ▁solved- ▁prioritized- ort- health- ▁boosted- ▁disappear- ▁cisco- ▁interview- ▁earth- ▁paydown- ▁versa- ▁compressed- ▁taper- ▁compounding- ▁landlord- ▁howard- ▁nerve- ▁spinoff- ▁biology- ▁reimbursed- ▁expiring- ▁nonperform- ▁standardization- ▁85- ▁tablets- ▁narrowed- ▁leaning- ▁biosimilar- ▁commoditiz- ▁connecticut- ▁untapped- ▁reconfigur- ▁matrix- ▁verify- ▁curtailment- ▁physically- ▁contra- ▁emission- ▁zo- ku- ▁prediction- ▁furnace- ▁immense- ▁drift- ▁painful- ▁terry- ▁lyn- ▁nearby- ▁bang- ▁harvesting- ▁yards- ▁dso- ▁holes- ▁palm- ▁blending- ▁closest- ▁cultivate- ▁ignore- ▁imminent- ▁inevitably- ▁obstacle- ▁cardiovascular- ▁stemming- ▁zinc- ▁panama- ▁favorability- ▁syndicated- ▁ow- ▁tooling- ▁tune- loaded- '80'- ▁hd- ▁placebo- ▁ef- ▁struck- ▁intersection- ▁48- ▁tempered- ▁wearable- ▁unrelated- ▁signaling- ▁korean- ▁aspiration- ▁steward- ▁feeding- ▁aforementioned- ▁narrative- ▁pandora- ▁pentup- ▁synthetic- ▁disappointment- ▁android- ▁philip- ▁rationalizing- ▁accompanied- ▁hourly- ▁emphasized- ▁migrated- ▁lapse- sproportionately- ▁biological- company- ▁contemporary- ▁deviation- ▁injuries- ▁lloyd- ▁reshaping- ▁undoubtedly- ▁unwavering- ▁burger- ▁flowthrough- ▁organ- ▁boats- ▁propose- ▁skew- ▁consortium- ▁jennifer- ▁shelves- ▁thanksgiving- ▁twitter- ▁fusion- ▁overlay- ▁supplied- ▁mother- ▁reorder- ▁rio- ▁imposed- ▁portable- ji- cept- ▁spo- ▁confidential- ▁surprisingly- space- ▁officials- ▁bolstered- hanging- ▁rp- ▁underline- ▁fiduciary- ▁rhythm- ▁paypal- ▁congratulations- ▁solicitation- ▁polar- ▁mapping- ▁landmark- ▁lucky- ▁unfolds- ▁canceled- ▁invited- ▁weaknesses- ▁pete- ▁sheer- ▁procure- ▁inspiration- ▁2012- ▁varied- ▁wrapped- ▁intimate- ▁romania- ▁indices- ▁broadened- ▁aspire- cade- ▁mold- ▁victory- ▁intentional- ▁deductions- rix- ▁blade- ▁pocket- ▁lc- ▁declare- ▁asphalt- ▁calculating- ▁occupied- ▁iphone- ▁smoke- ▁cybersecurity- ▁spill- ▁transferring- ▁instrumentation- ▁concurrently- ▁adopters- ▁md- ▁airplane- ▁cope- ▁staffed- ▁compromising- ▁ebay- ▁observing- ▁leak- ▁strat- ▁cater- ▁65- ette- ▁condo- ella- rock- ▁rand- ▁oc- ▁discretion- ▁disagree- ▁affinity- ▁degradation- ▁mississippi- ▁owe- uff- ▁distribut- ▁notified- ▁bc- ▁broke- ▁scenes- ▁kim- ▁tape- lining- ▁annuities- ▁ballpark- ▁dermatolog- ▁speculative- ▁striking- ▁stuart- ▁twin- ▁checkpoint- ▁gla- ▁excessive- ▁thoroughly- ▁megawatts- ▁richer- ▁plain- ▁clip- berry- ▁refreshed- ▁bottleneck- ▁credential- ▁nervous- ▁vegetable- ▁kelly- ▁outlay- ▁gray- ▁occasionally- ▁highvolume- ▁fitting- ▁rebranding- ▁activated- ▁creditors- ▁summariz- ▁isolate- ▁cosmetic- ▁reevaluate- ▁vascular- ▁trace- lake- wall- ▁nearest- ▁acquirer- ▁levered- ▁eating- ▁winner- ▁cigarette- ▁collapse- ▁confused- ▁scrubber- ▁tunnel- ▁assigned- ▁flush- ▁maria- ▁colon- ▁tel- ▁passage- ▁graphics- ▁stewards- ▁lump- person- ▁commonly- ▁gallons- flex- ▁elasticity- ▁specification- ▁specificity- ▁earnout- ▁interacting- dale- ▁cv- ▁virgin- ▁accelerator- ▁companion- ▁confusing- ▁dutch- ▁laboratories- ▁leather- ▁predicated- ▁emotional- ▁quo- ▁ppa- ▁speakers- developed- away- ▁automating- ▁colocation- ▁contingencies- ▁credible- ▁landfill- ▁scrutiny- ▁console- ▁hallmark- ▁prescribing- ▁systematically- ▁pullback- ▁competence- ▁enrolling- ▁instruct- ▁correlate- zi- ▁earthquake- ▁sunrise- ▁wrote- ▁exponential- ▁indoor- ▁drone- ▁reactivation- gl- ▁industrywide- ▁readers- ▁aged- ▁resident- ▁deduction- ▁reorganiz- ▁redefine- ▁charlotte- ▁circulation- ▁influencing- ▁marriott- ▁weakened- ▁backwards- ▁drew- ▁nc- ▁sage- ▁recruited- ▁prevail- ▁designation- ▁encounter- trans- intensive- watch- ▁blockchain- ▁boutique- ▁missioncritical- ▁quartile- ▁rubber- ▁speech- ▁transitory- ▁automatic- ▁denominator- ▁spur- ▁distracted- ▁todate- ▁diagnosed- ▁buses- ▁shy- ▁noble- ▁passes- ▁penetrated- ▁oh- ▁adherence- ▁estimation- ▁lincoln- ▁monetary- ▁preservation- ▁stimulation- ▁drain- ▁nashville- ▁rack- ▁amend- ▁declared- ▁viewpoint- ▁distributing- ▁hunting- ▁lifted- ▁reserv- ▁upturn- ▁ener- ▁enforce- ▁devastating- ▁independence- ▁multitude- ▁nowhere- ▁avoiding- ▁knee- ▁presume- ▁commend- ▁auditors- ▁avid- ▁accepting- ▁successor- ▁weighed- tek- ▁circumstance- ▁rebate- science- ▁nurses- ▁estimating- ▁fundraising- ▁gratitude- ▁hydraulic- ▁nafta- ▁anthem- ▁writedown- ▁layout- ▁warehous- ▁suspended- ▁stacked- ▁risen- '90'- ▁terminate- system- ▁evan- group- ▁junior- ▁phrase- ▁poultry- ▁repaid- ▁easing- ▁render- ▁toptier- ▁quantified- ▁scrapping- ▁attempting- burg- ▁rightsize- ▁wholesalers- ▁poll- ▁npl- ▁subside- ▁quoted- ▁mic- ▁genesis- tinib- ▁debit- ▁bike- ▁carol- ▁expired- ▁800- ▁coke- ▁thomas- ▁utica- ▁amenities- ▁airbus- ▁retrospective- ▁breakfast- ▁chair- ▁customercentric- ▁stating- ▁repurpos- written- ▁alcohol- ▁columbus- ▁gratifying- ▁inconsistent- ▁pellet- ▁rebroadcast- ▁yellow- ▁distill- ▁bowl- ▁uneven- ▁pulse- ▁sponsored- ▁hero- ▁granularit- ▁explicit- ▁nonoperat- ▁helicopter- ▁puzzle- ▁thursday- ▁mattress- ▁ebb- dium- ▁classroom- ▁05- ▁rigid- ▁nail- ▁cracker- ▁reorganized- ▁freeze- ▁lining- ▁dun- ▁remodeling- ▁origin- ▁designers- ▁judicious- ▁longevity- ▁nigeria- ▁singlefamily- ▁studied- ▁idaho- ▁antibody- ▁maryland- ▁tampa- ▁marty- ▁carryover- ▁exacerbated- ▁seal- ▁steri- ▁needless- ▁categorize- ▁duplicate- ▁insulation- ▁omidria- ▁propensity- ▁redundant- ▁shipyard- ▁anxious- ▁investigate- ▁minister- ▁originating- ▁bird- ▁acid- ▁accommodation- ▁divided- ▁compressor- ▁diy- ▁franc- ▁backoffice- ▁frustrating- ▁granite- ▁irrigation- ▁juncture- ▁iowa- ▁virus- ▁watt- ▁latestage- ▁hello- ▁remiss- ▁bt- ▁advertiser- ▁luck- ▁benchmarking- ▁abundant- ▁ambulatory- ▁condensate- ▁conversely- ▁dashboard- ▁netflix- ▁supervisor- ▁sidelines- ▁tailings- ▁allied- ▁hate- scape- ▁harmon- vel- ▁constellation- ▁empire- ▁feasible- ▁negligible- ▁outbound- ▁portugal- ▁preclude- ▁settling- ▁headset- ▁portland- ▁recur- ▁ram- ▁readout- jet- weighted- ▁entrepreneurs- ▁qualifying- ▁advisor- ▁700- ▁diet- ▁subsidy- ▁fierce- ▁conceptual- ▁motorcycle- ▁mount- ▁recast- ▁nash- ▁frontier- iq- ▁proportional- ▁customize- ▁concurrent- ▁mro- ▁accumulation- ▁beneficiary- ▁calgary- ▁hudson- ▁jamie- ▁restoring- ▁heels- ▁fre- ▁foodservice- ▁karen- ▁5000- ▁aaron- ▁illustration- ▁boss- ▁rally- ▁envi- ▁mb- ▁practically- ▁graphic- uel- ▁37- ▁150- ▁exhibited- ▁noncontroll- ▁sync- ▁refinanced- ▁nano- ▁arkansas- ▁balloon- ▁caveat- ▁village- ▁daniel- ▁oracle- ▁boundaries- ▁comcast- recapitalization- ▁maxim- ▁stopping- ▁rightsizing- ▁formular- ▁coating- awa- ▁scar- ▁educated- '70'- hill- ▁accu- rent- ▁obligat- ▁etf- ▁cleveland- ▁expansive- ▁hyatt- ▁pointofsale- ▁sandwich- ▁susan- trend- ▁timber- ▁prostate- factor- ▁arch- ▁concerted- ▁chem- ▁severely- label- ▁syndicate- ▁displace- ▁constituent- ▁czech- ▁rehabilitation- ▁recoup- ▁relax- ▁discharge- ▁monster- ▁plot- ▁methodolog- ▁bdc- ▁immuno- ▁overwhelmingly- ▁lengthy- ▁denominat- ▁cotton- ▁irrespective- ▁nonaccrual- ▁refranchising- ▁plateau- ▁dirt- ▁glenn- ▁marin- ▁johnson- ▁renovated- tron- track- ▁respectively- ▁validat- ▁sb- ▁afforded- ▁fragrance- ▁immunooncology- ▁lingering- ▁stellar- ▁syndication- ▁welcoming- ▁nominat- ▁substitution- ▁stan- ▁refill- ▁loe- center- tronics- look- selling- craft- ▁born- ▁academy- ▁athletic- ▁entail- ▁exclusion- ▁mutation- ▁preceding- ▁substantive- ▁brake- ▁julie- ensification- ▁gathered- ▁constrain- ▁habit- ▁reacted- ▁subscribe- ▁stagger- ▁expedite- ▁cease- ▁crossover- ▁persistence- ▁checkout- ▁insulated- ▁onset- ▁ul- ▁restated- ▁ranked- ▁amortiz- income- ▁apollo- ▁fossil- ▁identical- ▁leach- ▁lowermargin- ▁registry- ▁sacrificing- ▁utmost- ▁vacuum- ▁jean- ▁abuse- ▁macys- ▁temper- ▁statistically- drawn- ▁appreciative- ▁mentality- ▁procedural- ▁sydney- ▁pork- ▁azure- ▁shield- ▁injectable- ▁alive- ▁thermo- ▁pave- ▁neil- pla- ▁hone- ▁sporting- branded- ▁redo- working- genic- bell- ▁decommission- ▁nurture- ▁selfservice- ▁capita- ▁authentication- ▁hint- ▁expedited- ▁tying- ▁38- ▁fracture- ▁derisking- ▁employing- ▁fulfilled- ▁commercializing- ▁ameri- ▁transmit- break- ▁random- dequacy- ▁crossborder- ▁educator- ▁inclined- ▁samsung- ▁insulin- ▁inquiry- setting- ▁prescribed- ▁skip- ▁compress- ▁die- ▁coordinate- ▁anthony- ▁beijing- ▁counterparties- ▁festival- ▁nielsen- ▁proliferation- ▁subordinate- ▁staple- ▁thick- ▁boiler- ▁precedent- ▁timetable- ▁digging- ▁foothold- ▁contest- ▁tableau- ▁receptive- ▁hip- ▁explicitly- ▁salesforce- ▁shooting- ▁commenc- abilities- trade- ▁administrator- ▁congestion- ▁detriment- ▁episode- ▁hesitant- ▁hygiene- ▁scarcity- ▁smelter- ▁turmoil- ▁waterfall- ▁sweep- ▁standardize- ▁ranch- ▁advent- ▁smb- ▁influencer- utter- ▁95- ▁motivate- ▁accustomed- ▁chassis- ▁invaluable- ▁reestablish- ▁situated- ▁stimulus- ▁tandem- ▁volunteer- ▁prioritization- ▁compass- ▁scanner- ▁firewall- ▁blackstone- ▁crest- ▁cardio- ▁accessory- more- ▁steering- ▁cow- ▁marlin- ▁retired- ▁curate- ▁dean- ▁repo- ▁turk- ▁alternate- ▁analyses- ▁dialysis- ▁intensified- ▁penalties- ▁sensitivities- ▁worthwhile- ▁hazard- ▁remarkably- ▁blackrock- ▁agnostic- ▁cooperative- ▁lengthen- ▁steven- ▁formulate- ▁pv- ▁funeral- ▁ladder- ▁pinnacle- ▁postacute- ▁snapshot- ▁titanium- ▁brandnew- ▁shallow- ▁halo- ▁crown- zone- ▁railway- ▁slated- ▁await- ▁steer- ▁20000- yield- script- ▁caliber- ▁devoted- ▁eighth- ▁mouth- ▁postpaid- ▁aggregation- ▁cliff- ▁responsiveness- ▁string- ▁kin- ▁jones- ▁toughest- ▁char- ▁restored- ▁poster- ▁melt- ▁illustrat- ▁insider- mitted- ▁renovat- ▁renegotiate- ▁dinner- ▁reengineer- ▁thumb- ▁taxpayer- ▁arbitrage- ▁tipping- ▁stripping- ▁tapping- ▁mood- ▁dick- hub- sphere- ▁accumulate- ▁backtoschool- ▁orthopedic- ▁outweigh- ▁suppress- ▁reclassifie- ▁interestbearing- ▁choppi- ▁jackup- ▁popularity- ▁discoveries- hawk- ▁pam- ▁reallocat- ▁vulnerable- ▁sincerely- ▁trauma- ▁fellow- ▁warner- ▁capped- ▁seven- ▁centric- ▁earnest- ▁inspect- ▁pose- petition- ▁leaseup- ▁outgrow- volt- ▁digitize- ▁dedicate- ▁discontinue- ▁depreciate- ▁lithium- ▁philosophical- ▁framing- ▁cheese- ▁vending- ▁chegg- ▁clock- ▁purposeful- ▁cleanup- ▁knowledgeable- ▁cooperate- ▁cooler- ▁compliment- ▁dispense- ▁mathematical- ▁perimeter- ▁ralph- ▁retiring- ▁utah- ▁birth- ▁remediate- ▁laserfocused- ▁iteration- ▁tenet- ▁wisely- ▁renegotiated- ▁routinely- ▁nr- ▁buyout- code- ▁redesigned- ▁flor- ▁incent- ▁grocer- process- structure- ▁destiny- ▁underpenetrated- ▁busiest- ▁forthcoming- ▁virtuous- ▁plaza- ▁racing- eye- ▁3000- ▁payoff- ▁ortho- ▁merged- ▁inhibit- ▁vista- ▁watches- ▁deducti- charge- profit- energy- wind- ▁chemotherapy- ▁entrance- ▁facilitating- ▁happier- ▁legislature- ▁timeframe- ▁vacancies- ▁bargain- ▁lobby- ▁tokyo- ▁slope- ▁cedar- ▁specify- ▁protest- ▁roster- ▁voting- ▁withdrawal- ▁reallocation- ▁standby- ▁vale- ▁earlystage- ▁redevelop- ▁hp- ▁pest- front- ▁insist- beat- ▁alabama- ▁empty- ▁endorsement- ▁examining- ▁experiential- ▁rainfall- ▁separating- ▁iridium- ▁wellbeing- ▁liber- ▁recreational- ▁connector- ▁barge- ▁highgrade- ▁designated- ▁liquidate- ▁yo- action- ▁cpg- ▁suspend- ▁genuine- active- heim- utilized- ▁sma- ▁advocacy- ▁antibodies- ▁conservation- ▁hydrocarbon- ▁mismatch- ▁oxygen- ▁refractor- ▁unfair- ▁disability- ▁downgrade- ▁cabin- iston- ▁bolt- ▁120- suite- ▁enzyme- ▁hilton- ▁offensive- ▁testimony- ▁clothing- ▁restocking- ▁beacon- ▁defect- ▁nurse- ▁tal- ▁mixture- ▁dish- ▁activat- ▁pp- ▁citi- period- ▁inroads- ▁kroger- ▁vigorously- ▁2011- ▁pushback- ▁protective- ▁traders- ▁barn- ▁midsize- ▁increment- competitive- ▁fabulous- ▁hospice- ▁nitrogen- ▁practitioner- ▁restatement- ▁robinson- ▁segregat- ▁unconventional- ▁girl- ▁pbm- ▁instill- ▁loud- ▁characteristic- ▁realistically- ▁headquarter- ▁furnished- ▁highperforming- ▁amid- ▁flagged- ▁haynes- ▁problematic- ▁scoop- ▁sovereign- ▁voyage- ▁merely- ▁pinpoint- ▁prepay- ▁dependence- ▁marry- ▁lions- ▁superiority- megawatt- ▁excite- ▁jeremy- ▁refrigerated- ▁turbo- ▁unreasonable- ▁humble- ▁infant- ▁baking- ▁divert- ▁lte- ▁sharper- ▁colder- ▁monotherap- ▁consult- ▁correspond- ▁reinvigorate- platform- producing- order- check- resistant- ▁culinary- ▁flawless- ▁inherited- ▁nontraditional- ▁remeasurement- ▁wellknown- ▁winnebago- ▁revising- ▁lagged- ▁depict- ▁juice- ▁hypothesis- ▁dwell- ▁publisher- ▁reuse- hole- ▁heck- consolidated- built- prime- ▁depletion- ▁secondarily- ▁mlp- ▁weapon- ▁swiftly- ▁softened- ▁mil- ▁rainy- ▁blast- ▁coat- ▁expose- ▁furnish- wire- ▁bacteria- ▁baseball- ▁oxide- ▁prestigious- ▁stranded- ▁vantage- ▁slice- ▁thread- ▁michelle- ▁deduct- defined- ▁farther- ▁exhibition- scope- ▁bloom- ▁destroy- ▁plumbing- ▁reconsider- ▁unleash- ▁scanning- ▁parse- ▁clay- ▁personalize- neutral- ▁frustration- ▁highspeed- ▁targa- ▁kirk- ▁rescue- ▁subsidize- ▁steal- ▁mentor- ▁harris- ▁aspirational- ▁resale- borne- ▁deter- ▁pine- transmission- ▁onprem- ▁carriage- ▁invitation- ▁peace- ▁reconciling- ▁saturday- ▁selfhelp- ▁sulfur- ▁triumph- ▁escalate- ▁viral- ▁ethical- ▁ibm- ▁cameron- ▁sizing- ▁instantly- ▁creators- prong- ▁bull- ▁reaccelerat- ▁refurbish- ▁nascar- ▁retroactive- ▁unforeseen- ▁remix- ▁coding- ▁blueprint- ▁merging- ▁roast- arity- ▁existence- ▁resist- ▁assistant- ▁shaw- ▁technique- ▁genuinely- fast- ▁mobilize- ▁victoria- ▁interventional- axis- ▁soften- ▁tile- ▁attribution- ▁blockbuster- ▁insignificant- ▁literature- ▁qualities- ▁steroid- ▁terribly- ▁copies- ▁intercept- ▁welding- ▁tricky- sky- ▁scrip- ▁tec- munications- ▁nutritional- ▁nii- ▁tradition- economic- ▁kiosk- ▁pfizer- ▁unsustainabl- ▁buoy- ▁copyright- ▁elite- ▁rebuilt- ▁fcc- ▁midway- ▁sba- ▁offprice- plex- ▁distress- digit- appropriate- ▁interopera- ▁incidence- ▁jordan- ▁slippage- ▁calibrate- ▁shaft- ▁textile- ▁discontinuation- ▁confidentiality- ▁dump- ▁dropdown- ▁realworld- ▁chargeoff- ▁compact- ▁surround- ▁biopharma- ▁brilliant- ▁groundbreaking- ▁halloween- ▁microbiome- ▁migraine- ▁politics- ▁prestige- ▁pyramid- ▁synchroniz- ▁catheter- ▁advertisement- ▁revolutionary- ▁bread- ▁centre- ▁shoe- ▁parity- ▁withdraw- ▁albert- ▁50000- regulated- function- ▁acknowledging- ▁admittedly- ▁editorial- ▁mercury- ▁pragmatic- ▁stainless- ▁irrational- ▁illumina- ▁tmobile- ▁pullthrough- ▁classify- ▁highyield- ▁stockholder- ▁broadcasters- ▁fisher- ▁taco- ▁dilute- ▁deficiency- ▁influx- ▁occupy- ▁rehab- ▁reinsurer- ▁carpet- ▁hypothetical- ▁recalibrat- ▁lottery- ▁dyna- ▁marcus- ▁outlier- ▁reversion- ▁visitation- ▁guideline- stack- ▁peg- ▁bubble- ▁buffalo- ▁myriad- ▁bancorp- ▁leakage- ▁firing- ▁redeployment- ▁pole- smart- ddle- ▁epa- ▁basketball- ▁cohesive- ▁curriculum- ▁false- ▁greece- ▁lowmargin- ▁taylor- ▁unbelievabl- ▁tesco- ▁cascade- ▁darren- ▁clause- ▁hung- ▁strange- ▁tiny- ▁mediumsized- ▁irish- ▁professionalism- ▁adaptive- ▁stride- ▁joel- ▁aggregator- ▁redistribut- ▁probe- ▁bath- ▁remark- ▁chamber- ▁collision- ▁pervasive- ▁uncommon- ▁footnote- ▁youtube- ▁sick- ▁latency- ▁colleague- ▁extraction- motion- high- ▁msa- ▁antitrust- ▁asiapacific- ▁consummate- ▁hampered- ▁impediment- ▁receptor- ▁socalled- ▁plasma- ▁promo- ▁redundancy- ▁affo- ▁lenses- ▁gut- ▁immunotherap- ▁tall- ▁reactivate- ▁abundance- ▁acquisitive- ▁autumn- ▁cologuard- ▁infotainment- ▁refrigeration- ▁veterinary- ▁behaving- ▁diving- ▁booth- ▁halt- ▁radiation- ▁lisa- sense- ▁restriction- ▁revers- post- spoke- ▁underscor- ▁vocal- mobile- ▁charlie- ▁exterior- ▁hidden- ▁locomotive- ▁maturation- ▁cardinal- ▁orleans- ▁remedy- ▁traits- ▁instability- ▁originator- ▁marvel- ▁manpower- ▁quint- ▁heartland- rgus- ▁edition- ▁christian- ▁fractur- ▁divide- ▁glen- ▁ambassador- ▁arriving- ▁believing- ▁beneficiaries- ▁democrat- ▁detroit- ▁mortar- ▁turbulence- ▁dismiss- ▁geological- ▁seemingly- ▁pathogen- ▁tyler- ▁fireeye- ▁adhere- ▁lifo- ▁greenhouse- ▁opec- ▁hva- brook- ▁rework- ▁prohibit- ▁biomass- ▁costcutting- ▁excise- ▁proposing- ▁bunker- ▁fault- ▁brett- ▁cheapest- ▁garage- pharm- ▁yu- '06'- ▁buzz- ▁census- ▁delineation- ▁dependency- ▁evergreen- ▁exercising- ▁interference- ▁patterson- ▁referendum- ▁simplifies- ▁ninth- ▁recurrent- ▁campbell- ▁debut- ▁confront- ▁cream- ▁retin- nanometer- ▁photograph- ▁raj- ▁dominate- direct- ▁persistenc- ▁decentralized- ▁dissipate- ▁episodic- ▁latam- ▁mosaic- ▁petrobras- ▁resumption- ▁syndrome- ▁fixtures- ▁randomized- ▁reconstruction- ▁quant- ▁reinvention- leading- ▁simultaneous- ▁chocolate- ▁dangerous- ▁deteriorating- ▁inflammation- ▁laundry- ▁midatlantic- ▁parliament- ▁retool- ▁renal- ▁tolerance- ▁pollution- ▁timberland- operative- ▁ferro- ▁vitality- sharing- bury- ▁accessibility- ▁celebrating- ▁female- ▁frequencies- ▁hollywood- ▁relocating- ▁hinder- ▁spray- ▁leadingedge- ▁transpire- ▁goodbye- ▁macau- ▁poker- ▁eplex- ▁lapped- ▁wow- ▁juan- ▁insurer- ▁dell- ▁configure- ▁pile- ▁anomal- central- ▁phenomena- ▁appalachia- ▁cobalt- ▁cocacola- ▁lucrative- ▁slipped- ▁westinghouse- ▁vinyl- ▁organizing- ▁apex- ▁swim- ▁reactive- contract- supplied- ▁mitch- ▁attorney- ▁compatible- ▁conducive- ▁disparate- ▁explosive- ▁morris- ▁multifaceted- ▁wellestablished- ▁nucor- ▁displacement- ▁lauren- ▁noticing- ▁dust- ▁admission- ▁etsy- ▁biologic- ▁tear- ▁equip- ▁rocket- development- ▁criticized- ▁cuttingedge- ▁facilitator- ▁inaugura- ▁longhaul- ▁preempt- ▁prolific- ▁relapse- ▁unacceptable- ▁watson- ▁wyndham- ▁obsess- ▁overcoming- ▁vacate- ▁expare- ▁sensi- ▁recontract- ▁submitting- ▁aisle- ▁feat- ▁statistic- ▁heali- ▁30000- enhancing- ▁biopsy- ▁dublin- ▁exemplifie- ▁implicit- ▁peanut- ▁shadow- ▁submarine- ▁lawyers- ▁tubing- ▁misleading- ▁florence- ▁paving- ▁intermediary- ▁reagent- ▁thriving- ▁spanning- ▁dolby- ▁sweetener- ▁sweat- ▁alluding- ▁consultative- ▁drastically- ▁scarce- ▁merck- ▁resell- ▁peel- authorized- ▁contiguous- ▁counterparty- ▁decoupl- ▁desperate- ▁entrust- ▁examination- ▁hindsight- ▁remunerati- ▁valuecreation- ▁veterinarian- ▁walter- ▁wednesday- ▁whiskey- ▁knit- ▁expeditious- ▁linkage- ▁ltl- ission- ▁handicap- ▁bake- ▁ecom- ▁stead- foot- ▁faculty- ▁insufficient- ▁magnetic- ▁modalities- ▁quantification- ▁rotate- ▁correspondent- ▁farmland- ▁ccar- billed- ▁citizen- ▁culminat- ▁affluent- ▁amplified- ▁fibrosis- ▁inaccurate- ▁microchip- ▁resurgence- ▁stadium- ▁susceptible- ▁volkswagen- ▁coalition- ▁grasp- ▁unused- ▁ross- ▁moodys- ▁vault- ▁culmination- ▁canyon- ▁5050- ▁copay- ▁teva- ▁collaborator- ▁interrupt- grid- ▁ammunition- ▁celebration- ▁dispensing- ▁injunction- ▁nutrient- ▁phosphate- ▁predecessor- ▁splunk- ▁aftermath- ▁viewership- ▁delineate- ▁smile- ▁admin- ▁twofold- ▁crisp- tegra- ▁blip- eep- ▁locate- ▁definite- ▁wan- credit- ▁flotek- ▁henry- ▁adobe- ▁journalism- ▁kona- ▁inverse- ▁investigator- aze- ▁expedit- claim- ▁disturb- ▁equilibrium- ▁everchanging- ▁identifies- ▁nonstrategic- ▁triferic- ▁southeastern- ▁contend- ▁tolerated- ▁illegal- ▁focal- ▁lids- ▁dataset- ▁void- ▁gat- ngest- employ- screen- sheet- ▁bracket- ▁brokerdealer- ▁chipotle- ▁cushing- ▁exemption- ▁keppel- ▁omnipod- ▁propulsion- ▁prudence- ▁tournament- ▁sauce- ▁equate- ▁indebted- ▁suggestions- xcel- ▁imagery- ▁reoccurr- ▁cede- ▁revolve- ▁argentin- collect- ▁arrange- ▁compensating- ▁debenture- ▁formidable- ▁kratos- ▁police- ▁toxicity- ▁vitamin- ▁template- ▁valuing- ▁relieve- ▁dtc- ▁drawdown- ▁hack- glass- ▁shine- ▁iterate- scribed- ▁reimag- ▁biopharmaceutic- ▁brookfield- ▁clarified- ▁commonwealth- ▁hampshire- ▁influential- ▁protracted- ▁reassure- ▁resolute- ▁rotating- ▁styren- ▁alpine- ▁cultivating- ▁finite- ▁tommy- burn- ▁multiproduct- enberg- ▁nap- ▁noncomp- ▁decelerate- rrell- ▁rebrand- world- ▁michel- ▁immersive- ▁intermediaries- ▁methanol- ▁microcontroller- ▁overshadow- ▁reconfirm- ▁recurrence- ▁residence- ▁hungary- ▁tutor- ▁mobilization- ▁secretary- ▁duplication- ▁cake- ▁enact- ▁stakeholder- arables- ▁famous- ▁infringement- ▁marquee- ▁mezzanine- ▁oxford- ▁renegotiating- ▁attendee- ▁tilt- ▁jose- ▁linda- ▁decelerat- capitalized- ▁alumina- ▁approving- ▁consolidator- ▁elevation- ▁kathy- ▁offpremise- ▁pledge- ▁redetermination- ▁unintended- ▁honda- ▁punch- ▁multiply- ▁tuning- ▁cryo- ▁crystallize- ▁berlin- ▁forrester- ▁wellbore- ▁laura- ▁reimagine- ▁chatter- ▁cube- udge- ▁mario- ctive- earning- ▁autonomy- ▁expensing- ▁invoicing- ▁multimillion- ▁voucher- ▁acoustic- ▁craftsman- ▁remedies- ▁shelter- ▁britain- ▁deviate- ▁fastener- ▁montana- '500'- resuming- ▁atmosphere- ▁caustic- ▁consignment- ▁criminal- ▁infectious- ▁legitimate- ▁uranium- ▁scoring- ▁erode- ▁hungry- ▁ruble- ▁mint- organically- ▁harmonize- ▁cobrand- constrained- business- engine- ▁catastrophic- ▁circular- ▁finetune- ▁obsolete- ▁occupier- ▁securitize- ▁pruning- ▁surgeries- ▁sequel- ▁diameter- ▁combo- ▁technician- treated- ▁impair- ▁occupanc- ▁ethic- ▁drastic- ▁brothers- ▁celebrity- ▁deemphasiz- ▁destruction- ▁explosion- ▁freddie- ▁qualcomm- ▁scatter- ▁backhaul- ▁investigating- ▁encore- ▁geology- dollar- ▁victor- ▁subcontract- ▁receptiv- ferred- target- ▁eligibility- ▁energies- ▁entries- ▁expend- ▁gravitat- ▁ignite- ▁mifid- ▁refrain- ▁savvy- ▁terrible- ▁bondholder- ▁chlor- ▁aerial- ▁cattle- ▁potent- ▁exert- volume- managed- ▁averaging- ▁awesome- ▁cincinnati- ▁deficiencies- ▁delinquent- ▁knight- ▁varieties- ▁elegant- ▁flesh- ▁ourself- ▁theatrical- ▁subtract- ▁grace- ▁textbook- ▁elongat- ▁lull- structive- ground- ▁alzheimers- ▁coherent- ▁combustion- ▁franchising- ▁instagram- ▁prebuy- ▁requisite- ▁triangle- ▁wyoming- ▁reacceleration- ▁ltac- adjusted- mount- ▁grip- ▁computation- ▁accumulating- ▁carpenter- ▁cartridge- ▁escalating- ▁himself- ▁neurology- ▁trinity- ▁unmanned- ▁wolfcamp- ▁yeartoyear- ▁ubiquitous- ▁aetna- ▁blanket- capital- ▁solicit- ▁anxiety- ▁frankfurt- ▁judicial- ▁melbourne- ▁recompete- ▁tubular- ▁tuition- ▁zika- ▁custodia- ▁medallion- ▁socket- ▁repeal- ▁joseph- ▁panther- ▁verified- manufactur- ▁adhesive- ▁cockpit- ▁denim- ▁minneapolis- ▁multiplier- ▁substrate- ▁wisdom- ▁citrus- ▁esports- ▁brink- ▁inflated- ▁overrid- ▁retreat- ▁diagnose- ▁allegations- ▁brookdale- ▁derby- ▁edmonton- ▁marathon- ▁nowadays- ▁populated- ▁recipient- ▁roadshow- ▁seafood- ▁yelp- ▁diplomat- ▁envisage- ▁haptic- ▁handbag- ▁nokia- ▁relies- itude- ▁dominic- midst- ▁articulat- normal- ▁addiction- ▁deutsche- ▁explorator- ▁hiccup- ▁honeywell- ▁immigration- ▁mainframe- ▁metabolic- ▁compelled- horn- dependent- ▁appreciating- ▁confluence- ▁corrugated- ▁gambling- ▁inexpensive- ▁malibu- ▁pakistan- ▁privatization- ▁scandinavia- ▁unaudit- ▁orchard- ▁serial- ▁preleasing- ▁quebec- ▁societies- ▁wherewithal- ▁prince- ▁daytona- ▁trustees- ▁forensic- ▁fortify- ▁coronary- ▁sunset- ▁unrest- ▁immunolog- ▁distract- ▁appoint- quarteronquarter- ▁candid- represented- impact- ▁certify- ▁condominium- ▁coworkers- ▁epidemic- ▁gigabit- ▁kuwait- ▁sleeve- ▁turbulent- ▁verdict- ▁voltage- ▁upswing- ▁precede- ▁bridg- graphic- ▁fanni- ▁overwhelm- typical- ▁fascinating- ▁hurry- ▁impetus- ▁kilometers- ▁monarch- ▁orchestration- ▁politicians- ▁preopening- ▁repatriate- ▁stoppage- ▁tragic- ▁versatility- ▁enzo- ▁zoning- ▁salmon- ▁caterpillar- ▁halliburton- ▁indefinite- ▁parkinsons- ▁redefining- ▁uncomfortable- ▁valentine- ▁bmw- ▁outdated- ▁outstrip- ▁induce- style- ▁intersect- dilutive- ▁complacent- ▁disposing- ▁ethernet- ▁generous- ▁hesitation- ▁kingdom- ▁machining- ▁numerical- ▁richmond- ▁silhouette- ▁valuecreating- ▁yodle- ▁rasm- ▁charitabl- ▁tropica- ▁expir- ▁readjust- ▁cataract- ▁contamination- ▁deconsolidation- ▁demonstrabl- ▁divergence- ▁dubai- ▁escrow- ▁everincreasing- ▁inadequate- ▁pencil- ▁unwilling- ▁acumen- ▁debbie- ▁helix- ▁pulmon- ▁amenity- ▁tertiar- ▁ascend- ▁brush- ▁carveout- ▁centennial- ▁extrusion- ▁hispanic- ▁momentarily- ▁multitenant- ▁unaffected- ▁exaggerat- ntamina- ▁worsening- ▁allison- ▁symptom- ▁discontinu- ▁accommodati- propylene- ▁acknowledgment- ▁applaud- ▁binary- ▁boulder- ▁crossfunctional- ▁determinant- ▁grubhub- ▁lvt- ▁morbidit- ▁substation- ▁unencumber- ▁infinite- ▁cgm- constantcurrency- ▁brussels- ▁conduit- ▁countermeasure- ▁courage- ▁distant- ▁fragile- ▁melanoma- ▁motivating- ▁repetitive- ▁rhetoric- ▁smoking- ▁walgreen- ▁gordon- ▁recliner- ▁noisy- ▁angola- ▁rebid- ▁mobiliz- focus- financial- profile- ▁barclay- ▁convincing- ▁disseminate- ▁gratified- ▁intimacy- ▁ovarian- ▁savanna- ▁sierra- ▁storytelling- ▁thrust- ▁babies- ▁lilly- ▁capsule- ▁limb- ▁prescribe- ▁scene- ruct- ▁accru- ▁virtu- driving- monetization- ▁jewel- ▁dedicating- ▁gartner- ▁glimpse- ▁nutshell- ▁unbundl- ▁upholstery- ▁advising- ▁cocoa- ▁athena- ▁confine- ▁unlever- ntelo- deductible- region- ▁elastic- ▁abrupt- ▁appropriation- ▁elderly- ▁encryption- ▁gentleman- ▁graham- ▁halves- ▁invisalign- ▁mcdonalds- ▁opportune- ▁potato- ▁unanimous- ▁vascepa- ▁vulnerability- ▁xerox- ▁horr- milligram- ▁reinvigorat- ▁activi- soft- ▁prototyp- ological- ▁consequent- public- figure- licensing- ▁adjudicat- ▁amphenol- ▁anadarko- ▁calibration- ▁concentrator- ▁denial- ▁displacing- ▁eclipse- ▁headache- ▁obesity- ▁scotland- ▁vigor- ▁welfare- ▁blessed- ▁telephon- ography- '010'- ▁accentuate- ▁cannibalize- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "description_en": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout ddd205f05e4a323a0aeb5cae81604a7bb5abfa45pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Sat Feb 27 10:10:35 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.7`- pytorch version: `pytorch 1.7.1`- Git hash: `3572c4ecd74a9b1c77c639fce40e9318d254c5a6` - Commit date: `Thu Feb 25 18:52:24 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|95401|97.7|1.6|0.7|0.6|2.9|38.7||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|946469|97.6|1.7|0.8|0.6|3.0|39.2|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|543236|99.0|0.2|0.8|0.4|1.4|38.7||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|5393048|99.0|0.2|0.8|0.4|1.4|39.2|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|98503|97.4|1.6|1.0|0.5|3.1|38.7||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|979382|97.2|1.7|1.1|0.5|3.3|39.2|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 42966dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_en_bpe10000/train/speech_shape- exp/asr_stats_raw_en_bpe10000/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_en_bpe10000/valid/speech_shape- exp/asr_stats_raw_en_bpe10000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_nodev/wav.scp - speech - sound- - dump/raw/train_nodev/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/wav.scp - speech - sound- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁our- ▁a- ▁is- ▁on- ▁for- ▁as- ▁are- ▁have- ▁you- ▁this- ▁with- ▁i- s- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ▁think- ▁what- ▁not- ▁some- ▁us- ▁by- ▁or- ▁about- ▁well- ▁new- ▁growth- ▁can- ▁which- ▁its- ▁do- ▁was- ▁very- ▁an- ▁there- ▁these- ▁also- ▁market- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- ▁just- ▁been- ▁has- ▁weve- ▁those- ▁over- ▁they- ▁if- ▁first- ▁time- ▁customers- ▁where- ▁into- ▁how- ▁like- ▁results- ▁out- ▁other- ▁really- ▁last- ▁their- ▁up- ▁expect- ▁one- ▁than- ▁your- ▁because- ▁look- ▁through- ▁when- ing- ▁any- ▁thats- ▁get- ▁call- ▁strong- ▁then- ▁sales- ▁good- ▁had- ▁second- ▁believe- ▁revenue- ▁company- ▁years- ▁performance- ▁product- ▁make- ▁lot- ▁much- ▁financial- ▁capital- ▁could- ▁both- ▁cost- ▁them- ▁terms- ▁future- ▁right- ▁dont- d- ▁impact- ▁forward- ▁next- ▁little- ed- ▁products- ▁want- ▁bit- ▁value- ▁customer- ▁work- ▁increase- ▁back- ▁number- ▁may- ▁take- ▁markets- ▁while- ▁higher- ▁end- ▁opportunities- ▁able- ▁half- ▁kind- ▁way- ▁during- ▁operating- ▁significant- ▁better- ▁most- ▁things- ▁cash- ▁know- ▁go- ▁still- ▁focus- ▁say- ▁statements- ▁part- ▁being- ▁im- ▁provide- ▁should- ▁point- ▁across- ▁lower- ▁made- ▁important- ▁opportunity- ▁2- ▁team- ▁theres- ▁third- ▁today- ▁need- ▁many- ▁rate- ▁line- ▁people- ▁fourth- ▁strategy- ▁looking- ▁down- ▁continued- ▁before- ▁no- ▁around- ▁youre- ▁level- ▁portfolio- ▁management- ▁working- ▁industry- ▁additional- ▁due- ▁price- ▁investment- ▁share- ▁thank- ▁great- ▁actually- ▁only- ▁even- ▁here- ▁give- ▁demand- ▁come- ▁seeing- ▁plan- ▁few- ▁costs- ▁progress- ▁overall- ▁further- ▁development- ▁same- ies- ▁service- ▁current- ▁different- ▁seen- ▁margin- ▁doing- ▁me- ▁services- ▁result- ▁technology- ▁coming- ▁data- ▁earnings- ▁change- ▁positive- ▁guidance- ▁key- ▁grow- ▁again- ▁drive- ▁start- ▁position- ▁process- ▁investments- ▁full- ly- ▁past- ▁forwardlooking- ▁3- ▁said- ▁high- ▁got- ▁did- ▁turn- ▁given- ▁within- ▁basis- ▁expected- ▁based- ▁increased- ▁who- ▁improve- ▁support- ▁sure- ▁my- ▁focused- ▁potential- ▁question- ▁environment- ▁pricing- ▁help- ▁sort- ▁businesses- ▁months- ▁large- ▁such- ▁making- ▁remain- ▁done- ▁maybe- ▁something- ▁production- ▁strategic- ▁information- ▁ability- ▁balance- ▁already- ▁platform- ▁program- ▁couple- ▁move- ▁side- ▁interest- ▁quarters- ▁best- ▁mentioned- ▁several- ▁talk- ▁operations- ▁each- ▁acquisition- ▁early- ▁expectations- ▁rates- ▁assets- ▁q- ▁changes- ▁put- ▁use- ▁feel- ▁pleased- y- ▁segment- ▁long- ▁experience- ▁certain- ▁tax- ▁period- ▁growing- ▁base- ▁including- ▁projects- ▁deliver- ▁place- ▁benefit- ▁ill- ▁continues- ▁improvement- ▁related- ▁commercial- ▁initiatives- ▁order- ▁companies- ▁areas- ▁activity- ▁driven- ▁factors- ▁margins- ▁model- ▁getting- ▁existing- ▁net- ▁levels- ▁big- ▁flow- ▁does- ▁income- ▁theyre- ▁term- ▁pretty- ▁after- ▁addition- ▁volume- ▁clients- ▁course- e- ▁capacity- ▁probably- ▁fact- ▁id- ▁thing- ▁might- ▁under- ▁build- ▁having- ▁day- ▁marketing- ▁mix- ▁always- ▁competitive- ▁risk- ▁global- ▁why- ▁release- ▁every- ▁prices- ▁actual- ▁solutions- ▁mean- ▁leverage- ▁quite- ▁project- ▁another- ▁saw- ▁brand- ▁yes- ▁top- ▁supply- ▁offset- ▁update- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁conference- ▁digital- ▁quality- ▁obviously- ▁between- ▁let- ▁efforts- ▁off- ▁todays- ▁shareholders- ▁area- ▁certainly- er- ▁far- ▁system- ▁prior- ▁building- ▁whether- ▁expenses- ▁group- ▁less- ▁credit- ▁world- ▁continuing- ▁trying- ▁real- ▁primarily- ▁operational- ▁understand- ▁amount- ▁retail- ▁questions- ▁success- ▁view- ▁low- ▁pipeline- ▁taking- ▁2017- ▁inventory- ▁range- ▁outlook- ▁consumer- ▁improved- ▁return- ▁ahead- ▁review- ▁companys- ▁revenues- ▁set- ▁major- ▁since- ▁fiscal- ▁risks- ▁expense- ▁profitability- ▁timing- ▁capabilities- ▁5- ▁partners- ▁materially- ▁increasing- ▁presentation- ▁4- ▁however- ▁benefits- ▁youve- ▁longterm- ▁confident- ▁ago- ▁hard- ▁2018- ▁increases- ▁acquisitions- ▁driving- ▁plans- ▁excited- ▁total- ▁expand- ▁own- n- ▁solid- ▁talked- ▁differ- ▁distribution- ▁china- ▁1- ▁particularly- t- ▁sheet- ▁consistent- ▁expansion- ▁stores- ▁approach- ▁invest- ▁space- ▁small- es- ▁keep- ▁asset- ▁bring- ▁compared- ▁structure- ▁debt- ▁sense- ▁programs- ▁patients- ▁numbers- ▁clear- ▁perspective- ▁improving- ▁versus- ▁needs- ▁add- ▁whats- ▁measures- ▁average- ▁10- ▁beginning- ▁close- ▁currently- ▁begin- ▁trends- ▁significantly- ▁care- al- ▁network- ▁2016- ▁open- ▁create- ▁points- ▁starting- ▁conditions- ▁please- ▁okay- ▁per- ▁together- ▁strength- ▁volumes- r- c- ▁energy- ▁scale- ▁specific- ▁decline- ▁anything- ▁brands- ▁throughout- ▁organization- ▁detail- ▁transaction- ▁execution- ▁towards- ▁contract- ▁run- ▁advantage- ▁profit- ▁remains- ▁include- ▁health- ▁gas- ▁tell- ▁systems- ▁larger- ▁greater- ▁efficiency- ▁material- ▁spend- ▁teams- ▁organic- ▁comments- ▁yet- ▁international- ▁uncertaint- ▁events- ▁store- ▁ongoing- ▁deal- ▁investors- ▁fully- ▁example- ▁longer- ▁cause- ▁control- ▁successful- ▁innovation- ▁returns- ▁power- ▁trend- m- ▁announced- ▁infrastructure- ▁everyone- ▁find- ▁once- ▁along- ▁discuss- ▁started- ▁europe- ▁oil- ▁talking- ▁recently- ▁reduce- ▁track- ▁difficult- ▁6- ▁later- ▁particular- ▁case- ▁achieve- ▁similar- ▁improvements- ▁allow- ▁lines- ▁momentum- ▁providing- ▁note- ▁become- ▁completed- ▁segments- ▁clearly- ▁press- ▁associated- ▁too- ▁try- ▁board- ▁guess- ▁activities- ▁discussed- ▁report- ▁beyond- ▁previously- ▁morning- ▁access- ▁manage- ▁impacted- ▁general- ▁confidence- ▁issues- ▁regarding- ▁equity- ▁remarks- ▁used- ▁meaningful- ▁anticipate- ▁decision- b- ▁offering- ▁adjusted- ▁sell- ▁against- ▁record- ▁delivering- ▁effect- ▁reduction- ▁launch- ▁economic- ▁offer- ▁positioned- ▁reason- ▁website- ▁money- ▁equipment- ▁using- ▁contracts- ▁subject- ▁finally- ▁pay- ▁items- ▁pressure- ▁integration- ▁cycle- ▁target- ▁slightly- g- ▁guys- ▁quickly- ▁although- ▁actions- ▁without- ▁selling- ▁leadership- ▁relative- ▁channel- ▁especially- ▁resources- ▁meet- a- ▁corporate- ▁construction- ▁comes- ▁re- ▁spending- ▁possible- ▁unique- ▁means- ▁manufacturing- k- ▁direct- in- ▁incremental- ▁remind- ▁facility- ▁percentage- ▁combination- ▁size- ▁online- ▁maintain- '1'- ▁details- ▁complete- ▁employees- ▁included- ▁execute- ▁front- ▁either- ▁taken- ▁multiple- ▁content- ▁local- ▁rest- ▁show- ▁ensure- o- ▁until- ▁thinking- ▁stock- ▁challenges- ▁transition- ▁annual- ▁job- ▁loan- ▁didnt- ▁various- ▁investing- ▁address- ▁color- ▁client- ▁whole- ▁free- ▁thanks- ▁type- ▁partner- ▁negative- ▁previous- ▁reflect- x- ▁wanted- ▁leading- ▁generate- ▁cloud- ▁exchange- ▁turning- ▁productivity- ▁month- ▁marketplace- ▁single- ▁relationships- ▁short- ▁regulatory- ▁public- ▁home- ▁attractive- ▁date- ▁stronger- ▁am- ▁bank- ▁solution- ▁ive- ▁issue- ▁happen- ▁deals- ▁largest- ▁committed- ▁consumers- ▁clinical- ▁thought- ▁ways- ▁goal- ▁discussion- ▁profitable- ▁despite- ▁sale- ▁relatively- ▁following- ▁delivered- ▁shift- ▁favorable- ▁anticipated- ▁savings- ▁likely- ▁life- ▁combined- ▁2019- ▁chain- ▁days- ▁youll- ▁transformation- ▁bottom- ▁provided- ▁underlying- ▁orders- ▁ebitda- ▁lead- ▁havent- ▁prepared- ▁cant- ▁delivery- ▁gives- '2'- ▁least- ▁nongaap- ▁serve- ▁highly- ▁though- ▁category- ▁comment- ▁government- able- ▁develop- ▁flexibility- ▁experienced- ▁moment- ▁closing- ▁generally- p- ▁respect- ▁portion- ▁dividend- ▁private- ▁built- ▁industrial- ▁majority- ▁quarterly- f- ▁entire- ▁agreement- ▁generation- ▁expanding- ▁hope- ▁18- ▁upon- ▁therefore- ▁everything- ▁specifically- ▁initial- ▁challenging- ▁effective- ▁provides- ▁efficient- ▁normal- ▁play- ▁situation- ▁accelerate- ▁currency- ▁flat- ▁- ▁doesnt- ▁property- ▁buy- ▁competitors- ▁season- ▁commitment- ▁strategies- ▁critical- ▁required- ▁answer- ▁country- ▁active- ▁un- ▁design- ▁competition- ▁step- ▁largely- ▁fair- ▁technologies- ▁12- ▁weeks- ers- ▁he- ▁hand- ▁lets- ▁software- ▁facilities- ▁pace- ▁near- ▁region- ▁state- ▁loss- ▁mobile- ▁securities- ▁final- ▁behind- l- ▁center- '4'- ▁smaller- ▁allows- ▁week- ▁extremely- re- ▁enhance- ▁insurance- ▁enough- ▁form- ▁his- ▁stable- ▁ourselves- ▁book- ▁came- ▁rather- ▁planning- ▁parts- ▁recovery- ▁safety- ▁reported- ▁ever- ▁happy- ▁makes- ▁sustainable- ▁includes- ▁times- ▁relationship- ▁unit- ▁patient- ▁sector- ▁accounts- ▁loans- ▁20- ▁away- ▁internal- ▁categories- ▁transactions- ▁enterprise- ▁reduced- ▁assumptions- ▁reach- ▁running- ▁wondering- ▁enable- ▁exactly- ▁contribution- ▁effort- ▁achieved- ▁estate- ▁account- ▁offerings- ▁metrics- or- ▁others- ▁gaap- ▁units- ▁above- ▁applications- ▁basically- ▁weather- ▁profile- ▁outside- '3'- ▁phase- ▁faster- ▁partially- ▁operate- ▁appropriate- ▁added- ▁discussions- ▁channels- ▁study- ▁accounting- ▁gain- ▁field- ▁reflects- ▁security- ▁efficienc- ▁decrease- ▁received- ▁seems- ▁exciting- ▁restructuring- ▁plant- ▁developing- ▁directly- ▁changed- ▁took- ▁middle- ▁consider- ▁investor- ▁ultimately- ▁integrated- ▁footprint- ▁platforms- ▁reasons- ▁shareholder- ▁changing- ▁adding- ▁joining- ▁decisions- ▁statement- ▁traffic- ▁community- ▁drivers- ▁typically- ▁ratio- ▁fleet- ▁premium- ▁substantial- ▁win- ▁capability- ▁january- ▁robust- ▁gains- ▁managing- ▁fund- ▁media- ▁creating- ▁options- ▁healthy- ▁17- ▁december- ▁tend- ▁8- ▁expectation- ▁purchase- ▁national- ▁almost- ▁processes- ▁news- ▁advertising- ▁importantly- ▁happening- w- ▁labor- ▁disconnect- ▁potentially- ▁natural- ation- ▁primary- ▁backlog- i- ▁understanding- ▁executing- ▁nature- ▁yield- ▁forecast- ▁water- ▁traditional- ▁food- ▁saying- ▁office- ▁meeting- ▁7- ▁bringing- ▁driver- ▁optimistic- ▁filings- ▁9- ▁planned- ▁limited- ▁excellent- ▁putting- ▁highlights- ▁mind- ▁effectively- ▁comfortable- ▁historical- ▁found- ▁needed- ▁cases- ▁march- ▁goes- ▁necessary- ▁research- ▁ask- ▁visibility- ▁targets- ▁million- ▁proud- ▁liquidity- ▁funding- ▁refer- ▁trade- ▁disciplined- ▁speak- ▁countries- ▁headwind- ▁main- ▁losses- ▁regions- ▁else- ▁comparable- ▁encouraged- ▁standpoint- ▁bigger- ▁land- ▁wouldnt- ▁15- ▁commission- ▁non- ▁recognize- ▁volatility- ▁launched- ▁page- ▁june- ▁financing- ▁maintenance- ▁never- ▁members- ▁september- ▁response- ▁extent- ▁remaining- ▁expanded- ▁obligation- ▁difference- ▁types- ▁approximately- ▁fixed- ▁late- ▁focusing- ▁asia- ▁utilization- ra- ▁takes- ▁path- ▁completion- ▁broader- ▁detailed- ▁perhaps- ▁test- ▁sold- ▁reducing- 'on'- ▁theyve- ▁economy- ▁properties- ▁ready- ▁30- ▁tremendous- ▁intend- ▁stay- ▁dollars- ▁operation- ▁partnership- ▁below- ▁direction- ▁medical- ▁fees- ion- ▁led- ▁acquired- ▁locations- ▁remainder- ▁gross- ▁capex- ▁ramp- ▁tools- ▁reflected- ▁went- co- ▁nice- ▁highlight- ▁individual- ▁engagement- ▁allocation- ▁simply- ▁legacy- ▁conversion- ▁2015- ▁biggest- ▁fairly- ▁stage- ▁successfully- ▁flows- ▁highest- ch- ▁increasingly- ▁inflation- ▁optimize- ▁fuel- ▁closely- ▁interesting- ▁shows- ▁broad- ▁history- ▁wont- ▁summary- ▁buying- ▁light- ▁requirements- ▁historically- ▁reporting- ▁commodity- ▁foundation- ▁force- ▁live- ▁pre- ▁shares- ▁opening- ▁necessarily- ▁somewhat- ▁giving- ▁goals- ▁outstanding- ▁drilling- ▁priority- ▁reconciliation- ▁19- ▁standard- ▁attention- ar- v- ▁talent- ▁periods- ▁remember- ▁dollar- ▁maintaining- ▁appreciate- th- ity- ▁expecting- ▁event- ▁mainly- ▁steps- ▁looks- ▁european- ▁trial- ▁closed- ▁factor- ▁proposition- ▁expertise- ▁capture- ▁funds- ▁exposure- ▁ones- le- ▁innovative- ▁paid- ▁b- ▁prospects- ▁hit- ▁cover- ▁present- ▁operator- ▁implementation- ▁materials- ▁itself- ▁everybody- ▁regard- ▁component- ic- ▁compensation- ▁role- ▁centers- ▁learning- ▁payments- ▁testing- ▁canada- ▁16- ▁south- ▁domestic- ▁developed- ▁approval- ▁definitely- ▁adoption- ▁priorities- ▁treatment- ▁lease- ▁true- ▁initiative- ▁safe- ▁foreign- ▁leader- ▁nothing- ▁piece- ▁policy- ▁analysis- ▁october- ▁april- ▁challenge- ▁banking- ▁created- ▁matter- ▁g- ▁realize- ▁strengthen- ▁franchise- ▁targeted- ▁noted- ▁advanced- ▁worked- ▁happened- ▁culture- ▁produce- ▁undertake- ▁application- ▁positions- ▁assume- ▁sec- to- ▁payment- ▁site- ▁resulting- ▁hold- ▁actively- ▁calls- ▁among- ▁described- ▁impacts- ▁resulted- ▁presence- ▁regional- ▁aggressive- ▁summer- ▁additionally- ▁emerging- ▁steady- ▁fall- ▁banks- ▁training- ▁context- us- ization- ▁helping- ▁retailers- ▁discipline- ▁dynamics- ▁models- ▁seasonal- ▁july- ▁mortgage- ▁road- ▁trading- ▁managed- ▁conclude- ▁designed- ▁generated- ▁huge- ▁relates- ▁leveraging- ▁players- ▁upside- ▁modest- ur- ▁coverage- ▁deposit- ▁reform- ▁car- ▁participation- ▁synerg- ▁becoming- ▁brazil- ▁idea- ▁follow- ▁evaluate- ▁speed- ▁otherwise- ▁developments- ▁f- ▁vision- ▁invested- ▁analytics- based- st- ▁absolutely- ▁de- en- ▁dynamic- ▁act- ▁complex- ▁heard- ▁implemented- it- ▁perform- ▁comp- ri- ▁yearoveryear- ▁50- ▁pursue- ▁gone- ▁wed- ▁measure- li- ▁federal- ▁room- ▁finance- ▁special- ▁providers- ▁schedule- ▁action- ▁relevant- h- ▁joint- ▁affected- ▁recognized- il- ▁effects- ▁story- ▁moved- ▁variety- ▁reminder- ▁wells- ▁reasonable- ▁adjustments- ▁helpful- ▁november- ▁reflecting- ▁must- ▁soon- ▁specialty- ▁reductions- ▁push- ▁technical- ▁enhanced- as- ▁s- ▁objectives- ▁generating- rs- ▁deep- ▁essentially- ▁source- ▁renewal- ▁compete- ▁states- ▁issued- ▁division- ▁often- ▁communities- ▁senior- ▁represents- ▁closer- ▁c- ▁advance- ▁face- ▁co- ▁demonstrate- ▁happens- ▁february- ▁performing- ▁fee- ▁users- ne- ▁decided- ▁easier- ▁america- ▁uncertainty- ▁read- ▁hear- ▁partnerships- z- ▁began- ▁california- ▁identified- ▁function- ▁east- ▁fast- ▁components- ▁engineering- ▁bookings- ta- ▁looked- ▁sites- ▁recognition- ▁fit- ▁york- year- ▁interested- ▁affect- ▁slow- ▁easy- q- ▁outcomes- ment- ▁identify- ▁independent- ▁cannot- ▁d- ▁stated- ▁pick- ▁represent- ▁established- ro- ▁drug- ▁operators- ▁underwriting- an- ▁consolidation- ▁common- ▁budget- ▁agreements- ▁video- ▁city- ▁helped- ▁smart- ▁consistently- ▁paying- ▁maximize- ▁excess- ▁achieving- ▁left- ▁frankly- ▁wins- ▁west- ▁provider- u- ▁repurchase- ▁estimate- ▁firm- ▁thoughts- ▁require- ▁compelling- ▁ground- ▁predict- ▁groups- ▁automotive- ▁raw- ▁aware- ▁double- ▁e- ▁penetration- com- ▁shown- ▁projections- ▁allowed- ▁mexico- ▁plants- ▁capitalize- ive- ▁t- ▁quick- ▁mark- ▁indicated- ▁toward- ▁presented- ▁transportation- ▁prudent- ▁roll- ▁law- ▁depending- ▁devices- ▁rapidly- ▁brought- ▁deploy- ▁supported- ▁touch- ▁folks- ▁encouraging- ▁demonstrated- ▁professional- ▁sequential- ▁recorded- ▁august- ▁outcome- ▁differentiated- ▁game- ▁degree- ▁accelerated- ▁residential- ▁auto- ▁filed- ▁occur- ▁rental- ▁receive- ▁curious- ▁grew- ▁seasonality- ▁welcome- ▁holiday- ▁extend- ▁considered- ▁deployment- ▁r- ▁showing- ▁problem- ▁substantially- ness- ▁excellence- ▁leasing- ▁suppliers- ▁option- ▁count- ▁concludes- ▁recover- ▁central- ▁drop- ▁elements- ▁remained- ▁lending- ▁consolidated- ▁conservative- ▁realized- ▁japan- ▁estimates- ▁dedicated- ▁retention- ▁canadian- ▁positioning- ▁spent- ▁correct- ma- ▁spot- ▁walk- ▁objective- ▁figure- ▁legal- ▁gets- ▁tough- ▁pro- ▁excluding- ▁supporting- ▁involved- ▁table- ▁sometimes- ▁leaders- ▁shared- ▁promotional- ▁nearly- ▁plus- ▁benefited- ▁claims- ▁feedback- ▁contributed- ▁comprehensive- ▁felt- ▁license- ▁rent- ▁subscription- ▁o- ▁truly- ▁processing- is- el- ▁section- ▁post- ▁choice- ▁wholesale- ▁contribute- ▁social- ▁card- ▁speaking- ▁involve- ▁chinese- ▁original- ▁taxes- ▁deposits- ▁whatever- ▁personal- ▁stuff- ▁spread- ▁vehicle- ▁traction- ▁external- ▁economics- ▁declines- ▁recall- la- ▁raise- ▁signed- ▁john- ▁isnt- ▁projected- ▁mike- ▁population- ▁macro- ▁aggressively- ▁proven- ▁availability- ter- ▁themselves- ▁allowing- ve- ▁seem- ▁geographic- ▁india- ▁staff- ▁creation- ▁recurring- ▁list- ▁optimization- ▁implement- ▁gave- ▁stages- ▁hopefully- ▁two- os- ▁north- ▁digits- ▁commentary- ▁internally- ▁studies- ▁updated- ▁conversations- ▁helps- ent- ▁afternoon- ▁financials- te- ▁enter- na- ▁announcement- ▁bill- ▁deferred- ▁respond- ▁collaboration- ▁location- ▁secure- ▁features- ▁known- ▁held- ▁picture- ▁acquire- ▁texas- ▁charge- ▁mostly- ▁engaged- ▁adjust- ▁air- ▁works- ▁finding- ate- ▁n- ▁fundamentals- ▁mid- ▁strengthening- ▁p- ▁explain- ▁name- ▁ladies- ▁posted- ▁completely- ▁storage- ▁shipments- up- ▁venture- ▁overview- ▁practices- ul- ▁user- ▁dividends- ▁pull- ▁accelerating- ▁efficiently- ▁keeping- ▁gentlemen- ▁housing- ▁globally- ▁mention- ▁lost- ▁called- ▁participating- ▁resource- ▁40- ▁sources- ▁meaning- ▁11- ▁spring- ▁worth- ▁ecommerce- ▁old- '00'- ▁slower- ▁alternative- ▁minutes- ▁indication- ▁constant- ▁slides- related- ▁manner- ▁trust- ▁performed- ▁calendar- ▁considering- ▁expressed- ▁journey- ▁standards- ▁contain- ▁frame- ▁reserve- est- ▁h- ▁signs- ▁compliance- ▁evaluating- ▁engage- ▁valuable- ▁element- ▁industries- ▁announce- ▁peak- ▁commitments- ▁merger- ▁peers- ▁awareness- ▁pressures- ▁strongly- ▁k- ▁con- ▁introduced- ▁enhancement- ry- ▁places- ▁launches- ia- ▁extended- ▁monitor- ▁proceeds- ▁assuming- de- ▁evolution- ▁offers- ▁upcoming- ▁superior- ▁contained- ▁contributions- ▁encourage- ▁vehicles- ▁profits- ▁evidence- ▁sharing- ▁forth- ▁comparison- ▁her- ▁pass- ▁bad- ▁multi- ▁pursuing- ▁chart- ▁provision- ▁wind- go- ▁parties- ▁networks- ▁acceleration- ▁charges- ▁broadly- ▁mining- ▁family- ▁organizations- ▁class- ▁shipping- ▁thus- ▁holding- ▁disease- ▁sign- ▁wait- ▁diversified- age- ▁stability- ▁connected- ▁starts- ▁american- ▁100- ▁break- ▁participate- ▁shopping- out- ally- ▁becomes- ▁balanced- ▁device- ▁disclosure- ce- ▁rising- ▁highlighted- ▁implementing- ▁ended- ▁reports- ▁hospital- ▁automation- ▁opposed- ▁enhancing- ▁separate- ▁willing- ▁asked- ▁shape- ▁concluded- ▁executed- ▁simple- ▁lots- ▁examples- ▁circumstances- ▁item- ▁knowledge- ▁words- ▁managers- ▁winter- ▁series- ▁geographi- ▁vertical- ▁matters- ▁wide- ant- ▁inside- ▁insight- ▁mine- ▁attract- ▁enables- ▁physicians- ▁roughly- ▁steel- ▁discussing- ▁heavy- ▁targeting- ▁publicly- ▁executive- ▁wasnt- ▁protection- ▁logistics- ▁internet- ▁exceptional- ▁concerned- ▁landscape- ▁engine- ▁aircraft- ▁slight- ▁weakness- ▁aspects- ▁yearend- se- ▁seek- ▁conclusion- um- ▁utility- ▁ownership- ▁integrate- ts- ▁search- ▁valuation- ▁structural- ▁reserves- ol- ton- ▁winning- at- ▁14- ▁approved- ▁chance- ▁curve- ▁loyalty- ▁evolving- ▁fundamental- ▁arent- ▁opened- ▁protect- ▁brief- ▁aligned- ▁agency- ▁negatively- ▁continuous- ▁enabling- ca- ▁she- ▁values- ▁travel- ▁subsequent- ▁variable- ▁label- ▁strategically- ▁rapid- ▁practice- ▁drove- ▁love- ▁begun- ▁australia- ▁views- ▁campaign- ▁typical- ▁ship- ▁connect- ▁education- ▁litigation- ▁employee- ▁importance- ti- ▁met- ▁coast- ▁origination- ▁rolling- ▁fashion- ▁officer- ▁yesterday- ▁germany- ▁13- ▁rigs- ▁trajectory- ▁mature- ▁60- ▁sounds- ▁learn- ▁mo- ▁mitigate- ▁reality- ▁secondly- ▁inventories- ▁yields- ▁deeper- ▁cautious- ▁floor- ting- ▁department- ▁mission- ▁florida- ▁carry- ▁et- ▁evolve- ▁flexible- ▁adjustment- ▁implied- ▁weak- ▁owners- ▁sustained- ▁movement- ▁repeat- ▁absolute- ▁lack- ▁harbor- ▁unless- ▁pieces- ▁updates- ▁western- ▁consecutive- ▁hearing- ▁restaurant- ▁caused- ▁replacement- lo- ▁occupancy- ▁bar- ▁rig- ▁opportunistic- ▁hotel- ▁steve- ▁determine- ▁latin- ▁freight- ▁cut- ▁exit- ▁enabled- ▁moderate- ▁agencies- ▁assortment- ▁finish- ating- ▁david- ▁paper- ▁reached- ▁sufficient- ▁underway- ▁therapy- ▁app- ▁vast- ▁sectors- ▁diversification- ▁setting- ▁leases- ▁gap- ▁stand- ▁replay- ▁except- ▁clarity- ▁utilize- ▁impacting- ▁brings- ▁rise- ▁export- ▁tool- ▁j- ▁heavily- ized- ▁human- ▁incentive- ▁outlined- ▁extra- ▁experiencing- ▁regards- ▁compare- ▁stakeholders- ▁physical- ▁cycles- ▁daily- ▁restaurants- ▁gotten- ▁retain- ▁oem- ▁imagine- ▁machine- ▁reimbursement- ▁trials- ▁environmental- ▁cancer- ▁optimiz- ▁figures- ▁x- ▁problems- ▁watch- ▁consumption- ▁depreciation- ▁dramatically- me- ▁latest- ▁2020- ▁insights- ▁provisions- ▁disruption- ▁st- va- ▁experiences- ▁wish- tic- ▁asking- ▁ex- ▁weaker- ▁consideration- ▁contributing- ▁clean- ▁collection- ▁shortterm- ▁discount- ▁entered- ▁chief- ▁returning- ▁guests- ▁upgrade- ▁depends- ▁choose- ▁framework- mo- ▁exceeded- ▁usage- ▁hiring- ▁sub- ▁introduce- ▁president- ▁apply- ▁carefully- ▁declined- ▁sequentially- ▁ma- ▁guide- ▁electric- et- ▁reference- ▁expenditures- ▁producing- ▁fresh- ▁communications- ▁managements- ▁occurred- line- ▁instead- ▁stream- ▁immediately- ▁v- ▁productive- ▁usually- ▁gold- ▁packaging- ba- ▁temporary- ▁downturn- ▁attributable- ▁communication- ▁settlement- ▁convert- ▁advantages- ▁coal- ▁grown- ▁requires- ▁connection- ▁ensuring- ▁originally- ▁cap- ▁shortly- ac- ▁gaining- ▁box- vi- ▁fill- ▁amounts- ▁se- ▁shop- ▁scope- ▁institutional- ▁complexity- ▁serving- ▁condition- ▁webcast- ▁ad- ▁medium- 'no'- ▁hasnt- am- ▁shifting- ▁homes- ▁bo- ▁handle- ▁powerful- ad- ize- ▁doubledigit- ▁rules- ▁introduction- ▁diverse- ▁leads- ▁supplier- ▁launching- ▁90- izing- ▁concept- ▁wealth- ▁behavior- ▁political- ▁wireless- ▁initially- ▁transfer- ▁delay- ▁balances- ex- ▁sit- ▁leave- ▁distributors- ▁manufacturers- ▁africa- ▁metric- ▁cars- ▁audience- ▁purpose- ▁hotels- ability- ▁monitoring- ▁followed- ▁attending- ▁carriers- ▁soft- ▁numerous- ▁transform- ▁tenants- ▁hedge- ▁alternatives- ▁street- ▁reliability- ▁ecosystem- ▁youd- ▁briefly- ▁moves- ▁hardware- ▁satisfaction- ▁w- ▁usual- ▁associates- ▁administration- ▁strongest- ▁elevated- ▁pension- ▁creates- ▁intelligence- ▁basin- ▁concern- ▁learned- ated- ▁proprietary- ▁merchandise- ▁laid- ▁addressing- ▁busy- con- ▁revise- ▁fewer- ▁jim- ▁dealers- ▁differences- ▁duration- ary- ▁scheduled- mi- ▁indications- ▁express- ▁fiber- ▁him- ▁vendors- ▁produced- ▁buyers- ▁hospitals- ▁caution- ▁message- ▁m- ▁agents- ▁extensive- ck- ▁theyll- ▁decide- ▁proportion- sh- ▁waiting- ▁feeling- ▁contact- ▁pilot- ▁installed- ▁facing- ▁minimum- ▁hours- ▁tariffs- ▁phone- ▁select- ▁decreased- ▁milestones- ▁normally- ▁sa- ▁reiterate- ▁positively- ▁package- ▁multiyear- ▁dependent- ▁deployed- ▁declining- ▁portfolios- ▁awards- ▁supplemental- ▁careful- ▁showed- ▁decade- ▁reinvest- ▁dedication- ▁regular- ▁match- ▁intended- ▁ramping- ▁secured- ▁personnel- id- ▁emphasis- ▁normalized- ▁vi- ▁immediate- ▁concerns- ▁americas- ▁negotiations- ▁cetera- ▁magnitude- ▁accretive- ▁house- ▁defense- ▁assessment- ▁delays- ▁depend- ▁via- ▁told- ▁somebody- ge- ine- ▁constantly- ▁policies- ▁stop- ▁assess- ▁extension- ▁covered- po- ▁tight- ▁align- ▁france- ▁lowest- ▁bought- ▁nicely- sa- ▁differentiate- ▁progressing- ▁quantify- ▁turnaround- ▁demonstrates- ▁deliveries- ▁enrollment- ▁map- ph- ▁prove- ▁purchases- ▁purchasing- ▁divisions- man- ▁suggest- ▁playing- ▁25- son- ▁court- ▁conversation- ▁heart- ▁super- ▁establish- ▁released- ▁lives- ▁adapt- ▁maintained- ▁liability- ▁agree- ▁benefiting- ▁students- im- ▁useful- ▁bid- ▁creative- ▁sand- ▁truck- ▁kinds- ▁puts- ▁solar- ▁competitor- ▁organizational- ▁incredibly- ▁werent- ▁player- ▁licensing- ▁topic- ▁tracking- ▁draw- ▁supplement- ▁volatile- ▁functions- ▁delayed- ▁crude- ▁explore- ▁aspect- ▁plays- ▁spectrum- ▁defined- ▁expensive- ▁hoping- ▁preferred- ▁rolled- ▁placed- ▁amortization- ▁relating- nt- ▁nearterm- ▁fire- ▁possibly- ors- ▁suite- ▁goods- ▁finished- ▁highquality- ▁status- ▁healthcare- ▁aim- ▁desire- ▁bulk- ▁longerterm- ▁embedded- ▁possibility- ▁drives- ▁concerning- ▁migration- ▁pacific- ▁emphasize- ▁describe- ▁assumption- ▁sourcing- ▁outperform- op- mp- ▁exceed- ▁simplify- ▁turned- ▁evaluation- ▁di- ▁drag- ▁completing- ▁sports- ▁tried- ▁pattern- ▁offshore- ▁lag- ▁tied- ▁organically- ▁participants- ▁consulting- ▁person- ▁breadth- ▁determined- ▁exploration- ▁slowdown- ▁comps- ▁sustain- ▁appear- ▁integrating- ms- ▁responsible- ▁promotions- ▁green- ▁replace- ▁aggregate- ▁solve- ▁wage- ▁scenario- ▁indicators- ▁depth- ▁milestone- ▁updating- ▁exact- ▁branch- ▁intent- ▁buyback- ▁surprised- pa- ▁pu- ▁pushing- ▁comparisons- ▁unusual- ▁drill- ▁dealing- ▁thirdparty- ▁incurred- ▁opinion- ▁regulations- ▁inter- ▁eye- ▁according- ▁utilities- ▁science- ▁impressive- ▁sets- ▁differently- ▁ideas- ▁hurricane- ▁tech- ian- ▁belief- ▁jobs- ▁criteria- ▁patterns- ▁games- ▁spreads- ▁filing- ▁cross- ▁accomplished- ▁unfavorable- ▁percent- ke- ▁en- ish- ▁churn- ▁houston- ▁split- ▁l- ▁buildings- ▁file- ▁accordingly- ▁seeking- ▁overhead- ci- ▁mass- ▁transparency- ▁head- ▁sustainability- ▁weighted- ▁contributor- ▁join- ▁unchange- ▁chris- ▁regulation- ▁institutions- ▁fx- ▁member- ▁bridge- ▁purposes- ▁lose- ▁age- ▁stress- ▁estimated- ▁mill- ▁couldnt- gen- ▁entering- ▁appears- ▁80- bo- ▁lift- per- ▁analysts- ▁guest- ▁partly- ▁acquiring- ▁reliable- ▁structures- tr- ▁resolution- ▁jeff- ▁northern- ▁applied- ▁laws- ▁selective- ▁southern- ▁followup- ▁sound- ▁retirement- ▁located- ▁monthly- em- ▁accomplish- vo- ▁verticals- ▁softness- ▁minimal- ▁living- ▁someone- ▁edge- ▁summarize- om- ▁square- ▁enjoy- ▁complement- ▁easily- ▁eventually- ▁impairment- ▁plenty- ▁em- ▁itll- ▁revised- ▁raising- ▁le- ▁switch- ▁fda- ll- ▁administrative- ▁functionality- ▁disclosed- ▁producers- ▁ceo- ▁entirely- da- ▁pure- ▁earn- ▁written- ▁newer- ▁diversity- ▁influence- ▁regulators- ▁notice- ▁ro- ▁thoughtful- time- ▁effectiveness- ▁rating- ▁prepare- ▁connectivity- ▁considerable- ▁rollout- ▁minute- ▁confirm- ▁globe- end- ▁tom- ▁intention- ▁pool- ▁dis- ▁stabilize- ▁colleagues- ▁servicing- ▁frequency- ▁rail- ▁introducing- ▁stack- ▁input- ▁index- ▁sitting- ▁maturity- ▁offsetting- ▁regardless- ▁doubt- ▁rule- ▁perfect- ted- ring- ▁cell- ▁adjusting- ▁approvals- ▁print- ▁newly- ▁borrowing- ▁capable- ▁manager- ▁books- ▁seasonally- ▁prime- ▁acreage- ▁factory- ▁diversify- ▁thousands- ▁indeed- ▁avoid- ▁hybrid- ▁entertainment- ▁dan- ▁owned- ▁tenant- ▁display- tion- ▁published- ▁0- ▁talented- ▁eps- ▁refinancing- ▁transmission- ▁repair- ▁knew- di- ▁upper- ▁reviewing- ▁proposed- ▁waste- ▁treat- ▁star- back- ▁retailer- ps- ▁characterize- ▁won- ▁round- ▁nor- ▁firms- ▁bear- ▁anybody- ▁deploying- ▁communicate- ▁older- ▁dramatic- ▁lean- ▁cable- ▁onetime- ▁incredible- ▁exception- ▁exclude- ▁seamless- ▁modeling- ous- ▁amazon- ▁utilizing- ▁wave- ▁tv- ▁wonderful- ▁dialogue- ▁skills- ▁specifics- ▁demonstrating- ▁reinsurance- ▁bio- be- ▁promotion- ▁legislation- ▁michael- ▁levers- ▁spoke- ▁millions- ▁scott- ▁indicator- ▁check- ▁synergy- ▁ratios- ▁horizon- ▁engaging- ▁entry- ▁70- ▁innovations- ▁concentration- ▁san- ▁reflection- ▁voice- ▁feature- ▁length- ▁damage- bi- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁latter- ▁preparing- ▁menu- do- ▁streams- ▁candidates- ▁unfortunately- ot- ▁cities- ance- ▁referring- ▁facts- ▁headcount- ator- ▁committee- ▁dealer- ▁advisory- ▁fundamentally- ▁mr- ▁vessels- ha- ho- ▁continuously- ▁limit- ▁equal- ▁permian- ▁massive- ▁exist- ▁basic- ▁assist- ▁hands- ▁load- ▁translate- ▁micro- ▁worlds- ▁measured- ▁offices- ▁formal- ▁movements- ▁facilitate- ▁essential- ▁red- ▁installation- ▁gulf- j- ▁documents- ▁gaming- ▁procurement- ▁procedures- ▁heading- ▁incentives- ▁al- ▁competing- ▁fantastic- ▁dave- ▁bob- ▁appropriately- ▁greatest- ▁op- pe- ▁ca- ▁merchandising- ▁branches- ▁reaching- ▁advertisers- ▁ultimate- ▁electronic- ▁communicated- ▁night- ▁award- ▁beliefs- market- ▁block- ▁electronics- ▁exercise- ▁selected- ▁payers- ▁distributor- ▁physician- ▁fine- ▁web- ▁selection- ▁hundreds- ▁purchased- ▁uptick- ▁analyst- ▁dry- ▁none- ▁vary- he- nd- ▁door- ▁mode- ▁challenged- ▁modestly- ▁became- ▁faced- ▁adverse- ▁credits- ▁receiving- ▁park- ▁exclusive- ▁assurance- ▁recognizing- ▁proactive- ▁ho- ▁equally- bs- ▁campaigns- ▁hes- ▁extraordinary- ▁disposition- ▁promising- ▁affordable- ▁listening- ist- ▁jump- ▁achievements- ▁strengths- ▁terrific- ▁cadence- ▁combine- ▁succeed- ▁liabilities- ▁vendor- ▁harder- ▁save- ▁notable- ▁strengthened- ▁worldwide- ▁rich- ▁collections- ▁controls- ▁claim- ▁relate- ▁elaborate- ▁medicare- ▁wrong- ▁tests- ▁bunch- ▁disposal- ▁upfront- ▁staffing- ▁carrier- ▁extending- ▁promote- ▁responsibility- ig- ▁accurate- ▁lenders- ▁continually- ▁uses- ▁modern- ▁receivables- '9'- ▁ip- ▁rents- ▁euro- ▁surprise- ▁professionals- ▁served- ▁metal- ling- ▁predictable- ▁navigate- ▁bond- ▁initiated- ▁fed- ▁inform- ▁u- ▁pe- ▁advancing- ▁train- ect- ▁explained- ▁raised- net- ▁paul- one- ▁meetings- ▁grade- ▁uniquely- ▁blue- ▁tri- ▁agenda- ▁worse- ▁wants- ▁kick- ▁dose- ▁offered- ▁collect- ▁listen- ▁pain- ▁compression- ▁request- ▁beneficial- ▁convenience- ▁behalf- ▁rights- ▁individuals- ▁hedging- ▁sophisticated- ▁comfort- ▁anyone- ▁rebound- ▁preliminary- ▁environments- ▁format- ▁internationally- ▁anticipating- ▁innovate- ▁runway- ▁joined- ▁secondary- less- ▁realizing- ▁reset- ill- ▁announcements- ▁guarantees- land- ▁feed- ▁supports- ▁el- ▁es- ▁wrap- ▁consistency- ▁releases- ▁funded- ▁understood- ▁surface- ▁brian- ▁sea- ▁satisfied- ▁aerospace- ▁uncertain- ▁continuation- ▁acceptance- ▁sp- ▁minimize- ▁pending- ▁pharmaceutical- ▁principles- ▁branded- ▁black- ▁geography- ▁rock- ▁sellers- ▁affecting- ▁li- ▁indicate- ▁link- ▁agent- ng- ▁preparation- ▁discovery- ▁appeal- ▁efficacy- ▁architecture- ▁eliminate- ▁advisers- pro- ▁party- ▁occurring- ▁evident- ▁translation- ▁z- ▁telling- ▁stick- ▁excitement- ▁aftermarket- ▁lu- ▁identifying- ip- lu- ▁somewhere- ▁constraints- ▁drugs- month- ▁pushed- ▁watching- ▁characteristics- ▁equation- ▁bright- ▁picking- ▁alignment- ▁situations- ▁permanent- ▁anywhere- ▁conjunction- ▁fix- ut- ▁renewable- ▁london- ▁ne- ▁promise- ▁favor- ▁distributed- ▁analyze- ▁ebit- ▁optimal- ▁linked- ▁optimism- ▁obvious- ▁hopeful- ▁earning- ▁clarify- ful- ▁diligently- ▁respective- ▁visit- ▁broadcast- ▁fluctuations- ▁shifts- ▁marine- ▁agreed- ▁reverse- ▁pi- ▁noise- ▁contains- ▁trucks- ▁virtually- ▁divestiture- ▁reputation- over- ga- ▁cards- ▁hire- ▁constitute- und- ▁patent- ▁wood- ▁contracted- ▁pickup- ▁word- ▁interim- ▁requirement- ir- ▁slowing- ▁three- ▁assumes- ▁yeartodate- ▁eastern- ▁custom- ▁reliance- ▁joe- ▁feet- ▁enormous- ▁signing- ▁prefer- ▁families- ▁pipe- ▁openings- ▁ed- ea- ence- ▁notably- ▁currencies- ty- ▁define- ▁competitiveness- ▁liquid- ▁complicated- pi- ure- ▁booking- ▁represented- ▁stabilized- ▁variabilit- ▁rely- ▁disclose- ▁background- ver- ▁catch- ▁transparent- ▁deck- ▁gen- ▁alone- ▁exceeding- ▁ci- ▁calculation- ▁maximizing- ▁guarantee- ▁decades- tax- ▁school- ▁accomplishments- ▁burn- ▁nuclear- ▁notes- ▁unlock- ▁additions- ▁structured- ▁shorter- ▁appetite- ▁refine- ag- ▁consolidate- ▁philosophy- ▁instance- ▁hot- ▁television- ▁corresponding- ▁midpoint- ▁mixed- ▁sc- ▁unknown- ▁24- ▁staying- ard- ▁qualified- ▁relation- ▁hurricanes- ▁man- ▁ra- ▁smooth- ▁startup- ▁grid- ▁former- ris- ▁renewed- ▁personally- ▁accepted- ions- ▁gained- ▁terminal- ▁upgrades- ▁familiar- ▁la- ▁experts- cl- ▁commissions- ▁recruiting- ▁cat- ▁ticket- ▁virtual- ▁obligations- of- ▁sorry- ▁partnering- ▁corporation- ▁student- ▁opex- ▁complementary- ▁na- ▁memory- ▁method- ▁prospective- ▁gradually- ▁classes- un- ▁realization- ls- ▁prevent- ▁allocate- ▁exploring- '7'- ▁white- ▁formula- ▁lock- ▁passed- ▁proceed- ▁bidding- gu- ▁audit- ▁contractual- ▁closure- ▁addressed- ▁career- ▁macroeconomic- ▁math- hi- tro- ▁matt- ▁reaction- ▁straight- ▁appreciation- ▁carbon- ▁tangible- ▁inherent- ▁neutral- ▁election- ▁representing- ▁guided- ▁engines- ▁onto- gs- ▁entity- ▁beverage- ▁gathering- ys- gi- ▁self- ▁fronts- ▁language- ▁choices- ins- ▁vice- ▁franchisees- ▁fluid- ▁premiums- ▁stabilization- ▁financially- ▁rampup- ▁ta- ▁designs- ▁rob- ▁covenant- ▁kevin- ▁demands- ▁disclaim- ▁royalty- ▁burden- cs- ▁tim- ▁progression- ▁awarded- ▁softer- ▁weight- ▁forecasting- ▁adjacent- '8'- port- '6'- ven- ▁enterprises- ▁priced- ▁inflection- ▁generic- ▁picked- ▁noncash- ▁urban- ▁window- ▁refining- ▁sensitive- ▁version- ▁ri- ▁funnel- ▁chemical- ▁buyer- ▁adds- ▁code- ▁budgets- ▁sentiment- ▁reasonably- ▁converting- ab- ▁amazing- ping- mer- ▁constructive- ▁shouldnt- ▁wider- ▁booked- ▁timely- ▁mechanism- ▁pharma- ▁broaden- ▁reps- ▁proactively- ▁recycling- ▁subscribers- ▁downward- ▁ranges- ▁answers- ▁200- ▁gr- ier- ▁earned- ▁transport- ▁charter- ▁testament- ▁operated- ▁ni- '5'- ▁firmly- ial- ▁host- ▁developers- ▁animal- ▁russia- ▁pack- ▁boost- ▁arise- ▁meant- ▁sight- ▁frac- ▁refresh- ▁lay- ▁2014- ▁diligence- ▁referred- ie- ▁premier- ▁lowering- ▁fy- ▁row- ber- sp- ▁storm- ▁da- ▁totally- ▁wonder- ▁proposal- ▁barrels- ▁letter- ▁trending- tt- ▁indicative- ▁flex- ▁supportive- ▁acknowledge- ▁whilst- ▁shifted- ▁motor- ▁severe- ▁master- ▁traditionally- ▁downstream- ▁standing- ▁returned- red- ru- ▁definition- ▁shelf- ner- ▁heat- ▁consequence- ▁capturing- ▁registration- ▁achievement- ▁naturally- io- day- ▁pointed- ▁pa- ▁cyclical- ▁signal- ▁marked- ▁upward- ▁steadily- ▁react- ▁artificial- ▁applicable- ▁valueadded- ▁treated- ▁resilient- ny- ▁feels- ▁radio- ▁concentrated- ▁programming- ▁harvest- ▁anticipation- ▁properly- ▁greatly- 'off'- ▁tailwind- ▁ba- ▁bonds- ▁functional- ▁listeners- ▁furthermore- ▁ru- ▁serious- ▁commodities- by- ▁employment- ▁audio- ▁principal- ▁apparel- ▁entities- ▁membership- ▁ge- ▁ratings- ▁implications- ▁semiconductor- ▁visible- ▁leg- ▁owner- ▁fi- res- ▁composition- ▁authorities- ▁iot- ▁messaging- ni- ▁literally- ▁layer- fe- ▁warehouse- ▁resolved- ▁broadband- ▁write- ▁announcing- ▁equivalent- ▁repositioning- ▁indirect- ▁transactional- ▁monetize- ▁handling- ▁qu- ▁turnover- ▁historic- ▁economies- ▁spain- let- ▁assure- ▁united- ▁establishing- ns- ▁certainty- ▁greg- ▁kept- ging- ▁brexit- ▁italy- ▁regulated- ▁hired- ▁art- ▁discontinued- ▁separation- ▁sizes- all- ▁amongst- ▁beauty- ▁scientific- ▁territories- ▁lab- ▁import- ▁payroll- ▁redevelopment- ▁mar- ▁ii- ▁calling- ▁cautionary- ▁fits- ▁trans- ▁merchant- ▁military- driven- ger- ▁losing- ▁yourself- ▁fruit- ▁tier- ▁operationally- rate- ▁tariff- ▁dc- ▁po- ▁attracting- ▁adopted- ▁pet- fi- ▁ja- ▁technological- ▁endpoint- ▁cells- ▁afford- ▁responding- ▁bullish- pt- ical- ▁evidenced- ▁knowing- ▁reflective- ▁streamline- ▁copper- ▁predominantly- ▁absorb- ▁ti- ▁northeast- ▁quicker- ities- ▁strive- ▁hub- ▁southeast- ▁standalone- ▁attrition- ▁washington- ▁ha- ▁crop- ▁slowed- ▁differential- king- ▁therell- ▁database- ▁personalized- ▁balancing- ▁closures- ▁pharmacy- ▁assumed- ship- load- ▁highlighting- ▁pause- ▁overseas- ▁threat- ▁poor- tan- ▁hitting- ▁elsewhere- ▁precision- ▁machines- ▁ease- ▁handful- ▁beat- ▁cold- ▁swap- ▁arrangements- ▁allowance- ▁carolina- ▁va- ten- ▁territory- ▁medicine- ▁description- ens- ▁prospect- ▁sun- ▁meantime- ▁materialize- ▁adequate- ▁theme- ▁intellectual- ▁mobility- ▁transitioning- ▁controlling- ▁fortunate- ▁sizable- ▁samestore- ▁wall- ▁reinforce- ▁referenced- ▁chosen- ▁payout- ▁carried- ▁lo- ▁airlines- ▁deployments- ▁copy- ▁combining- ▁fa- ▁issuance- cu- ▁transforming- ▁contractors- gg- ▁speaks- ▁vote- ▁uk- ▁capitalized- ▁industryleading- ld- ▁alluded- den- ▁noncore- ▁upstream- ▁pulling- ▁decent- ▁receivable- ▁similarly- ▁ore- ▁sooner- ▁tender- ▁route- ▁contracting- ▁absorption- ▁appendix- ▁conducted- ▁definitive- ▁lifetime- ▁automated- ▁differentiator- ▁lumpy- ▁install- ▁conduct- ▁ka- top- ▁shut- ▁foot- od- ▁midstream- ▁improves- ▁adopt- ▁licenses- ▁shipment- ▁governance- ▁takeaway- ▁te- ▁electricity- ▁output- ology- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- cc- ▁maximum- ▁repayment- ▁ver- ▁intensity- ▁hong- ncy- ▁apple- ▁kong- ▁agile- ▁carrying- ▁separately- ▁ag- ▁jack- ▁surgical- ▁disappointed- les- ▁si- ▁port- ▁sum- ▁judgment- ▁undu- ell- ▁listed- ▁minor- ▁reviews- ▁cutting- ▁whereas- ▁billing- ▁workers- ▁remove- ▁governments- ▁played- ▁domain- ▁body- ▁german- way- ▁wa- ▁principally- ▁methodology- ▁dr- ▁ken- ▁schedules- ▁presenting- ▁therapeutic- ▁chicago- ▁presentations- ▁forms- ▁farm- ▁forecasts- ▁scaling- ▁spite- tu- tech- ▁korea- ▁email- ▁argentina- ▁turns- ▁rewards- ▁cfo- ▁therapies- ▁throughput- ▁lifestyle- ▁foreseeable- ▁pipelines- ▁observed- ▁applying- ▁fifth- ▁introductions- ▁merchants- ▁resolve- ▁er- ▁successes- ▁duty- ▁instore- ▁whom- ▁packages- bu- ▁catalyst- ▁ordering- ▁mu- ▁attack- ▁diesel- ▁cal- ▁satellite- ▁sensitivity- ▁proof- ▁approaches- ▁narrow- ▁battery- ka- ▁screen- ▁incur- board- ▁inflationary- ▁correctly- ▁manufacturer- ▁google- ▁investigation- ▁disruptive- ▁emerge- ▁covering- ▁luxury- ▁apart- ▁delaware- ▁doubled- ▁mi- ap- ▁31- nc- ▁billings- ▁securing- ▁intense- ▁panel- led- ▁image- ▁profitably- ▁underground- ▁noticed- ▁subscriber- ▁trusted- ▁decreases- ▁valuations- ▁laser- ▁identity- ▁delighted- ler- ▁strike- ▁measurement- ▁constrained- ▁telecom- ▁pulled- ▁bankers- ▁tail- ▁remote- ▁casino- ▁scenarios- fa- erto- ▁causing- ▁explanation- point- ▁downside- ▁ir- ▁slowly- ▁warm- ▁campus- ▁prepayment- ▁inhouse- ▁gradual- ▁approaching- ▁simultaneously- ▁par- med- ▁jurisdictions- ▁marks- ib- ▁interface- ▁favorably- ▁considerably- ▁expansions- state- ▁forecasted- lt- ▁worldclass- ▁hedges- ▁believes- ▁expenditure- ▁forma- ▁commerce- ▁niche- ▁exceptionally- ▁deeply- ▁myself- ▁flight- ▁completions- ▁utilized- fin- ix- ▁mindful- and- ▁shipped- ▁remarkable- the- ▁ingredients- tra- ▁moments- ▁reviewed- ▁finalized- ▁conventional- ▁engagements- ▁accommodate- ▁allocated- ▁divest- eg- ▁passion- ▁vessel- ▁rare- ▁graph- ▁ar- ▁destination- ▁saas- ▁weekend- ▁ample- ▁spec- ▁commented- ▁flu- ▁converted- ▁integrity- ▁monetization- side- ▁supplies- ▁renovation- ▁holidays- ▁bonus- ▁station- ient- ▁attributes- der- ▁nextgeneration- ▁surgery- ▁bi- ▁climate- ▁payable- ▁dive- ▁task- ▁airline- ▁anyway- ▁persist- ▁normalize- ▁progresses- ▁leaving- ▁obtain- ▁consultants- ▁attempt- ▁parallel- ▁fulfillment- ▁doctors- ▁enthusiasm- ▁rep- ▁relief- ▁sides- ative- ▁exists- ▁touched- ▁forces- ide- ▁delta- ible- ▁document- ▁ce- ▁yearonyear- ▁accept- ▁subsidiaries- ▁surrounding- ▁attributed- ▁deflation- ▁singledigit- ▁interact- ▁executives- ▁su- ▁sometime- ▁send- ▁ambition- ▁auction- ▁lateral- ▁tested- ists- ▁gene- ▁strides- ▁pump- ▁metro- ▁chose- ▁intelligent- ▁preserve- ▁conscious- ▁film- ▁instruments- ▁chemicals- ▁phases- ▁discounts- ▁young- ▁ran- ▁collaborative- ville- ▁association- ▁trigger- ▁recap- qui- ▁multifamily- ▁tons- ee- ▁container- ▁ships- ▁controlled- ▁topics- ▁frank- ▁acute- ▁flavor- ▁missed- ▁retaining- ▁resilience- ▁enthusiastic- ▁session- ▁tables- ▁everywhere- ▁aviation- ▁rico- ▁grows- ▁sharp- ▁submitted- ▁incorporate- ▁omnichannel- rt- ▁wi- ▁spirit- ▁fun- ▁informed- ▁calculated- ster- ▁popular- ▁outdoor- ▁array- ▁density- ▁assessing- ▁factories- ▁placement- ▁consolidating- ▁breakdown- ▁optionalit- ▁ventures- ▁accounted- ▁skilled- ▁mis- ▁rigorous- ▁easter- ▁club- ▁arm- ▁anchor- ▁predictions- ▁digit- ▁proper- ▁peter- ▁advice- ▁novel- ▁nonrecurring- ▁protein- ▁subsidiary- ▁distributions- ▁21- ▁fell- ify- ▁termination- ▁treasury- ▁inspection- ▁outperformance- ▁acceptable- ▁wanting- qua- ▁skill- ▁basket- ▁roles- ▁eu- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁advances- ▁switching- ▁accountability- ▁recording- ▁shortage- ▁pivot- ified- av- ▁island- ▁empower- ▁tower- star- ▁loyal- ▁crisis- ▁proceeding- ron- ▁negotiation- ▁defend- ▁ball- ▁peer- ▁distinct- bl- ▁urgency- ▁ju- ▁responses- ▁tightening- ▁aimed- ▁electrical- if- ▁tra- ▁franchises- ▁reposition- ▁realistic- ▁connecting- ▁lighting- ight- ▁pleasure- ▁proxy- ▁failure- ▁womens- ▁blood- ▁derivative- ▁tougher- ▁extreme- ▁mornings- lan- ▁opt- ▁certification- ▁surgeons- ▁precise- ▁accident- ▁impressed- ▁discretionary- tics- ▁don- ▁survey- ▁recession- ▁ads- ▁arrangement- ▁interaction- ▁reading- ▁frequently- su- ▁ve- ▁viewed- ▁stockholders- ▁inclusion- ▁medicaid- ▁vegas- ▁glass- ▁authority- ▁reinvestment- ▁jv- ▁triple- ▁upgrading- ▁rebuild- ▁records- ▁spoken- ▁mutual- wood- ▁producer- ▁engineers- light- ▁brokers- ▁conversions- ▁diagnostic- ▁sku- ▁eagle- ▁jersey- ▁retained- ▁prioritize- ▁tighter- ▁counter- ▁unexpected- ▁exposed- ▁progressive- ▁drilled- ▁agility- ▁bestinclass- ▁alongside- ▁society- ▁worry- ▁proposals- si- ▁pat- ▁zone- ▁leased- ▁comparing- lin- ▁blocks- ▁deliberate- ▁outflow- ▁audiences- ▁pad- ▁corner- ▁geo- ▁settle- ▁preference- ▁breakeven- ▁christmas- ▁twice- ▁imaging- ▁goforward- ▁foods- ▁alberta- ▁iron- ▁perception- ec- ▁las- hold- ▁australian- ite- ▁visits- ▁influenced- ▁authorization- ▁concrete- ▁absence- ▁contemplated- ▁aside- ▁comparative- ▁negotiating- ▁pillars- ▁builds- ▁alliance- ley- ▁reduces- ▁guiding- ▁replacing- ▁stretch- ▁younger- sized- ▁replaced- log- ▁reg- ub- ▁stands- ▁collateral- ▁satisfy- ▁resume- ▁negotiate- ▁clinic- ▁diseases- ▁script- ▁commit- ▁regularly- ▁turkey- ▁fulfill- ▁whenever- ▁lever- ▁dilution- ▁pop- ▁war- ▁anniversary- ▁manufacture- ▁broker- ▁thereby- que- ▁parent- ▁serves- ▁imports- ▁computing- ▁confirmed- ▁asian- ▁incorporated- ▁stake- ▁river- ▁concepts- ▁contractor- ▁disappointing- ▁substitute- ▁specialized- air- ▁union- ▁oneoff- ▁wages- ▁th- ▁determination- ▁powder- ▁oncology- ▁falling- ▁tap- ▁japanese- tel- ▁spaces- ▁imply- ▁rationalization- ▁exiting- ▁cre- ▁preclinical- ▁undertaking- ▁finalize- ▁hospitality- ▁scores- ▁thrilled- ▁valley- ▁secular- ▁music- ▁honest- cr- ▁cultural- ▁holistic- ▁hurt- ▁lowcost- ▁rid- use- ▁log- ▁outline- ▁outsourcing- ▁adult- ▁whose- met- ▁reorganization- ▁unified- ably- ▁reservoir- ▁unable- ▁motion- ▁congress- ▁workflow- ▁title- ▁miss- ▁valued- ▁glad- ▁visual- ▁unlike- pac- ▁reit- ▁unlikely- ▁periodic- ▁academic- ▁interactions- ▁hydro- ▁cancellation- ▁diluted- ▁concentrate- ▁directors- ▁wherever- ▁deleveraging- ▁french- ran- val- ▁resonate- ▁tie- ▁pc- ▁benchmark- ▁simplification- ▁writing- ▁headquarters- ▁excludes- ▁district- ▁midwest- ▁recovered- ▁extract- ▁protecting- ▁fo- ome- ▁du- ▁university- ▁reward- ▁delivers- ▁brokerage- plus- fo- rd- ▁stations- ▁relevance- ▁spin- ▁quote- ▁flowing- ▁silver- ▁trained- ▁nav- ▁ai- ▁methods- ▁baseline- ▁payer- ▁ch- ▁boston- ▁migrate- ▁penetrate- ▁ideal- ▁doors- ▁sha- ▁bag- ▁discounting- ▁nobody- ▁construct- ▁augment- ▁references- ▁hu- ▁intangible- ▁storms- ▁pockets- ever- ▁pillar- ▁bankruptcy- ▁swing- ▁doug- ▁modernization- ▁cargo- bility- ▁midst- ▁wallet- ▁connections- pl- ▁representative- ▁revolving- ▁renew- ▁attribute- ▁miles- ▁mall- ▁aluminum- ▁stabilizing- ▁presents- ▁apps- ▁roi- ▁immune- ▁fight- rn- ▁redeploy- ▁coffee- ▁logic- ▁responded- ▁correction- act- ▁county- fl- focused- ▁procedure- ▁jo- ▁dates- ▁extensions- ▁evening- ▁sensor- ▁children- ▁pit- ▁bump- ▁knows- ▁formation- ium- ▁geographically- vis- ▁accretion- ▁reversal- dy- vers- ▁tissue- ▁tomorrow- ons- ▁predictive- ▁pan- press- ▁uplift- ▁nimble- for- ▁begins- ▁nevertheless- ▁revolver- ▁willingness- ▁realtime- ▁responsive- ▁convenient- ▁deterioration- ▁mandate- ▁capitalizing- ▁cuts- water- ▁contingent- ▁parameters- ▁pursuit- ▁deem- ▁rooms- ▁town- ▁root- ▁cyber- za- work- ▁lumber- ▁singapore- ▁costeffective- ▁gift- ▁arpu- our- ▁mail- ▁occurs- ▁suggested- ▁grand- ▁hour- ▁ipo- ▁viable- ▁borrowers- ▁convertible- ▁refined- ▁hires- ▁disruptions- ▁vo- ▁deepen- ▁refinance- ▁purely- ▁ocean- ▁airport- ▁timeline- ▁negotiated- ▁exports- quartertoquarter- ▁suspect- ▁mines- ▁employers- ▁possibilities- ▁solely- ▁brazilian- ▁partial- cor- ▁res- ▁missing- ▁experiment- ▁colorado- ▁ending- ▁recruit- ▁distribute- ▁foresee- ▁notwithstanding- ▁spike- ▁inefficienc- oc- ▁download- ▁analyzing- ▁says- ▁aid- ▁marginal- ▁whos- af- ▁adviser- ▁scrap- ▁relentless- ▁beta- ▁sensors- ▁scheme- ▁trip- ▁enjoyed- ▁maturit- ▁eliminating- ▁dev- ▁virginia- ff- ▁amendment- ▁accuracy- ▁redemption- ▁recruitment- ▁women- ▁score- ▁sponsor- wide- ▁click- ▁dig- ▁demographic- ▁pound- ▁involves- ▁broadbased- ▁restrictions- ▁guidelines- ▁additive- ▁grocery- power- sis- ▁chunk- ▁formulation- ▁difficulty- her- ▁corn- ▁cy- ▁hence- ▁honestly- ▁streaming- ▁silicon- ▁unprecedented- ▁lesser- ▁kids- ▁apparent- ▁stories- ▁variables- ▁captured- ▁names- ▁wire- ▁poised- iv- ▁anymore- ▁gary- ▁linear- ▁bids- cing- field- ▁gate- ▁gotomarket- ▁hawaii- ▁likelihood- ▁ter- ▁blend- ▁correlation- ▁qualification- ▁cor- ▁engineered- ▁22- yl- ward- ▁permit- ▁bucket- ▁farmers- ▁collective- ▁sustaining- product- ▁consequently- ▁offline- ks- ▁sl- ▁ice- ▁clo- ▁vital- ▁foremost- ▁consent- ▁fl- ▁colombia- ▁tactical- ▁forget- ▁household- ▁safely- ▁messages- ▁everyday- '95'- ▁ga- ▁affiliate- '20'- ▁permitting- ▁remodel- ▁healthier- ▁focuses- ▁mac- ▁medicines- ▁tick- ▁chains- ▁projection- ▁mechanical- ▁granted- ▁dial- ▁pilots- ▁style- ▁cu- ▁eric- ▁schools- ▁poland- ▁upgraded- ▁lake- ▁sh- ▁realignment- ▁refinery- ▁domestically- ▁tens- ▁metals- ▁mineral- ▁replicate- hand- ▁ramped- ▁doubling- ▁chairman- ▁restricted- ▁underperforming- ▁seemed- ▁ten- ▁rick- ▁stepping- pped- ▁contrast- ▁headed- efficient- ▁ontario- ▁submission- ▁mechanisms- ▁chip- ▁hoped- ▁sweet- ▁treating- ▁proving- ▁bus- ving- ▁municipal- ▁sent- ▁passing- ▁crossselling- ▁labs- ▁friday- ▁assistance- ▁exited- ▁candidate- ▁saving- rg- ▁brad- ▁worried- ▁seat- ▁excluded- level- ▁judge- ak- ▁rational- wa- ▁23- sol- ▁terminals- flows- ▁renewables- ▁35- ▁bay- ju- ▁greenfield- ▁motivated- ▁runs- ile- ▁consensus- ▁accessories- ▁diversifying- xi- ▁geographical- ▁broadening- ▁modules- ▁snow- ▁flagship- ▁segmentation- ▁hundred- ▁diamond- ▁forefront- ▁expiration- ▁generates- ▁revision- ▁foundational- ▁permits- ▁illustrate- ▁default- ▁grades- ▁considerations- ▁placing- ▁smarter- ▁holdings- ▁indicates- era- ▁boxes- ang- ▁progressed- bra- ▁clearance- ▁limits- ▁fields- ▁collectively- ▁multiples- cap- ▁choosing- ▁fluctuate- ▁attendance- ade- ▁evolved- we- ▁strip- ▁nim- ble- ▁dallas- ▁fragmented- ▁classified- ▁erp- ▁rationale- ware- ▁oral- ▁ifrs- ▁optical- ▁recovering- ▁passenger- ▁cement- ▁mills- ▁inorganic- scale- ▁chronic- ▁conviction- ▁demonstration- ▁struggling- ▁sky- ▁headline- ▁departments- ▁decreasing- ▁sweden- ▁broken- ▁hill- ▁educate- ▁ban- ▁sw- nic- ▁statistics- ▁selectively- ▁sciences- ▁heightened- ▁pennsylvania- ▁intake- ▁jet- ▁mortgages- ▁sample- ▁breaking- ▁genetic- ▁locally- ▁institution- ▁thorough- ▁incrementally- ▁themes- ▁evaluated- ▁reaffirm- pp- ▁removed- ▁downtime- ▁cautiously- ▁economically- ▁del- ▁anti- ▁prescription- ▁preferences- ise- ▁transact- ▁tumor- ▁dropped- ▁seriously- ▁transitions- ▁filling- ▁unsecure- ▁worst- ▁four- ▁friends- ▁conferences- ko- ▁trouble- ▁perpetual- ▁shops- ▁regulator- ▁nutrition- ▁walmart- ▁pulp- ▁signals- ▁caught- ▁pivotal- oriented- ▁che- ▁threshold- ▁lap- ▁1000- mar- ▁uptake- ▁unmet- ▁perfectly- ▁furniture- gra- ▁rec- ▁server- ▁pronounced- so- risk- ▁firstly- ▁traded- ▁ohio- ▁quantity- ▁mindset- ▁disclaimer- ▁boards- ned- ▁sil- room- ▁ends- ▁exclusively- ▁severity- ▁chase- ▁gaps- ▁factored- ▁mild- ▁branding- ▁debate- ▁cl- ▁cohort- ▁billion- ▁surprising- ▁resonat- ▁diminish- ▁shutdown- ▁flip- ▁riskadjusted- ▁opens- ▁circuit- ▁coach- ▁muted- cos- ▁initiate- ▁mile- ▁submit- ▁onboard- ▁autonomous- ▁shrink- ▁suggests- ▁mon- ▁ride- ▁formats- well- ▁fabric- ▁mistake- ▁rein- ▁trades- ▁seller- ▁ambitious- ▁dispute- stone- ▁fab- ▁probability- ▁residual- ▁border- rie- ey- ▁roe- ▁enhances- ▁grain- ▁bundle- ▁ko- ▁residents- ▁bra- run- bank- ▁cluster- ▁equities- ▁simplified- ▁disrupt- ▁commercially- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁screening- ▁gal- serv- ▁floating- ▁fly- ▁strict- ▁employer- ▁profiles- ▁filled- ▁intact- ▁bearing- ▁outpace- ▁communicating- car- ▁customized- ▁instrument- ▁crews- ▁logical- ▁wellness- ▁exhibit- ▁annuity- ▁needle- ▁overlap- ▁calculate- ▁compensate- ▁lowered- ▁tire- ▁barriers- ▁payback- par- ifi- ▁requiring- ▁surplus- ▁dur- ▁weigh- ▁stocks- ▁interests- ▁aging- ▁movie- ▁concessions- cy- ▁demographics- ▁nu- ▁allocating- ▁facebook- ▁eliminated- ▁skin- ▁conducting- ▁embrace- ▁director- ▁limitations- ▁universal- ▁eyes- ▁jason- ▁alter- ▁bode- ▁pen- ▁teleconference- ▁minority- ▁commissioning- ▁installations- ▁proved- ▁buildout- ▁coupon- ▁race- ▁refocus- ▁elect- ▁ancillary- ▁civil- ▁garden- ▁restart- sign- ▁titles- ▁peoples- fr- ▁pr- ▁arena- ▁illinois- ▁subs- ▁incident- ▁protocol- ▁commence- ▁delever- ▁chapter- ▁impossible- ▁premise- ▁baked- ▁widely- cal- ▁commenced- ▁expert- ▁smartphone- house- owned- ▁emissions- ▁filter- ▁detection- ▁cla- ana- ▁elevate- ox- ▁warrant- ▁ash- ▁listing- ▁nursing- ▁rose- ▁employed- ▁techniques- ▁realign- ▁casual- ▁distinguish- ▁granular- ▁adversely- rc- ▁thatll- ▁friction- ▁cd- ▁named- max- ▁journal- ▁royalties- ▁interactive- tric- ▁adopting- ▁onboarding- ▁college- ▁longstanding- ▁overnight- tal- ▁endtoend- ▁incumbent- ▁locked- ▁centralized- ▁rain- ▁manifest- ▁millennial- ▁lifting- ▁developer- ▁derived- kin- ai- ▁lighter- ▁keeps- ▁regain- ▁dining- ▁printing- ▁impactful- ture- ▁imperative- ▁translated- ▁pie- ▁upsell- ▁aligning- ▁tells- ford- ▁andrew- '10'- ▁tenure- ▁exposures- my- ▁weekly- ▁shortages- ▁indonesia- ▁transcript- ▁promoting- ▁activation- ▁fitness- ▁era- ▁classic- ose- ▁ruling- tor- ▁assembly- type- ▁placements- ▁atlantic- ▁defer- ▁diligent- ▁unusually- ▁crew- ▁phoenix- ▁202- ▁comply- ▁fueled- ▁hi- ▁mentioning- ▁principle- ▁ultra- ▁cheaper- ▁predictability- ric- ▁sponsors- ▁unfold- ▁george- ▁propositions- ▁comprised- ▁dar- ▁affects- ▁struggle- ▁heritage- ▁teach- down- ▁matching- ▁routes- ▁demanding- ▁forced- ▁nationwide- ▁accrual- ▁cast- ▁clearer- via- ▁hosting- ▁kit- ▁british- ▁bias- part- ▁holds- ▁directed- ▁stepped- rated- ▁dominant- ▁zealand- ▁appointment- ▁publishing- ▁subscriptions- ▁y- free- ▁pathway- ▁craft- ▁fish- au- ▁zones- ▁fe- ▁ron- pay- mic- ▁delinquenc- ▁speculate- ▁roof- ▁warranty- link- ious- ▁envision- ▁richard- ▁norway- ▁cas- ▁elected- ▁centered- ▁instances- ▁crucial- ▁compares- ▁poly- ▁settled- ▁hang- ▁integral- ▁modify- ▁streamlining- ▁quota- ▁fastest- ▁predicted- life- ica- ▁consist- ▁populations- ▁paint- ▁province- ▁isolation- ▁beach- ▁sir- ▁computer- ▁albeit- ▁entrant- ▁erosion- ▁relied- ▁licensed- ▁divestment- ▁restore- ▁basins- ▁rough- ▁cur- ▁elimination- ▁republic- ▁discover- ▁affordabilit- ▁band- ▁requests- ase- ▁opposite- ▁signature- ▁shaping- ▁transformative- ▁networking- ▁consume- lon- ▁midsingle- ▁annualize- ▁passionate- ▁decisionmaking- ▁five- ▁precisely- ▁stayed- ▁privilege- ▁shortfall- ▁treatments- ▁loaded- ▁drawing- ▁externally- ▁answered- ▁frozen- ▁ordinary- can- ▁ev- ▁accessible- pr- ▁wondered- ▁neighborhood- ▁implies- fs- ▁idle- ▁translates- ▁max- ▁practical- ▁charging- ▁accompanying- ▁validate- ▁illustrates- ▁tightly- ▁institute- ▁patience- ▁temporarily- ▁finishing- ▁hadnt- ▁accurately- ▁collaborate- ▁follows- ▁bro- ▁argue- ▁cha- ▁interpret- ▁leisure- ▁reception- ▁implant- ▁eligible- ▁dozen- ▁newest- ▁covers- ▁attached- ▁attracted- ▁atm- iness- ▁atlanta- ▁300- ▁navy- ▁annually- du- ▁sal- ▁liquids- ▁minus- ▁northwest- ▁vacation- ▁28- ▁namely- realized- ▁differentiating- ▁exploit- ▁sugar- ▁midmarket- mark- ▁thrive- ▁premature- ▁fraud- ▁pride- ▁tele- ▁invite- ism- ▁tank- ▁revisit- ▁revpar- ▁flash- ▁competenc- ▁restructure- ▁intervention- ▁cautioned- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁guy- specific- ▁convention- ▁syn- ▁highermargin- ▁pumping- ▁projecting- ▁observations- ▁supposed- ina- ▁character- ▁sudden- ▁fans- ▁bandwidth- ▁catastrophe- ▁midterm- ▁netherlands- ▁taste- ▁dual- ▁impression- ▁400- ▁dairy- ▁eager- ▁innovat- ▁rebuilding- ▁speeds- ▁renovations- ▁liberty- ory- dic- ▁oklahoma- ▁phasing- fer- ▁ke- ▁conclusions- ▁affiliates- ▁parks- ▁detect- ▁unemployment- ▁expands- ▁industrys- ▁durable- ▁pri- ▁analytical- ▁softening- ▁gu- ▁bolster- ▁tre- ▁simpler- ▁outages- ▁depressed- ▁pd- ▁alex- ▁appreciated- ▁outlet- ▁tony- ▁analog- ▁lender- pu- ▁liver- ▁cool- ▁blended- ▁men- ▁sorts- ▁valid- ▁king- ▁footwear- ▁injection- ▁mitigated- ▁modernize- ▁arizona- ▁repay- ▁competitively- ▁photo- mon- ▁pioneer- ▁emergency- ▁thesis- ▁portal- ▁crosssell- ▁contributors- ▁agriculture- ▁thermal- ▁gateway- '00000'- ▁builders- ▁causes- ▁composite- ▁casualty- ▁representatives- ▁hyper- ▁fan- ▁argument- ▁wellpositioned- ▁digest- ▁variance- ah- ▁retire- ▁compensated- ▁consumables- ▁relations- ▁crystal- ▁medication- ▁neither- ▁mega- ane- ▁trucking- ▁gearing- ▁excuse- ▁qualitative- ▁honor- ▁indian- ▁difficulties- ▁patents- ▁redesign- play- ▁determining- ▁michigan- ▁thereafter- ▁mirror- ▁manual- ▁diagnostics- ya- ▁arms- ▁highend- ▁command- ▁fruition- ▁subsequently- ▁45- ▁inherently- ▁los- ▁falls- ▁grant- ▁applies- ▁horizontal- ▁tailored- ▁occasions- ▁har- ▁pages- ▁variation- ▁suit- ▁headlines- ▁towers- ▁500- ▁repairs- ▁prepaid- ▁repricing- ▁assured- ▁queue- ▁indicating- ▁amended- tle- ▁fortunately- ▁observe- modal- cycle- value- ▁bold- ▁containers- ▁cms- ▁van- ▁heads- ▁automate- ▁inhibitor- ▁formed- ▁farms- ▁lineup- ▁meanwhile- ▁toronto- ja- gate- ▁revisions- ▁inclusive- ▁stopped- ▁27- ▁tu- ▁belt- ▁letting- ▁transformed- fu- ▁ps- ▁concluding- ▁pleasant- ▁configuration- ▁transferred- ▁26- ▁lumpi- ▁qualify- ▁laying- ▁believed- ▁digitally- bit- ▁desired- ▁outlets- ▁lens- ▁cook- ▁mitigation- ▁mens- ▁jay- ▁buffer- ▁clarification- ▁relocation- ▁protected- ▁sake- rus- pre- ▁convey- ▁parcel- ▁showcase- ▁intensive- ▁addresses- ▁personalization- ▁semi- ▁windows- centric- box- iconic- ▁robert- ria- ▁severance- ▁inbound- ▁craig- ▁counts- ▁hurdle- ▁workplace- ▁advised- ▁rationalize- duc- ▁samples- ▁inquiries- ▁drink- ▁concession- ▁outage- ▁trailing- ▁tenders- ▁dna- ▁suggesting- ▁snack- ▁bench- ▁midland- ▁shell- ▁highvalue- lance- ▁removing- ▁breakthrough- ▁chemistry- ▁energized- ▁bu- gar- ▁walking- ▁jon- ▁overly- long- ▁modified- ▁percentages- ▁reap- ▁lessons- ▁plate- ▁individually- ▁holders- ▁buckets- gn- ▁circle- ▁kitchen- ▁vacancy- ▁com- ▁stem- ▁cp- ▁phones- ▁bills- ▁capitalization- ▁portions- ▁manageable- ther- ram- ▁obtained- ▁transit- ren- ▁clearing- ivity- ▁plug- ▁fraction- ans- ▁recommendations- ▁stays- ▁span- ▁tighten- care- ▁keen- ▁phil- ▁revolution- ▁southwest- ▁seattle- ▁steep- ▁recapture- ▁submarket- ▁shorten- ▁scheduling- stock- ▁onsite- ▁sur- ▁advancement- ▁todd- ▁celebrate- ▁diabetes- ▁para- list- ▁employ- ▁frequent- ▁achievable- ▁bounce- ▁molecular- ▁quiet- ▁lie- ▁ramps- ▁algorithms- ▁cumulative- ▁module- ▁advise- ▁expire- ze- ▁capacities- ▁authorized- ▁bolton- ▁avenues- ▁threats- ▁comparability- ▁phenomenon- ▁ms- ▁pertain- ▁mc- ▁nation- ▁resiliency- ▁awful- ▁reseller- ▁contraction- ▁surprises- ▁pl- ▁clinicians- ▁dia- ▁structurally- ▁registered- ▁settlements- ▁participated- ▁pal- dding- ▁measuring- ▁pleasing- ▁text- ▁taxable- ▁relying- ▁validated- ▁whereby- ▁maturing- ▁rural- ▁survival- ▁issuing- rill- service- ▁resort- source- ken- ▁righthand- ▁heavier- ▁foster- ▁pra- ▁aiming- ▁prototype- ▁manufactured- ▁leaves- ▁trough- ▁ur- ▁rush- ▁tam- ▁lend- ▁merit- ▁designing- ▁mitigat- ▁bur- ▁cup- ▁universe- ▁shot- ▁salary- ▁findings- ▁organized- ▁hosted- ▁louisiana- ud- ▁interruption- tex- ▁acting- ▁ya- ▁cr- ▁hubs- ▁lies- ▁viewing- ▁surge- ▁robotics- vision- ▁chi- ▁flying- ▁somehow- ▁weakening- ▁passive- ▁marketleading- ▁noi- ▁hurdles- ▁seats- ▁jan- ▁credibility- ▁battle- form- sys- ▁fu- ▁streamlined- ▁involving- ▁suited- ▁arrive- ification- ▁nations- ay- ▁parking- ▁columbia- ▁ounces- ▁significance- ▁norm- ▁meal- ▁compromise- ▁feasibility- ▁mexican- ▁besides- ▁consequences- ▁educational- ▁owning- ▁cho- ▁sits- ▁england- ▁tobacco- ▁underpin- ▁pumps- ▁loading- ▁limiting- ki- ▁chicken- ▁dosing- ▁operates- ▁moreover- ▁dip- ▁billions- ▁justify- ▁african- ▁gauge- ▁ought- ▁monday- ▁archive- ▁programmatic- tish- ▁fuels- ▁clinically- building- ▁studio- ▁reinforces- ▁transitional- ▁interconnect- ▁answering- lapping- ▁remediation- ▁relaunch- ▁enforcement- ▁cooperation- ▁readiness- ▁fer- ▁meat- ▁films- ▁dictate- ▁legislative- ▁modular- ▁layers- head- ▁cushion- ▁voluntary- ▁documentation- ▁mer- ▁contemplate- ▁ec- ▁shoppers- ▁advancements- demand- ▁quantitative- ▁releasing- ▁roadmap- ▁ryan- ▁statutory- ▁chasing- ▁sellthrough- ▁alert- ▁till- ek- ▁styles- priced- ▁breast- ▁mortality- ▁scratch- ▁turbine- ▁james- ▁absent- ▁slot- ada- ▁crm- ▁apartment- ▁phenomenal- ▁75- ▁collected- ▁milk- ▁compound- ▁behaviors- ▁persistent- ▁highlevel- ▁radi- ▁pads- ▁unlocking- ▁missouri- ▁salaries- ▁minds- ▁deleverage- ▁recommend- ▁integrations- ▁tonnage- flow- pen- ▁appealing- ▁sam- ▁gp- ▁catalog- ▁martin- ▁automatically- ▁sharpen- ▁rank- ▁pos- ▁eat- ▁iv- ▁calculations- ▁minnesota- ▁wild- ▁mag- ▁requested- ▁strictly- ▁restructured- ▁bone- ▁corporations- ▁deficit- ▁chile- har- ▁receipt- ▁heating- responsibilities- ▁distance- ▁multinational- ▁opioid- ▁salespeople- mc- mis- ▁spine- ▁corp- ▁fra- ▁proximity- ▁tuckin- ▁compliant- ▁dilutive- ▁zero- ▁solidify- ▁routine- ▁variations- ▁notion- ▁incorporating- ▁migrating- ▁straightforward- fuse- ▁occasion- ▁mediumterm- ▁undergoing- ▁scalabilit- tec- mate- ▁specialists- ▁uni- ▁hy- ▁geopolitical- ▁solving- ▁uniform- ▁biotech- ▁ep- ▁attend- ▁ven- ▁landing- ▁articulated- ▁cer- dex- ▁intermediate- nu- gan- ▁nominal- ▁saudi- ▁stimulate- ▁angeles- ▁official- ▁underscore- ▁ki- ▁speculation- ▁freedom- ▁boot- ▁assay- ▁midteens- core- ▁shock- ▁distraction- ▁suffered- ▁mono- ▁tro- cat- ▁bre- ▁neuro- ▁nick- ▁downtown- ▁normalization- ▁critically- ▁collecting- ▁describing- ▁jewelry- ▁dealership- ▁obtaining- ▁bri- ▁salt- ▁representation- ▁cam- ▁attraction- ow- ▁dimension- ▁ambitions- ▁technically- ▁gasoline- ▁squeeze- ▁sleep- ▁mal- ▁gather- tru- ▁pur- ▁unmatch- ▁golf- ▁sprint- ▁irma- ▁bl- ▁removal- ▁wheel- ▁interior- ▁suffer- ▁attain- ▁accomplishment- ▁commercialize- ▁secret- ▁noninterest- ▁adam- ▁understands- ▁kansas- ▁consultation- ▁echo- wear- ▁midyear- ▁warrants- ▁modifications- ▁slate- ▁preserving- ▁crush- ▁onpremise- ▁ffo- ney- ▁panels- ▁promises- ▁associate- ▁widening- ▁commenting- nes- ▁forever- ▁absorbed- ▁fortune- ▁beef- ▁factoring- ▁approached- ▁batteries- ▁valve- ▁ferc- ▁realizations- len- ▁cro- gene- not- ▁prominent- ▁intra- ▁enrolled- ▁boat- ▁highway- ▁prescriptions- ker- ▁aero- stream- ▁liquidation- pack- ▁issuer- ▁independently- performance- ▁gi- ▁gear- ▁switzerland- ▁tweak- ▁needing- ▁extends- path- wise- ▁deepening- ▁champion- ▁wo- ▁consists- turn- ▁plastic- ▁truth- ▁malls- ▁var- uc- ▁gar- uestionandanswer- ▁horse- ▁gdp- ▁dropping- card- ▁bundled- ▁crops- ▁specialist- ▁temp- ▁shippers- ▁alpha- only- ▁omni- ▁fabrication- ▁propel- ▁insurers- ▁denver- ▁examine- ▁pin- oo- ▁cloudbased- ▁predicting- ▁publish- ▁lung- ▁camera- ev- ▁29- ▁observation- ▁continuum- ▁muscle- ▁unlimited- ▁teens- ▁kicked- ▁molecules- ▁referral- ▁dam- ▁underpinne- ▁renewing- ▁petrochemical- ▁spacing- ▁theaters- ▁lane- ▁enjoying- plan- '30'- train- ▁addon- site- tiv- ▁conflict- ▁noteworthy- ▁oversight- ▁nike- ▁intentions- ▁russian- ▁provisioning- ▁elections- ▁ob- ▁recommendation- ▁alaska- ▁prolonged- ug- ▁instrumental- ▁han- ▁36- ▁nearing- ▁molecule- ▁perspectives- ▁deferral- ▁radar- ▁semester- ▁goodwill- ▁destinations- ▁mandates- ▁laboratory- ▁pair- ▁isolated- ▁fueling- ▁reconcile- ▁meter- ▁authentic- ▁continuity- ▁dislocation- ep- ▁meets- bridge- sale- ▁prioritizing- ▁reservation- ▁fear- loc- ▁tanker- ▁originated- int- ▁bell- ▁ph- ▁chat- ▁approve- ▁georgia- ▁error- ▁boeing- ▁deserve- ▁fat- ▁spots- ▁continental- ▁digitalization- ▁smoothly- stor- ▁costreduction- ▁taiwan- ▁shall- ▁distinctive- ▁regime- ▁seasons- season- ▁equipped- ▁moderation- ▁tackle- ▁complain- ▁pools- ▁mainstream- ▁customary- ▁interpretation- size- ▁ski- ▁screens- ▁suffering- iti- right- ▁displays- ▁eventual- ▁translating- ▁desktop- ▁tireless- ▁congratulate- ▁flag- ▁penn- ▁directionally- lm- ▁sap- ▁nova- ▁suppose- ▁hr- ▁planet- men- ▁cra- build- ▁cb- ▁certified- ▁acres- ▁refund- sum- ▁checks- ▁succession- ▁seasoned- ▁essence- ▁reopen- ▁passthrough- ▁sixth- ▁footage- ▁cri- ▁shake- ▁mini- own- ▁intrinsic- ▁ireland- ▁bp- '50'- hu- ▁sharply- ▁flood- ▁processed- ▁visiting- ▁stat- ▁cleaning- ▁rewarding- ▁vaccine- ▁wireline- ▁carl- ▁eg- ▁resorts- ▁delight- ▁charts- ▁shrinking- ▁api- ▁houses- ▁dream- ▁embracing- ▁sterling- ▁lt- gas- ▁sim- ▁temperatures- ▁ingredient- ▁inputs- ▁outset- ▁readily- tory- ▁spare- ▁demo- ▁drawn- bar- ▁derisk- sensitive- ▁invoice- ▁nordic- bin- ▁shi- ▁shale- ▁harm- anticipated- ▁finaliz- ▁bruce- ▁identification- ▁pediatric- ▁chips- ▁actionable- ▁attach- ▁banners- ▁lin- ▁publication- ▁measurable- ▁steam- ▁innings- ▁playbook- ▁dram- ▁entirety- ▁camp- ▁generics- ▁float- ▁ds- ▁disciplines- ▁dock- ▁gm- cut- ▁defining- ▁prompt- ▁dimensions- ▁cart- ▁aligns- ▁budgeting- ▁dispose- ▁unpredictable- ▁hits- ▁trailer- ▁scaled- han- book- ▁cheap- ▁publishers- ▁investmentgrade- ▁encompass- ▁decisive- ▁extraordinarily- ▁quantities- ▁mask- ▁confirmation- ▁ot- ▁adapting- ▁rewarded- ▁cleaner- ▁evolves- ▁evenly- ▁lp- ▁object- ▁draft- ▁surpass- quarter- app- mat- ▁subsea- ash- ▁assessments- ▁architectural- ▁charles- ▁guard- ▁ngl- ▁performer- ▁coll- ▁tru- cast- ▁fail- ▁avenue- ▁surgeon- ▁escalation- ▁wine- ▁native- ▁adequately- ▁ring- ▁constructed- row- ▁confusion- ▁defensive- ▁rebalancing- ▁injury- ▁quantum- ▁patch- ▁promised- ▁monetiz- ▁subset- ▁infusion- ▁massachusetts- ▁reinforcing- ▁costly- ▁tactics- ▁deceleration- ▁printer- ▁strengthens- ▁reinforced- ▁devaluation- ▁methodical- ▁overhang- ▁foundations- quality- ▁compute- ▁meters- ▁ray- ▁ze- ▁varying- performing- ▁beautiful- ▁libor- ▁recipe- ▁homeowners- ▁roger- rp- ▁posting- '40'- ▁cm- ame- ▁forum- ▁robot- ▁yen- ▁backed- ▁highgrowth- ▁plastics- ▁governor- ▁rfp- generation- ▁cognizant- ▁column- ▁2000- ▁foundry- ▁honored- ▁marc- ▁comm- ▁constraint- ▁larry- ▁gre- ▁noticeable- bro- maker- ▁reveal- ▁promoted- ▁curves- ▁whi- ▁dealt- lim- ▁jurisdiction- ▁destocking- ▁sluggish- ▁transient- dis- ▁theater- lar- ▁smartphones- ▁telephone- ▁counting- ▁rod- atory- cell- ▁pursued- ▁crack- ▁tailor- ▁railroad- ▁shanghai- ▁unprofitable- ▁vintage- ▁wafer- ▁rv- ▁stocking- ▁kpi- view- ▁tree- ▁followon- ett- ▁reforms- ▁tasks- ▁apologize- ▁entitled- ▁library- ▁newspaper- ▁outreach- ▁profound- ▁affirm- ▁enroll- ▁tip- ik- ▁caribbean- ▁indepth- ▁knock- ▁occurrence- ▁venezuela- ▁refineries- ▁cornerstone- ▁handset- ▁catalysts- ▁sport- ▁supplying- ▁rf- ▁marketers- ▁pounds- ▁regimen- ▁appraisal- ▁bakken- ▁counsel- ▁routing- ▁mainland- ▁sections- test- ▁appliances- ▁epi- ▁vest- ▁assignment- ▁stroke- ▁suburban- ▁revaluation- ▁guaranteed- ▁prop- ▁powered- cost- ▁hey- ▁propane- ▁quoting- ▁conform- ▁incurring- ethane- lease- ▁accrued- ▁stone- ▁exits- place- ▁sensible- ▁specified- ▁wifi- gram- ▁ideally- than- ▁cohorts- ▁modeled- ugh- ▁pizza- ▁thousand- ▁railcar- ▁involvement- ▁tourist- ▁sto- ▁fixing- mont- ▁variances- ▁nex- ▁sch- ▁climb- ▁deciding- ▁thailand- ▁patrick- hen- ▁irr- ▁limitation- ▁analyzed- ▁makers- ▁largescale- ▁attractiveness- ▁builder- ▁robotic- ▁basics- ▁progressively- ima- ▁sme- ▁sar- ▁marginally- ening- ▁reshape- ▁italian- ▁tonnes- ▁brent- ▁friendly- ▁officially- ▁rebates- ▁stepup- lia- ▁everybodys- ▁doses- ▁oriented- ▁varies- ▁correlated- ▁settings- ▁reversed- vin- ▁investigators- ita- ▁ol- ▁motivation- ▁simplicity- ▁simulation- ▁fluctuation- step- eon- ▁satellites- ▁distinction- ▁receipts- ▁hunt- ▁sk- ▁ct- ▁convergence- ▁daytoday- ▁integrator- ▁sensing- ▁geared- ▁wouldve- ▁excel- ▁derive- van- ▁converge- ▁sought- ▁dress- ▁stood- ▁trim- tain- ▁runoff- funded- thanexpected- ▁backup- matic- ▁instant- ▁fighting- ▁stringent- ▁algorithm- gel- ▁tires- ▁np- spec- ▁mont- ▁dy- ▁belgium- ▁contingency- ▁vibrant- ▁feedstock- ▁sat- ▁gears- ▁comprise- ▁recycle- ▁sla- ▁chargeoffs- ▁deteriorate- ▁underneath- ▁prosper- ▁trump- ▁safer- ▁refinement- ▁embed- ▁habits- ▁enacted- ▁sticking- ▁neo- ▁ku- ▁cannabis- ▁depot- ▁advisors- store- ▁oe- ▁systemic- ▁visitors- ▁pros- ▁reits- week- ▁beds- ▁onshore- ▁tuesday- ▁wisconsin- ▁orlando- cam- ▁nationally- ▁prevention- ▁hike- ▁attacks- ▁strain- ▁clinics- ▁studios- ▁summarized- ▁telco- class- ▁relocate- ▁desirable- ▁widen- '0'- ▁sn- ▁surveys- ▁underwriter- ▁presumably- ▁retrofit- ▁underwrite- ▁apartments- ▁navigation- ▁antonio- ▁precious- ▁fold- ▁barrier- ▁protocols- ▁discovered- ▁augmented- low- print- ▁overtime- ▁sanction- ▁warehouses- ▁electro- town- ▁failed- ▁leaner- ▁coastal- ▁reactor- ▁kidney- ▁malaysia- ▁attitude- ▁wildfire- ▁stephen- ▁tuned- ▁fin- ▁assisted- ▁intensely- ▁underscores- ▁advocate- ▁keith- ▁reiterating- ▁nuance- ▁ranging- ▁baby- meter- nie- ▁pm- ▁stra- ▁generators- ▁lien- ▁genomic- ▁intuitive- ▁paradigm- ▁bottle- ▁entrepreneurial- ▁orange- ▁loop- ▁swings- logic- ▁standardized- ▁assembl- ▁cord- ▁venues- ▁households- ▁corridor- ▁alarm- disproportionate- works- ▁compounds- ▁behavioral- ▁embark- ▁thankful- ▁newness- ▁schemes- ▁innovator- ▁coordination- ▁summit- ▁grab- ▁leap- ▁accumulated- ▁midsized- ▁pressured- berg- segment- ▁benign- ▁overhaul- ▁resistance- ▁diego- '60'- ▁thin- ▁six- ▁lately- ▁trains- ▁accountable- ▁departure- ▁graduate- ▁nevada- ▁vietnam- ▁favorite- ▁appointed- ▁bonuses- ▁backend- ▁deliberately- ▁borrow- ▁sticky- ▁originate- ▁valuebased- read- ▁striv- ▁dozens- ▁minimizing- ▁brown- ▁wise- ▁borrower- ▁symptoms- ▁catching- ▁explaining- ▁behave- ▁deadline- ▁oak- ▁confirming- ▁oversee- ▁magic- rew- ▁generator- comm- ▁dec- ham- ▁col- ▁arc- ▁edit- mine- ▁permission- ▁sequencing- ▁warning- ▁repeating- ▁paris- ▁cent- ▁doctor- pic- ▁frontline- ▁wars- vant- ▁bars- ▁ranking- ▁tremendously- ▁restrict- ▁scan- ▁cab- ▁nut- ▁imported- ▁cannibalization- ▁choppy- ▁council- ▁surcharge- ▁discounted- ▁randy- ▁fox- ▁outsourced- growth- ▁reconciled- ▁hydrogen- cho- ▁overwhelming- ▁educating- ▁2013- ▁urgent- ▁perceived- ▁tea- ▁mutually- ▁consumed- ▁proceedings- ▁mat- ▁statistical- ▁combat- ▁enrich- ▁harness- ution- ▁mergers- ▁existed- ▁forest- lock- ▁aided- ily- ▁approximate- ▁kar- ▁rolls- corp- ▁entertain- ▁neighbor- ▁philippines- ▁dampen- ▁cabinet- ▁witnessed- ▁pacing- ▁dark- ▁valueadd- ▁duties- ▁automobile- ▁disney- ▁handled- ▁publications- ▁upwards- ▁consumable- ▁suddenly- ▁expression- ▁hell- share- ▁sequence- ▁distort- ▁finger- ▁suitable- ▁measurements- ▁temperature- ▁barrel- ▁referrals- ▁bundles- ▁journeys- ▁abate- ▁flatten- ▁biologics- ▁reserved- ▁snap- ▁magazine- ▁nasdaq- ▁outpatient- ▁platinum- ▁biomarker- ▁child- ▁classification- ▁nickel- ez- ▁benchmarks- ▁vic- ▁convince- cia- ▁amplify- ▁antibiotic- ▁century- ▁concentrating- ▁creativity- ▁underserved- ▁urge- ▁friend- ▁embarked- ▁sands- ▁accessing- ▁ott- ▁navigating- ▁slip- ▁govern- ▁charged- ▁immaterial- ▁swiss- ▁postpone- media- ▁lee- ▁selecting- ▁wash- ▁collaborat- ▁easiest- ▁manhattan- ▁olympics- ▁survive- ▁specialties- ▁sustainably- ▁deepwater- ola- ▁narrowing- ▁keenly- ▁banner- ▁incidents- ▁vertically- ▁catering- ou- ▁flooding- ob- figuring- ▁rev- ▁nonetheless- ▁universities- ▁afterwards- ▁batch- ▁visited- ▁venue- ▁assembled- ▁sean- directtoconsumer- ▁bundling- ▁conservatism- ▁fertilizer- ▁whatsoever- ▁cinema- ▁desk- ▁val- ▁movies- ▁whove- ▁touching- ▁alike- ▁inject- nex- ▁disclosing- ▁fastestgrowing- ▁matthew- ▁satisfactory- invest- ▁wake- ▁sending- ▁incoming- ▁containment- ▁ministry- ▁enduring- ▁synergistic- cha- ▁competency- oid- ▁systematic- ▁death- ▁emphasizing- ▁unparalleled- ▁insured- ▁verification- jo- ▁sessions- ▁saves- ▁impressions- ▁combines- ▁checking- ▁afraid- ▁cellular- ▁drought- ▁ethanol- ▁proppant- ▁spark- ▁revitaliz- ▁garner- ▁commencement- ▁tradeoff- ▁definitions- ▁ties- ▁alliances- ▁interestingly- ▁flavors- ▁commensurate- ▁vector- ▁veteran- ▁disorder- ▁groundwork- ▁consultant- ▁notification- tz- ▁odd- ▁ty- ▁lawsuit- ▁marcellus- ▁moderating- ▁arrow- ▁gun- ▁coin- ▁caps- ▁rem- aries- ▁emergenc- ▁transplant- ▁midsingledigit- ▁shore- ▁hyperscale- ▁bullet- ▁bound- ▁om- ▁packaged- ▁auctions- ▁def- ▁penetrating- ▁multichannel- ▁buck- ▁headroom- ▁formally- ▁directional- ▁breakout- ▁controller- elect- lc- ▁replenish- ▁arrival- ▁cubic- ▁ratabl- ▁campuses- ▁appliance- ino- ▁emerged- fold- ▁kentucky- ▁carries- ▁walked- ▁invent- ▁activate- stat- ▁sufficiently- ▁mt- ▁awaiting- ▁participant- ult- ▁logos- ▁passengers- ▁register- ▁privacy- ▁soybean- ▁suffice- ▁tackling- ▁candidly- ▁height- rtis- ▁landlords- ▁appeals- ▁embraced- ▁gig- ▁tension- first- ▁coincide- ▁egypt- ▁incorrect- ▁creep- ▁wound- ▁highperformance- ▁fallen- ▁article- ▁attended- ▁arr- yn- ▁concert- ▁actuarial- ▁widespread- ▁revert- ▁attachment- ▁boom- ▁catchup- ▁reallocate- ▁impaired- ▁listings- ▁winners- ▁refi- ▁accompany- ▁allowances- ▁tickets- ▁processors- ▁ear- ▁hikes- ▁administer- ▁anecdotal- ▁league- ▁backbone- ▁redeem- ▁presidential- ▁cure- ▁amortize- ▁boy- ▁fruits- ▁adjacenc- ▁certificate- ▁crowd- ▁suspension- ▁tranche- ▁initiation- ▁contrary- ▁stance- ▁intentionally- tar- ▁accessed- ▁trick- ▁airports- ▁confirms- ▁hair- ▁baker- ▁hum- ▁lit- ▁continent- ▁austin- ▁provincial- ▁unplanned- ▁vigilant- ▁pursuan- generative- ▁nodes- ▁terminated- ▁loose- ▁cameras- ▁analytic- nova- ▁kill- ▁datadriven- ▁breach- ▁diagnosis- ▁inception- ▁sponsorship- ▁visa- ▁duc- ▁oilfield- ▁exceeds- ▁restoration- ▁reside- ▁districts- ▁realities- ▁10000- ▁divisional- ▁extensively- ▁curtail- ▁cognitive- ▁cylinders- ▁metropoli- ▁tennessee- ▁abnormal- ▁exhaust- ▁spanish- ▁arising- ▁weakest- ▁prevailing- ▁financed- ▁ceiling- ▁envelope- ▁possess- ▁prevalent- ▁vancouver- ▁unitholder- ▁barry- ▁advantageous- ▁recommended- ▁warmer- ▁outsource- chem- ▁hat- ▁cooling- ▁files- mini- ▁smith- ▁arabia- ▁paramount- overquarter- ▁unwind- ▁buildup- ▁sym- ▁ports- ▁tag- weight- ▁illustrated- ▁aesthetic- ▁respiratory- ▁seismic- ▁wheat- ▁33- ▁missile- ▁municipalities- ▁anytime- ▁cooper- ▁footing- ▁architectures- ▁shopper- mu- idge- ▁squarely- ▁underperform- ▁reliant- ▁unclear- ▁vacant- ▁hesitate- ▁workloads- ▁seventh- ▁markdown- ▁distressed- ▁skewed- ▁featured- ▁modification- ▁resin- ▁rigor- ▁contemplating- ▁tourism- ▁fintech- ▁recycled- ▁reacting- ▁medi- ▁za- ▁likewise- ▁cel- ▁crazy- ▁policyholder- ▁angle- ▁presently- price- ough- ▁clubs- ▁halfway- ▁miami- ▁abroad- ▁digitization- ▁600- ▁army- ▁hole- iff- ▁inevitable- ▁bodies- ▁creek- ▁finland- ▁brew- home- ▁exercises- ▁frontend- ▁cf- ▁disrupted- ▁eco- ▁assessed- like- ▁minerals- ▁unfortunate- making- ▁antenna- ▁faith- ▁referencing- ▁underpinning- ▁initiating- ▁payoffs- ▁bidder- ▁tab- ▁brain- ▁epic- ▁blow- ways- ▁inspire- ▁growers- ▁disadvantage- ▁highmargin- ▁polish- ▁rebalance- ▁tractor- ▁sneak- ▁comfortably- ▁repeated- ▁repeatedly- roll- bio- ▁merge- ▁lam- stage- ▁jointly- ▁dakota- ▁roche- ▁truckload- ▁installment- ▁airplanes- ▁ted- ▁outpac- shop- friendly- ▁architect- ▁cruise- ▁entitlement- ▁exclusivit- ▁jonathan- ▁sampling- ▁teammates- ▁tumors- ▁peso- ▁committing- ▁haul- ▁spa- ▁logistic- ▁shed- ▁incorporates- ▁grants- connect- took- ▁applica- ▁electrification- ▁subsidies- ▁stu- ▁lagging- ▁supermarket- ▁validates- ▁establishment- ▁totality- ▁briefing- rick- ▁tablet- ▁beverages- ▁shoot- ▁triggered- ▁pla- ▁tan- worth- ▁football- ▁unveil- ▁deductible- ▁machinery- ▁sm- ▁bat- ▁mir- ▁repurchas- ▁reinvent- ▁tac- ▁dispatch- ▁reassess- ▁reliably- ▁roaming- ▁scientists- ▁bryan- ▁wrapping- ▁posture- ▁aspirations- located- ▁fred- lling- gro- ▁amendments- ▁chuck- ▁denmark- ▁lunch- ▁tendency- ▁sears- ▁prohibited- ▁encountered- ▁parents- ▁localized- ▁disaster- ▁disasters- ▁smallest- ▁matched- ▁organize- ▁lan- fire- ▁satisfying- ▁alleviate- ▁cardiac- ▁steadfast- ▁oftentimes- ▁hall- ▁traveling- ▁enabler- ▁sharebased- ▁merits- ura- ▁bla- ▁moderniz- count- ▁lessen- ▁ammonia- ▁captive- ▁housekeeping- ▁reluctant- ▁supreme- ▁costsaving- ▁complexities- ▁cancel- ▁inspired- ▁indiana- ▁arrived- ▁versions- ▁deb- ▁technicians- ▁ser- ▁intensify- ▁likeforlike- ▁marktomarket- ▁mechanics- ▁penalty- ▁umbrella- ▁uncover- ▁knowhow- ▁offense- ▁logo- ▁enduser- ▁permitted- ▁dead- ▁respected- ▁installing- ▁norms- ▁simon- grade- ▁setup- ▁tanks- ▁optimum- ▁stuck- ▁quest- ▁harsh- ▁nand- ▁msr- ▁tc- ▁absorbing- ▁acuit- ▁therapeutics- ▁compounded- ▁tightened- lp- ▁golden- ena- generating- ▁english- ▁louis- ▁necessity- ▁safeguard- ▁surveillance- ▁turnkey- ▁interval- ▁farmer- ▁coatings- ▁shutt- ▁citizens- ▁witness- ▁prescriber- ▁expressions- ▁peripheral- ▁responsibly- ▁substance- ▁potash- ▁filtration- ▁radical- ▁writeoff- ▁pathways- ▁viewers- ▁extrapolate- ▁seize- ▁unions- ▁struggled- body- ▁nat- ▁incentivize- ▁articulate- ▁fastgrowing- ▁theoretical- ▁grind- ▁accrue- ▁abilities- ▁longest- ▁lowercost- ▁eva- ▁gil- ▁companywide- through- ▁reprice- residential- ▁breath- ▁yearago- ▁preview- ▁josh- ▁william- equ- ▁admit- ▁trail- ▁mp- ▁introduc- ▁affairs- ▁ceramic- ▁probable- ▁sacrifice- ▁starbucks- ▁abandon- ▁moderately- ▁insert- umab- pass- ▁sounded- ▁permanently- brand- ▁crane- touch- ▁consuming- ▁mandatory- ▁pharmacies- ▁withstand- ▁vince- ▁justice- ▁cogs- ▁customization- ▁subcontractor- ▁exercised- ▁blocking- ▁bankruptcies- ▁hemisphere- ▁resolving- ▁singular- ▁structuring- ▁verizon- ▁cited- ▁headway- ▁logistical- ▁franchisee- tell- ▁cn- ▁admissions- ▁renegotiation- ▁revamp- ▁yourselves- ▁austria- ▁blind- ▁oregon- ▁royal- ▁refurbishment- ▁polymer- ▁brick- ▁pitch- ▁cranes- ▁refunds- ▁budgeted- ▁oled- force- ▁thresholds- ▁advertise- ▁pon- ▁undervalued- ▁backfill- ▁israel- ▁tube- ▁tightness- ▁55- ▁submissions- ▁dennis- ▁disposable- ▁interchange- ▁maritime- ▁overarching- ▁petroleum- ▁reject- ▁bleed- ▁wholly- ▁cc- ▁commissioned- ▁figured- ▁decor- ▁engineer- ▁broadest- ▁relentlessly- band- ▁vesting- ▁yard- ▁articles- ▁treasur- ▁arguably- ▁biometric- ▁rethink- ▁subdued- ▁arbitration- reclassification- ▁static- ▁periodically- ▁bumps- ▁cath- ▁occ- cloud- enabled- ▁binding- ▁cycling- ▁norwegian- ▁senate- ▁sophistication- ▁swedish- ▁telematics- ▁waiver- ▁ethylene- ▁dense- ▁tide- ▁peru- range- ▁pot- rel- facing- ▁perceive- ▁prep- ▁altogether- ▁featuring- ▁jerry- ▁philadelphia- ▁orphan- ▁assert- position- ▁atlas- ▁nda- logists- ▁abstract- ▁bureau- ▁earliest- ▁repatriation- ▁instructions- ▁sunday- ▁replenishment- ▁anomaly- ▁dominated- ▁customerfacing- ▁flattening- istic- ▁conservatively- ▁mary- ▁christi- ▁continual- '5000'- ▁fulfilling- ▁elevating- ▁rotation- ▁spectacular- ▁controllable- ▁betting- ▁onwards- ▁fedex- ▁mom- ▁dent- ▁tm- rich- ▁implication- ▁santa- ▁brickandmortar- ▁orientation- ▁giant- ▁pac- ▁virtue- ▁feebased- ▁delaying- cular- ▁swift- ▁shoes- ▁discern- ▁imbalance- ▁oversupply- ▁winwin- ▁sedar- ▁redirect- ▁alloy- ▁interconnection- unit- vy- ▁matches- ▁vein- forward- ▁lodging- ▁microphone- ▁unnecessary- ▁stockpile- ▁hook- ▁viability- ▁coordinated- ▁coil- ▁specifications- ▁travelers- ▁solved- ▁prioritized- ort- health- ▁boosted- ▁disappear- ▁cisco- ▁interview- ▁earth- ▁paydown- ▁versa- ▁compressed- ▁taper- ▁compounding- ▁landlord- ▁howard- ▁nerve- ▁spinoff- ▁biology- ▁reimbursed- ▁expiring- ▁nonperform- ▁standardization- ▁85- ▁tablets- ▁narrowed- ▁leaning- ▁biosimilar- ▁commoditiz- ▁connecticut- ▁untapped- ▁reconfigur- ▁matrix- ▁verify- ▁curtailment- ▁physically- ▁contra- ▁emission- ▁zo- ku- ▁prediction- ▁furnace- ▁immense- ▁drift- ▁painful- ▁terry- ▁lyn- ▁nearby- ▁bang- ▁harvesting- ▁yards- ▁dso- ▁holes- ▁palm- ▁blending- ▁closest- ▁cultivate- ▁ignore- ▁imminent- ▁inevitably- ▁obstacle- ▁cardiovascular- ▁stemming- ▁zinc- ▁panama- ▁favorability- ▁syndicated- ▁ow- ▁tooling- ▁tune- loaded- '80'- ▁hd- ▁placebo- ▁ef- ▁struck- ▁intersection- ▁48- ▁tempered- ▁wearable- ▁unrelated- ▁signaling- ▁korean- ▁aspiration- ▁steward- ▁feeding- ▁aforementioned- ▁narrative- ▁pandora- ▁pentup- ▁synthetic- ▁disappointment- ▁android- ▁philip- ▁rationalizing- ▁accompanied- ▁hourly- ▁emphasized- ▁migrated- ▁lapse- sproportionately- ▁biological- company- ▁contemporary- ▁deviation- ▁injuries- ▁lloyd- ▁reshaping- ▁undoubtedly- ▁unwavering- ▁burger- ▁flowthrough- ▁organ- ▁boats- ▁propose- ▁skew- ▁consortium- ▁jennifer- ▁shelves- ▁thanksgiving- ▁twitter- ▁fusion- ▁overlay- ▁supplied- ▁mother- ▁reorder- ▁rio- ▁imposed- ▁portable- ji- cept- ▁spo- ▁confidential- ▁surprisingly- space- ▁officials- ▁bolstered- hanging- ▁rp- ▁underline- ▁fiduciary- ▁rhythm- ▁paypal- ▁congratulations- ▁solicitation- ▁polar- ▁mapping- ▁landmark- ▁lucky- ▁unfolds- ▁canceled- ▁invited- ▁weaknesses- ▁pete- ▁sheer- ▁procure- ▁inspiration- ▁2012- ▁varied- ▁wrapped- ▁intimate- ▁romania- ▁indices- ▁broadened- ▁aspire- cade- ▁mold- ▁victory- ▁intentional- ▁deductions- rix- ▁blade- ▁pocket- ▁lc- ▁declare- ▁asphalt- ▁calculating- ▁occupied- ▁iphone- ▁smoke- ▁cybersecurity- ▁spill- ▁transferring- ▁instrumentation- ▁concurrently- ▁adopters- ▁md- ▁airplane- ▁cope- ▁staffed- ▁compromising- ▁ebay- ▁observing- ▁leak- ▁strat- ▁cater- ▁65- ette- ▁condo- ella- rock- ▁rand- ▁oc- ▁discretion- ▁disagree- ▁affinity- ▁degradation- ▁mississippi- ▁owe- uff- ▁distribut- ▁notified- ▁bc- ▁broke- ▁scenes- ▁kim- ▁tape- lining- ▁annuities- ▁ballpark- ▁dermatolog- ▁speculative- ▁striking- ▁stuart- ▁twin- ▁checkpoint- ▁gla- ▁excessive- ▁thoroughly- ▁megawatts- ▁richer- ▁plain- ▁clip- berry- ▁refreshed- ▁bottleneck- ▁credential- ▁nervous- ▁vegetable- ▁kelly- ▁outlay- ▁gray- ▁occasionally- ▁highvolume- ▁fitting- ▁rebranding- ▁activated- ▁creditors- ▁summariz- ▁isolate- ▁cosmetic- ▁reevaluate- ▁vascular- ▁trace- lake- wall- ▁nearest- ▁acquirer- ▁levered- ▁eating- ▁winner- ▁cigarette- ▁collapse- ▁confused- ▁scrubber- ▁tunnel- ▁assigned- ▁flush- ▁maria- ▁colon- ▁tel- ▁passage- ▁graphics- ▁stewards- ▁lump- person- ▁commonly- ▁gallons- flex- ▁elasticity- ▁specification- ▁specificity- ▁earnout- ▁interacting- dale- ▁cv- ▁virgin- ▁accelerator- ▁companion- ▁confusing- ▁dutch- ▁laboratories- ▁leather- ▁predicated- ▁emotional- ▁quo- ▁ppa- ▁speakers- developed- away- ▁automating- ▁colocation- ▁contingencies- ▁credible- ▁landfill- ▁scrutiny- ▁console- ▁hallmark- ▁prescribing- ▁systematically- ▁pullback- ▁competence- ▁enrolling- ▁instruct- ▁correlate- zi- ▁earthquake- ▁sunrise- ▁wrote- ▁exponential- ▁indoor- ▁drone- ▁reactivation- gl- ▁industrywide- ▁readers- ▁aged- ▁resident- ▁deduction- ▁reorganiz- ▁redefine- ▁charlotte- ▁circulation- ▁influencing- ▁marriott- ▁weakened- ▁backwards- ▁drew- ▁nc- ▁sage- ▁recruited- ▁prevail- ▁designation- ▁encounter- trans- intensive- watch- ▁blockchain- ▁boutique- ▁missioncritical- ▁quartile- ▁rubber- ▁speech- ▁transitory- ▁automatic- ▁denominator- ▁spur- ▁distracted- ▁todate- ▁diagnosed- ▁buses- ▁shy- ▁noble- ▁passes- ▁penetrated- ▁oh- ▁adherence- ▁estimation- ▁lincoln- ▁monetary- ▁preservation- ▁stimulation- ▁drain- ▁nashville- ▁rack- ▁amend- ▁declared- ▁viewpoint- ▁distributing- ▁hunting- ▁lifted- ▁reserv- ▁upturn- ▁ener- ▁enforce- ▁devastating- ▁independence- ▁multitude- ▁nowhere- ▁avoiding- ▁knee- ▁presume- ▁commend- ▁auditors- ▁avid- ▁accepting- ▁successor- ▁weighed- tek- ▁circumstance- ▁rebate- science- ▁nurses- ▁estimating- ▁fundraising- ▁gratitude- ▁hydraulic- ▁nafta- ▁anthem- ▁writedown- ▁layout- ▁warehous- ▁suspended- ▁stacked- ▁risen- '90'- ▁terminate- system- ▁evan- group- ▁junior- ▁phrase- ▁poultry- ▁repaid- ▁easing- ▁render- ▁toptier- ▁quantified- ▁scrapping- ▁attempting- burg- ▁rightsize- ▁wholesalers- ▁poll- ▁npl- ▁subside- ▁quoted- ▁mic- ▁genesis- tinib- ▁debit- ▁bike- ▁carol- ▁expired- ▁800- ▁coke- ▁thomas- ▁utica- ▁amenities- ▁airbus- ▁retrospective- ▁breakfast- ▁chair- ▁customercentric- ▁stating- ▁repurpos- written- ▁alcohol- ▁columbus- ▁gratifying- ▁inconsistent- ▁pellet- ▁rebroadcast- ▁yellow- ▁distill- ▁bowl- ▁uneven- ▁pulse- ▁sponsored- ▁hero- ▁granularit- ▁explicit- ▁nonoperat- ▁helicopter- ▁puzzle- ▁thursday- ▁mattress- ▁ebb- dium- ▁classroom- ▁05- ▁rigid- ▁nail- ▁cracker- ▁reorganized- ▁freeze- ▁lining- ▁dun- ▁remodeling- ▁origin- ▁designers- ▁judicious- ▁longevity- ▁nigeria- ▁singlefamily- ▁studied- ▁idaho- ▁antibody- ▁maryland- ▁tampa- ▁marty- ▁carryover- ▁exacerbated- ▁seal- ▁steri- ▁needless- ▁categorize- ▁duplicate- ▁insulation- ▁omidria- ▁propensity- ▁redundant- ▁shipyard- ▁anxious- ▁investigate- ▁minister- ▁originating- ▁bird- ▁acid- ▁accommodation- ▁divided- ▁compressor- ▁diy- ▁franc- ▁backoffice- ▁frustrating- ▁granite- ▁irrigation- ▁juncture- ▁iowa- ▁virus- ▁watt- ▁latestage- ▁hello- ▁remiss- ▁bt- ▁advertiser- ▁luck- ▁benchmarking- ▁abundant- ▁ambulatory- ▁condensate- ▁conversely- ▁dashboard- ▁netflix- ▁supervisor- ▁sidelines- ▁tailings- ▁allied- ▁hate- scape- ▁harmon- vel- ▁constellation- ▁empire- ▁feasible- ▁negligible- ▁outbound- ▁portugal- ▁preclude- ▁settling- ▁headset- ▁portland- ▁recur- ▁ram- ▁readout- jet- weighted- ▁entrepreneurs- ▁qualifying- ▁advisor- ▁700- ▁diet- ▁subsidy- ▁fierce- ▁conceptual- ▁motorcycle- ▁mount- ▁recast- ▁nash- ▁frontier- iq- ▁proportional- ▁customize- ▁concurrent- ▁mro- ▁accumulation- ▁beneficiary- ▁calgary- ▁hudson- ▁jamie- ▁restoring- ▁heels- ▁fre- ▁foodservice- ▁karen- ▁5000- ▁aaron- ▁illustration- ▁boss- ▁rally- ▁envi- ▁mb- ▁practically- ▁graphic- uel- ▁37- ▁150- ▁exhibited- ▁noncontroll- ▁sync- ▁refinanced- ▁nano- ▁arkansas- ▁balloon- ▁caveat- ▁village- ▁daniel- ▁oracle- ▁boundaries- ▁comcast- recapitalization- ▁maxim- ▁stopping- ▁rightsizing- ▁formular- ▁coating- awa- ▁scar- ▁educated- '70'- hill- ▁accu- rent- ▁obligat- ▁etf- ▁cleveland- ▁expansive- ▁hyatt- ▁pointofsale- ▁sandwich- ▁susan- trend- ▁timber- ▁prostate- factor- ▁arch- ▁concerted- ▁chem- ▁severely- label- ▁syndicate- ▁displace- ▁constituent- ▁czech- ▁rehabilitation- ▁recoup- ▁relax- ▁discharge- ▁monster- ▁plot- ▁methodolog- ▁bdc- ▁immuno- ▁overwhelmingly- ▁lengthy- ▁denominat- ▁cotton- ▁irrespective- ▁nonaccrual- ▁refranchising- ▁plateau- ▁dirt- ▁glenn- ▁marin- ▁johnson- ▁renovated- tron- track- ▁respectively- ▁validat- ▁sb- ▁afforded- ▁fragrance- ▁immunooncology- ▁lingering- ▁stellar- ▁syndication- ▁welcoming- ▁nominat- ▁substitution- ▁stan- ▁refill- ▁loe- center- tronics- look- selling- craft- ▁born- ▁academy- ▁athletic- ▁entail- ▁exclusion- ▁mutation- ▁preceding- ▁substantive- ▁brake- ▁julie- ensification- ▁gathered- ▁constrain- ▁habit- ▁reacted- ▁subscribe- ▁stagger- ▁expedite- ▁cease- ▁crossover- ▁persistence- ▁checkout- ▁insulated- ▁onset- ▁ul- ▁restated- ▁ranked- ▁amortiz- income- ▁apollo- ▁fossil- ▁identical- ▁leach- ▁lowermargin- ▁registry- ▁sacrificing- ▁utmost- ▁vacuum- ▁jean- ▁abuse- ▁macys- ▁temper- ▁statistically- drawn- ▁appreciative- ▁mentality- ▁procedural- ▁sydney- ▁pork- ▁azure- ▁shield- ▁injectable- ▁alive- ▁thermo- ▁pave- ▁neil- pla- ▁hone- ▁sporting- branded- ▁redo- working- genic- bell- ▁decommission- ▁nurture- ▁selfservice- ▁capita- ▁authentication- ▁hint- ▁expedited- ▁tying- ▁38- ▁fracture- ▁derisking- ▁employing- ▁fulfilled- ▁commercializing- ▁ameri- ▁transmit- break- ▁random- dequacy- ▁crossborder- ▁educator- ▁inclined- ▁samsung- ▁insulin- ▁inquiry- setting- ▁prescribed- ▁skip- ▁compress- ▁die- ▁coordinate- ▁anthony- ▁beijing- ▁counterparties- ▁festival- ▁nielsen- ▁proliferation- ▁subordinate- ▁staple- ▁thick- ▁boiler- ▁precedent- ▁timetable- ▁digging- ▁foothold- ▁contest- ▁tableau- ▁receptive- ▁hip- ▁explicitly- ▁salesforce- ▁shooting- ▁commenc- abilities- trade- ▁administrator- ▁congestion- ▁detriment- ▁episode- ▁hesitant- ▁hygiene- ▁scarcity- ▁smelter- ▁turmoil- ▁waterfall- ▁sweep- ▁standardize- ▁ranch- ▁advent- ▁smb- ▁influencer- utter- ▁95- ▁motivate- ▁accustomed- ▁chassis- ▁invaluable- ▁reestablish- ▁situated- ▁stimulus- ▁tandem- ▁volunteer- ▁prioritization- ▁compass- ▁scanner- ▁firewall- ▁blackstone- ▁crest- ▁cardio- ▁accessory- more- ▁steering- ▁cow- ▁marlin- ▁retired- ▁curate- ▁dean- ▁repo- ▁turk- ▁alternate- ▁analyses- ▁dialysis- ▁intensified- ▁penalties- ▁sensitivities- ▁worthwhile- ▁hazard- ▁remarkably- ▁blackrock- ▁agnostic- ▁cooperative- ▁lengthen- ▁steven- ▁formulate- ▁pv- ▁funeral- ▁ladder- ▁pinnacle- ▁postacute- ▁snapshot- ▁titanium- ▁brandnew- ▁shallow- ▁halo- ▁crown- zone- ▁railway- ▁slated- ▁await- ▁steer- ▁20000- yield- script- ▁caliber- ▁devoted- ▁eighth- ▁mouth- ▁postpaid- ▁aggregation- ▁cliff- ▁responsiveness- ▁string- ▁kin- ▁jones- ▁toughest- ▁char- ▁restored- ▁poster- ▁melt- ▁illustrat- ▁insider- mitted- ▁renovat- ▁renegotiate- ▁dinner- ▁reengineer- ▁thumb- ▁taxpayer- ▁arbitrage- ▁tipping- ▁stripping- ▁tapping- ▁mood- ▁dick- hub- sphere- ▁accumulate- ▁backtoschool- ▁orthopedic- ▁outweigh- ▁suppress- ▁reclassifie- ▁interestbearing- ▁choppi- ▁jackup- ▁popularity- ▁discoveries- hawk- ▁pam- ▁reallocat- ▁vulnerable- ▁sincerely- ▁trauma- ▁fellow- ▁warner- ▁capped- ▁seven- ▁centric- ▁earnest- ▁inspect- ▁pose- petition- ▁leaseup- ▁outgrow- volt- ▁digitize- ▁dedicate- ▁discontinue- ▁depreciate- ▁lithium- ▁philosophical- ▁framing- ▁cheese- ▁vending- ▁chegg- ▁clock- ▁purposeful- ▁cleanup- ▁knowledgeable- ▁cooperate- ▁cooler- ▁compliment- ▁dispense- ▁mathematical- ▁perimeter- ▁ralph- ▁retiring- ▁utah- ▁birth- ▁remediate- ▁laserfocused- ▁iteration- ▁tenet- ▁wisely- ▁renegotiated- ▁routinely- ▁nr- ▁buyout- code- ▁redesigned- ▁flor- ▁incent- ▁grocer- process- structure- ▁destiny- ▁underpenetrated- ▁busiest- ▁forthcoming- ▁virtuous- ▁plaza- ▁racing- eye- ▁3000- ▁payoff- ▁ortho- ▁merged- ▁inhibit- ▁vista- ▁watches- ▁deducti- charge- profit- energy- wind- ▁chemotherapy- ▁entrance- ▁facilitating- ▁happier- ▁legislature- ▁timeframe- ▁vacancies- ▁bargain- ▁lobby- ▁tokyo- ▁slope- ▁cedar- ▁specify- ▁protest- ▁roster- ▁voting- ▁withdrawal- ▁reallocation- ▁standby- ▁vale- ▁earlystage- ▁redevelop- ▁hp- ▁pest- front- ▁insist- beat- ▁alabama- ▁empty- ▁endorsement- ▁examining- ▁experiential- ▁rainfall- ▁separating- ▁iridium- ▁wellbeing- ▁liber- ▁recreational- ▁connector- ▁barge- ▁highgrade- ▁designated- ▁liquidate- ▁yo- action- ▁cpg- ▁suspend- ▁genuine- active- heim- utilized- ▁sma- ▁advocacy- ▁antibodies- ▁conservation- ▁hydrocarbon- ▁mismatch- ▁oxygen- ▁refractor- ▁unfair- ▁disability- ▁downgrade- ▁cabin- iston- ▁bolt- ▁120- suite- ▁enzyme- ▁hilton- ▁offensive- ▁testimony- ▁clothing- ▁restocking- ▁beacon- ▁defect- ▁nurse- ▁tal- ▁mixture- ▁dish- ▁activat- ▁pp- ▁citi- period- ▁inroads- ▁kroger- ▁vigorously- ▁2011- ▁pushback- ▁protective- ▁traders- ▁barn- ▁midsize- ▁increment- competitive- ▁fabulous- ▁hospice- ▁nitrogen- ▁practitioner- ▁restatement- ▁robinson- ▁segregat- ▁unconventional- ▁girl- ▁pbm- ▁instill- ▁loud- ▁characteristic- ▁realistically- ▁headquarter- ▁furnished- ▁highperforming- ▁amid- ▁flagged- ▁haynes- ▁problematic- ▁scoop- ▁sovereign- ▁voyage- ▁merely- ▁pinpoint- ▁prepay- ▁dependence- ▁marry- ▁lions- ▁superiority- megawatt- ▁excite- ▁jeremy- ▁refrigerated- ▁turbo- ▁unreasonable- ▁humble- ▁infant- ▁baking- ▁divert- ▁lte- ▁sharper- ▁colder- ▁monotherap- ▁consult- ▁correspond- ▁reinvigorate- platform- producing- order- check- resistant- ▁culinary- ▁flawless- ▁inherited- ▁nontraditional- ▁remeasurement- ▁wellknown- ▁winnebago- ▁revising- ▁lagged- ▁depict- ▁juice- ▁hypothesis- ▁dwell- ▁publisher- ▁reuse- hole- ▁heck- consolidated- built- prime- ▁depletion- ▁secondarily- ▁mlp- ▁weapon- ▁swiftly- ▁softened- ▁mil- ▁rainy- ▁blast- ▁coat- ▁expose- ▁furnish- wire- ▁bacteria- ▁baseball- ▁oxide- ▁prestigious- ▁stranded- ▁vantage- ▁slice- ▁thread- ▁michelle- ▁deduct- defined- ▁farther- ▁exhibition- scope- ▁bloom- ▁destroy- ▁plumbing- ▁reconsider- ▁unleash- ▁scanning- ▁parse- ▁clay- ▁personalize- neutral- ▁frustration- ▁highspeed- ▁targa- ▁kirk- ▁rescue- ▁subsidize- ▁steal- ▁mentor- ▁harris- ▁aspirational- ▁resale- borne- ▁deter- ▁pine- transmission- ▁onprem- ▁carriage- ▁invitation- ▁peace- ▁reconciling- ▁saturday- ▁selfhelp- ▁sulfur- ▁triumph- ▁escalate- ▁viral- ▁ethical- ▁ibm- ▁cameron- ▁sizing- ▁instantly- ▁creators- prong- ▁bull- ▁reaccelerat- ▁refurbish- ▁nascar- ▁retroactive- ▁unforeseen- ▁remix- ▁coding- ▁blueprint- ▁merging- ▁roast- arity- ▁existence- ▁resist- ▁assistant- ▁shaw- ▁technique- ▁genuinely- fast- ▁mobilize- ▁victoria- ▁interventional- axis- ▁soften- ▁tile- ▁attribution- ▁blockbuster- ▁insignificant- ▁literature- ▁qualities- ▁steroid- ▁terribly- ▁copies- ▁intercept- ▁welding- ▁tricky- sky- ▁scrip- ▁tec- munications- ▁nutritional- ▁nii- ▁tradition- economic- ▁kiosk- ▁pfizer- ▁unsustainabl- ▁buoy- ▁copyright- ▁elite- ▁rebuilt- ▁fcc- ▁midway- ▁sba- ▁offprice- plex- ▁distress- digit- appropriate- ▁interopera- ▁incidence- ▁jordan- ▁slippage- ▁calibrate- ▁shaft- ▁textile- ▁discontinuation- ▁confidentiality- ▁dump- ▁dropdown- ▁realworld- ▁chargeoff- ▁compact- ▁surround- ▁biopharma- ▁brilliant- ▁groundbreaking- ▁halloween- ▁microbiome- ▁migraine- ▁politics- ▁prestige- ▁pyramid- ▁synchroniz- ▁catheter- ▁advertisement- ▁revolutionary- ▁bread- ▁centre- ▁shoe- ▁parity- ▁withdraw- ▁albert- ▁50000- regulated- function- ▁acknowledging- ▁admittedly- ▁editorial- ▁mercury- ▁pragmatic- ▁stainless- ▁irrational- ▁illumina- ▁tmobile- ▁pullthrough- ▁classify- ▁highyield- ▁stockholder- ▁broadcasters- ▁fisher- ▁taco- ▁dilute- ▁deficiency- ▁influx- ▁occupy- ▁rehab- ▁reinsurer- ▁carpet- ▁hypothetical- ▁recalibrat- ▁lottery- ▁dyna- ▁marcus- ▁outlier- ▁reversion- ▁visitation- ▁guideline- stack- ▁peg- ▁bubble- ▁buffalo- ▁myriad- ▁bancorp- ▁leakage- ▁firing- ▁redeployment- ▁pole- smart- ddle- ▁epa- ▁basketball- ▁cohesive- ▁curriculum- ▁false- ▁greece- ▁lowmargin- ▁taylor- ▁unbelievabl- ▁tesco- ▁cascade- ▁darren- ▁clause- ▁hung- ▁strange- ▁tiny- ▁mediumsized- ▁irish- ▁professionalism- ▁adaptive- ▁stride- ▁joel- ▁aggregator- ▁redistribut- ▁probe- ▁bath- ▁remark- ▁chamber- ▁collision- ▁pervasive- ▁uncommon- ▁footnote- ▁youtube- ▁sick- ▁latency- ▁colleague- ▁extraction- motion- high- ▁msa- ▁antitrust- ▁asiapacific- ▁consummate- ▁hampered- ▁impediment- ▁receptor- ▁socalled- ▁plasma- ▁promo- ▁redundancy- ▁affo- ▁lenses- ▁gut- ▁immunotherap- ▁tall- ▁reactivate- ▁abundance- ▁acquisitive- ▁autumn- ▁cologuard- ▁infotainment- ▁refrigeration- ▁veterinary- ▁behaving- ▁diving- ▁booth- ▁halt- ▁radiation- ▁lisa- sense- ▁restriction- ▁revers- post- spoke- ▁underscor- ▁vocal- mobile- ▁charlie- ▁exterior- ▁hidden- ▁locomotive- ▁maturation- ▁cardinal- ▁orleans- ▁remedy- ▁traits- ▁instability- ▁originator- ▁marvel- ▁manpower- ▁quint- ▁heartland- rgus- ▁edition- ▁christian- ▁fractur- ▁divide- ▁glen- ▁ambassador- ▁arriving- ▁believing- ▁beneficiaries- ▁democrat- ▁detroit- ▁mortar- ▁turbulence- ▁dismiss- ▁geological- ▁seemingly- ▁pathogen- ▁tyler- ▁fireeye- ▁adhere- ▁lifo- ▁greenhouse- ▁opec- ▁hva- brook- ▁rework- ▁prohibit- ▁biomass- ▁costcutting- ▁excise- ▁proposing- ▁bunker- ▁fault- ▁brett- ▁cheapest- ▁garage- pharm- ▁yu- '06'- ▁buzz- ▁census- ▁delineation- ▁dependency- ▁evergreen- ▁exercising- ▁interference- ▁patterson- ▁referendum- ▁simplifies- ▁ninth- ▁recurrent- ▁campbell- ▁debut- ▁confront- ▁cream- ▁retin- nanometer- ▁photograph- ▁raj- ▁dominate- direct- ▁persistenc- ▁decentralized- ▁dissipate- ▁episodic- ▁latam- ▁mosaic- ▁petrobras- ▁resumption- ▁syndrome- ▁fixtures- ▁randomized- ▁reconstruction- ▁quant- ▁reinvention- leading- ▁simultaneous- ▁chocolate- ▁dangerous- ▁deteriorating- ▁inflammation- ▁laundry- ▁midatlantic- ▁parliament- ▁retool- ▁renal- ▁tolerance- ▁pollution- ▁timberland- operative- ▁ferro- ▁vitality- sharing- bury- ▁accessibility- ▁celebrating- ▁female- ▁frequencies- ▁hollywood- ▁relocating- ▁hinder- ▁spray- ▁leadingedge- ▁transpire- ▁goodbye- ▁macau- ▁poker- ▁eplex- ▁lapped- ▁wow- ▁juan- ▁insurer- ▁dell- ▁configure- ▁pile- ▁anomal- central- ▁phenomena- ▁appalachia- ▁cobalt- ▁cocacola- ▁lucrative- ▁slipped- ▁westinghouse- ▁vinyl- ▁organizing- ▁apex- ▁swim- ▁reactive- contract- supplied- ▁mitch- ▁attorney- ▁compatible- ▁conducive- ▁disparate- ▁explosive- ▁morris- ▁multifaceted- ▁wellestablished- ▁nucor- ▁displacement- ▁lauren- ▁noticing- ▁dust- ▁admission- ▁etsy- ▁biologic- ▁tear- ▁equip- ▁rocket- development- ▁criticized- ▁cuttingedge- ▁facilitator- ▁inaugura- ▁longhaul- ▁preempt- ▁prolific- ▁relapse- ▁unacceptable- ▁watson- ▁wyndham- ▁obsess- ▁overcoming- ▁vacate- ▁expare- ▁sensi- ▁recontract- ▁submitting- ▁aisle- ▁feat- ▁statistic- ▁heali- ▁30000- enhancing- ▁biopsy- ▁dublin- ▁exemplifie- ▁implicit- ▁peanut- ▁shadow- ▁submarine- ▁lawyers- ▁tubing- ▁misleading- ▁florence- ▁paving- ▁intermediary- ▁reagent- ▁thriving- ▁spanning- ▁dolby- ▁sweetener- ▁sweat- ▁alluding- ▁consultative- ▁drastically- ▁scarce- ▁merck- ▁resell- ▁peel- authorized- ▁contiguous- ▁counterparty- ▁decoupl- ▁desperate- ▁entrust- ▁examination- ▁hindsight- ▁remunerati- ▁valuecreation- ▁veterinarian- ▁walter- ▁wednesday- ▁whiskey- ▁knit- ▁expeditious- ▁linkage- ▁ltl- ission- ▁handicap- ▁bake- ▁ecom- ▁stead- foot- ▁faculty- ▁insufficient- ▁magnetic- ▁modalities- ▁quantification- ▁rotate- ▁correspondent- ▁farmland- ▁ccar- billed- ▁citizen- ▁culminat- ▁affluent- ▁amplified- ▁fibrosis- ▁inaccurate- ▁microchip- ▁resurgence- ▁stadium- ▁susceptible- ▁volkswagen- ▁coalition- ▁grasp- ▁unused- ▁ross- ▁moodys- ▁vault- ▁culmination- ▁canyon- ▁5050- ▁copay- ▁teva- ▁collaborator- ▁interrupt- grid- ▁ammunition- ▁celebration- ▁dispensing- ▁injunction- ▁nutrient- ▁phosphate- ▁predecessor- ▁splunk- ▁aftermath- ▁viewership- ▁delineate- ▁smile- ▁admin- ▁twofold- ▁crisp- tegra- ▁blip- eep- ▁locate- ▁definite- ▁wan- credit- ▁flotek- ▁henry- ▁adobe- ▁journalism- ▁kona- ▁inverse- ▁investigator- aze- ▁expedit- claim- ▁disturb- ▁equilibrium- ▁everchanging- ▁identifies- ▁nonstrategic- ▁triferic- ▁southeastern- ▁contend- ▁tolerated- ▁illegal- ▁focal- ▁lids- ▁dataset- ▁void- ▁gat- ngest- employ- screen- sheet- ▁bracket- ▁brokerdealer- ▁chipotle- ▁cushing- ▁exemption- ▁keppel- ▁omnipod- ▁propulsion- ▁prudence- ▁tournament- ▁sauce- ▁equate- ▁indebted- ▁suggestions- xcel- ▁imagery- ▁reoccurr- ▁cede- ▁revolve- ▁argentin- collect- ▁arrange- ▁compensating- ▁debenture- ▁formidable- ▁kratos- ▁police- ▁toxicity- ▁vitamin- ▁template- ▁valuing- ▁relieve- ▁dtc- ▁drawdown- ▁hack- glass- ▁shine- ▁iterate- scribed- ▁reimag- ▁biopharmaceutic- ▁brookfield- ▁clarified- ▁commonwealth- ▁hampshire- ▁influential- ▁protracted- ▁reassure- ▁resolute- ▁rotating- ▁styren- ▁alpine- ▁cultivating- ▁finite- ▁tommy- burn- ▁multiproduct- enberg- ▁nap- ▁noncomp- ▁decelerate- rrell- ▁rebrand- world- ▁michel- ▁immersive- ▁intermediaries- ▁methanol- ▁microcontroller- ▁overshadow- ▁reconfirm- ▁recurrence- ▁residence- ▁hungary- ▁tutor- ▁mobilization- ▁secretary- ▁duplication- ▁cake- ▁enact- ▁stakeholder- arables- ▁famous- ▁infringement- ▁marquee- ▁mezzanine- ▁oxford- ▁renegotiating- ▁attendee- ▁tilt- ▁jose- ▁linda- ▁decelerat- capitalized- ▁alumina- ▁approving- ▁consolidator- ▁elevation- ▁kathy- ▁offpremise- ▁pledge- ▁redetermination- ▁unintended- ▁honda- ▁punch- ▁multiply- ▁tuning- ▁cryo- ▁crystallize- ▁berlin- ▁forrester- ▁wellbore- ▁laura- ▁reimagine- ▁chatter- ▁cube- udge- ▁mario- ctive- earning- ▁autonomy- ▁expensing- ▁invoicing- ▁multimillion- ▁voucher- ▁acoustic- ▁craftsman- ▁remedies- ▁shelter- ▁britain- ▁deviate- ▁fastener- ▁montana- '500'- resuming- ▁atmosphere- ▁caustic- ▁consignment- ▁criminal- ▁infectious- ▁legitimate- ▁uranium- ▁scoring- ▁erode- ▁hungry- ▁ruble- ▁mint- organically- ▁harmonize- ▁cobrand- constrained- business- engine- ▁catastrophic- ▁circular- ▁finetune- ▁obsolete- ▁occupier- ▁securitize- ▁pruning- ▁surgeries- ▁sequel- ▁diameter- ▁combo- ▁technician- treated- ▁impair- ▁occupanc- ▁ethic- ▁drastic- ▁brothers- ▁celebrity- ▁deemphasiz- ▁destruction- ▁explosion- ▁freddie- ▁qualcomm- ▁scatter- ▁backhaul- ▁investigating- ▁encore- ▁geology- dollar- ▁victor- ▁subcontract- ▁receptiv- ferred- target- ▁eligibility- ▁energies- ▁entries- ▁expend- ▁gravitat- ▁ignite- ▁mifid- ▁refrain- ▁savvy- ▁terrible- ▁bondholder- ▁chlor- ▁aerial- ▁cattle- ▁potent- ▁exert- volume- managed- ▁averaging- ▁awesome- ▁cincinnati- ▁deficiencies- ▁delinquent- ▁knight- ▁varieties- ▁elegant- ▁flesh- ▁ourself- ▁theatrical- ▁subtract- ▁grace- ▁textbook- ▁elongat- ▁lull- structive- ground- ▁alzheimers- ▁coherent- ▁combustion- ▁franchising- ▁instagram- ▁prebuy- ▁requisite- ▁triangle- ▁wyoming- ▁reacceleration- ▁ltac- adjusted- mount- ▁grip- ▁computation- ▁accumulating- ▁carpenter- ▁cartridge- ▁escalating- ▁himself- ▁neurology- ▁trinity- ▁unmanned- ▁wolfcamp- ▁yeartoyear- ▁ubiquitous- ▁aetna- ▁blanket- capital- ▁solicit- ▁anxiety- ▁frankfurt- ▁judicial- ▁melbourne- ▁recompete- ▁tubular- ▁tuition- ▁zika- ▁custodia- ▁medallion- ▁socket- ▁repeal- ▁joseph- ▁panther- ▁verified- manufactur- ▁adhesive- ▁cockpit- ▁denim- ▁minneapolis- ▁multiplier- ▁substrate- ▁wisdom- ▁citrus- ▁esports- ▁brink- ▁inflated- ▁overrid- ▁retreat- ▁diagnose- ▁allegations- ▁brookdale- ▁derby- ▁edmonton- ▁marathon- ▁nowadays- ▁populated- ▁recipient- ▁roadshow- ▁seafood- ▁yelp- ▁diplomat- ▁envisage- ▁haptic- ▁handbag- ▁nokia- ▁relies- itude- ▁dominic- midst- ▁articulat- normal- ▁addiction- ▁deutsche- ▁explorator- ▁hiccup- ▁honeywell- ▁immigration- ▁mainframe- ▁metabolic- ▁compelled- horn- dependent- ▁appreciating- ▁confluence- ▁corrugated- ▁gambling- ▁inexpensive- ▁malibu- ▁pakistan- ▁privatization- ▁scandinavia- ▁unaudit- ▁orchard- ▁serial- ▁preleasing- ▁quebec- ▁societies- ▁wherewithal- ▁prince- ▁daytona- ▁trustees- ▁forensic- ▁fortify- ▁coronary- ▁sunset- ▁unrest- ▁immunolog- ▁distract- ▁appoint- quarteronquarter- ▁candid- represented- impact- ▁certify- ▁condominium- ▁coworkers- ▁epidemic- ▁gigabit- ▁kuwait- ▁sleeve- ▁turbulent- ▁verdict- ▁voltage- ▁upswing- ▁precede- ▁bridg- graphic- ▁fanni- ▁overwhelm- typical- ▁fascinating- ▁hurry- ▁impetus- ▁kilometers- ▁monarch- ▁orchestration- ▁politicians- ▁preopening- ▁repatriate- ▁stoppage- ▁tragic- ▁versatility- ▁enzo- ▁zoning- ▁salmon- ▁caterpillar- ▁halliburton- ▁indefinite- ▁parkinsons- ▁redefining- ▁uncomfortable- ▁valentine- ▁bmw- ▁outdated- ▁outstrip- ▁induce- style- ▁intersect- dilutive- ▁complacent- ▁disposing- ▁ethernet- ▁generous- ▁hesitation- ▁kingdom- ▁machining- ▁numerical- ▁richmond- ▁silhouette- ▁valuecreating- ▁yodle- ▁rasm- ▁charitabl- ▁tropica- ▁expir- ▁readjust- ▁cataract- ▁contamination- ▁deconsolidation- ▁demonstrabl- ▁divergence- ▁dubai- ▁escrow- ▁everincreasing- ▁inadequate- ▁pencil- ▁unwilling- ▁acumen- ▁debbie- ▁helix- ▁pulmon- ▁amenity- ▁tertiar- ▁ascend- ▁brush- ▁carveout- ▁centennial- ▁extrusion- ▁hispanic- ▁momentarily- ▁multitenant- ▁unaffected- ▁exaggerat- ntamina- ▁worsening- ▁allison- ▁symptom- ▁discontinu- ▁accommodati- propylene- ▁acknowledgment- ▁applaud- ▁binary- ▁boulder- ▁crossfunctional- ▁determinant- ▁grubhub- ▁lvt- ▁morbidit- ▁substation- ▁unencumber- ▁infinite- ▁cgm- constantcurrency- ▁brussels- ▁conduit- ▁countermeasure- ▁courage- ▁distant- ▁fragile- ▁melanoma- ▁motivating- ▁repetitive- ▁rhetoric- ▁smoking- ▁walgreen- ▁gordon- ▁recliner- ▁noisy- ▁angola- ▁rebid- ▁mobiliz- focus- financial- profile- ▁barclay- ▁convincing- ▁disseminate- ▁gratified- ▁intimacy- ▁ovarian- ▁savanna- ▁sierra- ▁storytelling- ▁thrust- ▁babies- ▁lilly- ▁capsule- ▁limb- ▁prescribe- ▁scene- ruct- ▁accru- ▁virtu- driving- monetization- ▁jewel- ▁dedicating- ▁gartner- ▁glimpse- ▁nutshell- ▁unbundl- ▁upholstery- ▁advising- ▁cocoa- ▁athena- ▁confine- ▁unlever- ntelo- deductible- region- ▁elastic- ▁abrupt- ▁appropriation- ▁elderly- ▁encryption- ▁gentleman- ▁graham- ▁halves- ▁invisalign- ▁mcdonalds- ▁opportune- ▁potato- ▁unanimous- ▁vascepa- ▁vulnerability- ▁xerox- ▁horr- milligram- ▁reinvigorat- ▁activi- soft- ▁prototyp- ological- ▁consequent- public- figure- licensing- ▁adjudicat- ▁amphenol- ▁anadarko- ▁calibration- ▁concentrator- ▁denial- ▁displacing- ▁eclipse- ▁headache- ▁obesity- ▁scotland- ▁vigor- ▁welfare- ▁blessed- ▁telephon- ography- '010'- ▁accentuate- ▁cannibalize- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_en_bpe10000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.7distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_en_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 38061dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_en_bpe10000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_en_bpe10000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁our- ▁a- ▁is- ▁on- ▁for- ▁as- ▁are- ▁have- ▁you- ▁this- ▁with- ▁i- s- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ▁think- ▁what- ▁not- ▁some- ▁us- ▁by- ▁or- ▁about- ▁well- ▁new- ▁growth- ▁can- ▁which- ▁its- ▁do- ▁was- ▁very- ▁an- ▁there- ▁these- ▁also- ▁market- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- ▁just- ▁been- ▁has- ▁weve- ▁those- ▁over- ▁they- ▁if- ▁first- ▁time- ▁customers- ▁where- ▁into- ▁how- ▁like- ▁results- ▁out- ▁other- ▁really- ▁last- ▁their- ▁up- ▁expect- ▁one- ▁than- ▁your- ▁because- ▁look- ▁through- ▁when- ing- ▁any- ▁thats- ▁get- ▁call- ▁strong- ▁then- ▁sales- ▁good- ▁had- ▁second- ▁believe- ▁revenue- ▁company- ▁years- ▁performance- ▁product- ▁make- ▁lot- ▁much- ▁financial- ▁capital- ▁could- ▁both- ▁cost- ▁them- ▁terms- ▁future- ▁right- ▁dont- d- ▁impact- ▁forward- ▁next- ▁little- ed- ▁products- ▁want- ▁bit- ▁value- ▁customer- ▁work- ▁increase- ▁back- ▁number- ▁may- ▁take- ▁markets- ▁while- ▁higher- ▁end- ▁opportunities- ▁able- ▁half- ▁kind- ▁way- ▁during- ▁operating- ▁significant- ▁better- ▁most- ▁things- ▁cash- ▁know- ▁go- ▁still- ▁focus- ▁say- ▁statements- ▁part- ▁being- ▁im- ▁provide- ▁should- ▁point- ▁across- ▁lower- ▁made- ▁important- ▁opportunity- ▁2- ▁team- ▁theres- ▁third- ▁today- ▁need- ▁many- ▁rate- ▁line- ▁people- ▁fourth- ▁strategy- ▁looking- ▁down- ▁continued- ▁before- ▁no- ▁around- ▁youre- ▁level- ▁portfolio- ▁management- ▁working- ▁industry- ▁additional- ▁due- ▁price- ▁investment- ▁share- ▁thank- ▁great- ▁actually- ▁only- ▁even- ▁here- ▁give- ▁demand- ▁come- ▁seeing- ▁plan- ▁few- ▁costs- ▁progress- ▁overall- ▁further- ▁development- ▁same- ies- ▁service- ▁current- ▁different- ▁seen- ▁margin- ▁doing- ▁me- ▁services- ▁result- ▁technology- ▁coming- ▁data- ▁earnings- ▁change- ▁positive- ▁guidance- ▁key- ▁grow- ▁again- ▁drive- ▁start- ▁position- ▁process- ▁investments- ▁full- ly- ▁past- ▁forwardlooking- ▁3- ▁said- ▁high- ▁got- ▁did- ▁turn- ▁given- ▁within- ▁basis- ▁expected- ▁based- ▁increased- ▁who- ▁improve- ▁support- ▁sure- ▁my- ▁focused- ▁potential- ▁question- ▁environment- ▁pricing- ▁help- ▁sort- ▁businesses- ▁months- ▁large- ▁such- ▁making- ▁remain- ▁done- ▁maybe- ▁something- ▁production- ▁strategic- ▁information- ▁ability- ▁balance- ▁already- ▁platform- ▁program- ▁couple- ▁move- ▁side- ▁interest- ▁quarters- ▁best- ▁mentioned- ▁several- ▁talk- ▁operations- ▁each- ▁acquisition- ▁early- ▁expectations- ▁rates- ▁assets- ▁q- ▁changes- ▁put- ▁use- ▁feel- ▁pleased- y- ▁segment- ▁long- ▁experience- ▁certain- ▁tax- ▁period- ▁growing- ▁base- ▁including- ▁projects- ▁deliver- ▁place- ▁benefit- ▁ill- ▁continues- ▁improvement- ▁related- ▁commercial- ▁initiatives- ▁order- ▁companies- ▁areas- ▁activity- ▁driven- ▁factors- ▁margins- ▁model- ▁getting- ▁existing- ▁net- ▁levels- ▁big- ▁flow- ▁does- ▁income- ▁theyre- ▁term- ▁pretty- ▁after- ▁addition- ▁volume- ▁clients- ▁course- e- ▁capacity- ▁probably- ▁fact- ▁id- ▁thing- ▁might- ▁under- ▁build- ▁having- ▁day- ▁marketing- ▁mix- ▁always- ▁competitive- ▁risk- ▁global- ▁why- ▁release- ▁every- ▁prices- ▁actual- ▁solutions- ▁mean- ▁leverage- ▁quite- ▁project- ▁another- ▁saw- ▁brand- ▁yes- ▁top- ▁supply- ▁offset- ▁update- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁conference- ▁digital- ▁quality- ▁obviously- ▁between- ▁let- ▁efforts- ▁off- ▁todays- ▁shareholders- ▁area- ▁certainly- er- ▁far- ▁system- ▁prior- ▁building- ▁whether- ▁expenses- ▁group- ▁less- ▁credit- ▁world- ▁continuing- ▁trying- ▁real- ▁primarily- ▁operational- ▁understand- ▁amount- ▁retail- ▁questions- ▁success- ▁view- ▁low- ▁pipeline- ▁taking- ▁2017- ▁inventory- ▁range- ▁outlook- ▁consumer- ▁improved- ▁return- ▁ahead- ▁review- ▁companys- ▁revenues- ▁set- ▁major- ▁since- ▁fiscal- ▁risks- ▁expense- ▁profitability- ▁timing- ▁capabilities- ▁5- ▁partners- ▁materially- ▁increasing- ▁presentation- ▁4- ▁however- ▁benefits- ▁youve- ▁longterm- ▁confident- ▁ago- ▁hard- ▁2018- ▁increases- ▁acquisitions- ▁driving- ▁plans- ▁excited- ▁total- ▁expand- ▁own- n- ▁solid- ▁talked- ▁differ- ▁distribution- ▁china- ▁1- ▁particularly- t- ▁sheet- ▁consistent- ▁expansion- ▁stores- ▁approach- ▁invest- ▁space- ▁small- es- ▁keep- ▁asset- ▁bring- ▁compared- ▁structure- ▁debt- ▁sense- ▁programs- ▁patients- ▁numbers- ▁clear- ▁perspective- ▁improving- ▁versus- ▁needs- ▁add- ▁whats- ▁measures- ▁average- ▁10- ▁beginning- ▁close- ▁currently- ▁begin- ▁trends- ▁significantly- ▁care- al- ▁network- ▁2016- ▁open- ▁create- ▁points- ▁starting- ▁conditions- ▁please- ▁okay- ▁per- ▁together- ▁strength- ▁volumes- r- c- ▁energy- ▁scale- ▁specific- ▁decline- ▁anything- ▁brands- ▁throughout- ▁organization- ▁detail- ▁transaction- ▁execution- ▁towards- ▁contract- ▁run- ▁advantage- ▁profit- ▁remains- ▁include- ▁health- ▁gas- ▁tell- ▁systems- ▁larger- ▁greater- ▁efficiency- ▁material- ▁spend- ▁teams- ▁organic- ▁comments- ▁yet- ▁international- ▁uncertaint- ▁events- ▁store- ▁ongoing- ▁deal- ▁investors- ▁fully- ▁example- ▁longer- ▁cause- ▁control- ▁successful- ▁innovation- ▁returns- ▁power- ▁trend- m- ▁announced- ▁infrastructure- ▁everyone- ▁find- ▁once- ▁along- ▁discuss- ▁started- ▁europe- ▁oil- ▁talking- ▁recently- ▁reduce- ▁track- ▁difficult- ▁6- ▁later- ▁particular- ▁case- ▁achieve- ▁similar- ▁improvements- ▁allow- ▁lines- ▁momentum- ▁providing- ▁note- ▁become- ▁completed- ▁segments- ▁clearly- ▁press- ▁associated- ▁too- ▁try- ▁board- ▁guess- ▁activities- ▁discussed- ▁report- ▁beyond- ▁previously- ▁morning- ▁access- ▁manage- ▁impacted- ▁general- ▁confidence- ▁issues- ▁regarding- ▁equity- ▁remarks- ▁used- ▁meaningful- ▁anticipate- ▁decision- b- ▁offering- ▁adjusted- ▁sell- ▁against- ▁record- ▁delivering- ▁effect- ▁reduction- ▁launch- ▁economic- ▁offer- ▁positioned- ▁reason- ▁website- ▁money- ▁equipment- ▁using- ▁contracts- ▁subject- ▁finally- ▁pay- ▁items- ▁pressure- ▁integration- ▁cycle- ▁target- ▁slightly- g- ▁guys- ▁quickly- ▁although- ▁actions- ▁without- ▁selling- ▁leadership- ▁relative- ▁channel- ▁especially- ▁resources- ▁meet- a- ▁corporate- ▁construction- ▁comes- ▁re- ▁spending- ▁possible- ▁unique- ▁means- ▁manufacturing- k- ▁direct- in- ▁incremental- ▁remind- ▁facility- ▁percentage- ▁combination- ▁size- ▁online- ▁maintain- '1'- ▁details- ▁complete- ▁employees- ▁included- ▁execute- ▁front- ▁either- ▁taken- ▁multiple- ▁content- ▁local- ▁rest- ▁show- ▁ensure- o- ▁until- ▁thinking- ▁stock- ▁challenges- ▁transition- ▁annual- ▁job- ▁loan- ▁didnt- ▁various- ▁investing- ▁address- ▁color- ▁client- ▁whole- ▁free- ▁thanks- ▁type- ▁partner- ▁negative- ▁previous- ▁reflect- x- ▁wanted- ▁leading- ▁generate- ▁cloud- ▁exchange- ▁turning- ▁productivity- ▁month- ▁marketplace- ▁single- ▁relationships- ▁short- ▁regulatory- ▁public- ▁home- ▁attractive- ▁date- ▁stronger- ▁am- ▁bank- ▁solution- ▁ive- ▁issue- ▁happen- ▁deals- ▁largest- ▁committed- ▁consumers- ▁clinical- ▁thought- ▁ways- ▁goal- ▁discussion- ▁profitable- ▁despite- ▁sale- ▁relatively- ▁following- ▁delivered- ▁shift- ▁favorable- ▁anticipated- ▁savings- ▁likely- ▁life- ▁combined- ▁2019- ▁chain- ▁days- ▁youll- ▁transformation- ▁bottom- ▁provided- ▁underlying- ▁orders- ▁ebitda- ▁lead- ▁havent- ▁prepared- ▁cant- ▁delivery- ▁gives- '2'- ▁least- ▁nongaap- ▁serve- ▁highly- ▁though- ▁category- ▁comment- ▁government- able- ▁develop- ▁flexibility- ▁experienced- ▁moment- ▁closing- ▁generally- p- ▁respect- ▁portion- ▁dividend- ▁private- ▁built- ▁industrial- ▁majority- ▁quarterly- f- ▁entire- ▁agreement- ▁generation- ▁expanding- ▁hope- ▁18- ▁upon- ▁therefore- ▁everything- ▁specifically- ▁initial- ▁challenging- ▁effective- ▁provides- ▁efficient- ▁normal- ▁play- ▁situation- ▁accelerate- ▁currency- ▁flat- ▁- ▁doesnt- ▁property- ▁buy- ▁competitors- ▁season- ▁commitment- ▁strategies- ▁critical- ▁required- ▁answer- ▁country- ▁active- ▁un- ▁design- ▁competition- ▁step- ▁largely- ▁fair- ▁technologies- ▁12- ▁weeks- ers- ▁he- ▁hand- ▁lets- ▁software- ▁facilities- ▁pace- ▁near- ▁region- ▁state- ▁loss- ▁mobile- ▁securities- ▁final- ▁behind- l- ▁center- '4'- ▁smaller- ▁allows- ▁week- ▁extremely- re- ▁enhance- ▁insurance- ▁enough- ▁form- ▁his- ▁stable- ▁ourselves- ▁book- ▁came- ▁rather- ▁planning- ▁parts- ▁recovery- ▁safety- ▁reported- ▁ever- ▁happy- ▁makes- ▁sustainable- ▁includes- ▁times- ▁relationship- ▁unit- ▁patient- ▁sector- ▁accounts- ▁loans- ▁20- ▁away- ▁internal- ▁categories- ▁transactions- ▁enterprise- ▁reduced- ▁assumptions- ▁reach- ▁running- ▁wondering- ▁enable- ▁exactly- ▁contribution- ▁effort- ▁achieved- ▁estate- ▁account- ▁offerings- ▁metrics- or- ▁others- ▁gaap- ▁units- ▁above- ▁applications- ▁basically- ▁weather- ▁profile- ▁outside- '3'- ▁phase- ▁faster- ▁partially- ▁operate- ▁appropriate- ▁added- ▁discussions- ▁channels- ▁study- ▁accounting- ▁gain- ▁field- ▁reflects- ▁security- ▁efficienc- ▁decrease- ▁received- ▁seems- ▁exciting- ▁restructuring- ▁plant- ▁developing- ▁directly- ▁changed- ▁took- ▁middle- ▁consider- ▁investor- ▁ultimately- ▁integrated- ▁footprint- ▁platforms- ▁reasons- ▁shareholder- ▁changing- ▁adding- ▁joining- ▁decisions- ▁statement- ▁traffic- ▁community- ▁drivers- ▁typically- ▁ratio- ▁fleet- ▁premium- ▁substantial- ▁win- ▁capability- ▁january- ▁robust- ▁gains- ▁managing- ▁fund- ▁media- ▁creating- ▁options- ▁healthy- ▁17- ▁december- ▁tend- ▁8- ▁expectation- ▁purchase- ▁national- ▁almost- ▁processes- ▁news- ▁advertising- ▁importantly- ▁happening- w- ▁labor- ▁disconnect- ▁potentially- ▁natural- ation- ▁primary- ▁backlog- i- ▁understanding- ▁executing- ▁nature- ▁yield- ▁forecast- ▁water- ▁traditional- ▁food- ▁saying- ▁office- ▁meeting- ▁7- ▁bringing- ▁driver- ▁optimistic- ▁filings- ▁9- ▁planned- ▁limited- ▁excellent- ▁putting- ▁highlights- ▁mind- ▁effectively- ▁comfortable- ▁historical- ▁found- ▁needed- ▁cases- ▁march- ▁goes- ▁necessary- ▁research- ▁ask- ▁visibility- ▁targets- ▁million- ▁proud- ▁liquidity- ▁funding- ▁refer- ▁trade- ▁disciplined- ▁speak- ▁countries- ▁headwind- ▁main- ▁losses- ▁regions- ▁else- ▁comparable- ▁encouraged- ▁standpoint- ▁bigger- ▁land- ▁wouldnt- ▁15- ▁commission- ▁non- ▁recognize- ▁volatility- ▁launched- ▁page- ▁june- ▁financing- ▁maintenance- ▁never- ▁members- ▁september- ▁response- ▁extent- ▁remaining- ▁expanded- ▁obligation- ▁difference- ▁types- ▁approximately- ▁fixed- ▁late- ▁focusing- ▁asia- ▁utilization- ra- ▁takes- ▁path- ▁completion- ▁broader- ▁detailed- ▁perhaps- ▁test- ▁sold- ▁reducing- 'on'- ▁theyve- ▁economy- ▁properties- ▁ready- ▁30- ▁tremendous- ▁intend- ▁stay- ▁dollars- ▁operation- ▁partnership- ▁below- ▁direction- ▁medical- ▁fees- ion- ▁led- ▁acquired- ▁locations- ▁remainder- ▁gross- ▁capex- ▁ramp- ▁tools- ▁reflected- ▁went- co- ▁nice- ▁highlight- ▁individual- ▁engagement- ▁allocation- ▁simply- ▁legacy- ▁conversion- ▁2015- ▁biggest- ▁fairly- ▁stage- ▁successfully- ▁flows- ▁highest- ch- ▁increasingly- ▁inflation- ▁optimize- ▁fuel- ▁closely- ▁interesting- ▁shows- ▁broad- ▁history- ▁wont- ▁summary- ▁buying- ▁light- ▁requirements- ▁historically- ▁reporting- ▁commodity- ▁foundation- ▁force- ▁live- ▁pre- ▁shares- ▁opening- ▁necessarily- ▁somewhat- ▁giving- ▁goals- ▁outstanding- ▁drilling- ▁priority- ▁reconciliation- ▁19- ▁standard- ▁attention- ar- v- ▁talent- ▁periods- ▁remember- ▁dollar- ▁maintaining- ▁appreciate- th- ity- ▁expecting- ▁event- ▁mainly- ▁steps- ▁looks- ▁european- ▁trial- ▁closed- ▁factor- ▁proposition- ▁expertise- ▁capture- ▁funds- ▁exposure- ▁ones- le- ▁innovative- ▁paid- ▁b- ▁prospects- ▁hit- ▁cover- ▁present- ▁operator- ▁implementation- ▁materials- ▁itself- ▁everybody- ▁regard- ▁component- ic- ▁compensation- ▁role- ▁centers- ▁learning- ▁payments- ▁testing- ▁canada- ▁16- ▁south- ▁domestic- ▁developed- ▁approval- ▁definitely- ▁adoption- ▁priorities- ▁treatment- ▁lease- ▁true- ▁initiative- ▁safe- ▁foreign- ▁leader- ▁nothing- ▁piece- ▁policy- ▁analysis- ▁october- ▁april- ▁challenge- ▁banking- ▁created- ▁matter- ▁g- ▁realize- ▁strengthen- ▁franchise- ▁targeted- ▁noted- ▁advanced- ▁worked- ▁happened- ▁culture- ▁produce- ▁undertake- ▁application- ▁positions- ▁assume- ▁sec- to- ▁payment- ▁site- ▁resulting- ▁hold- ▁actively- ▁calls- ▁among- ▁described- ▁impacts- ▁resulted- ▁presence- ▁regional- ▁aggressive- ▁summer- ▁additionally- ▁emerging- ▁steady- ▁fall- ▁banks- ▁training- ▁context- us- ization- ▁helping- ▁retailers- ▁discipline- ▁dynamics- ▁models- ▁seasonal- ▁july- ▁mortgage- ▁road- ▁trading- ▁managed- ▁conclude- ▁designed- ▁generated- ▁huge- ▁relates- ▁leveraging- ▁players- ▁upside- ▁modest- ur- ▁coverage- ▁deposit- ▁reform- ▁car- ▁participation- ▁synerg- ▁becoming- ▁brazil- ▁idea- ▁follow- ▁evaluate- ▁speed- ▁otherwise- ▁developments- ▁f- ▁vision- ▁invested- ▁analytics- based- st- ▁absolutely- ▁de- en- ▁dynamic- ▁act- ▁complex- ▁heard- ▁implemented- it- ▁perform- ▁comp- ri- ▁yearoveryear- ▁50- ▁pursue- ▁gone- ▁wed- ▁measure- li- ▁federal- ▁room- ▁finance- ▁special- ▁providers- ▁schedule- ▁action- ▁relevant- h- ▁joint- ▁affected- ▁recognized- il- ▁effects- ▁story- ▁moved- ▁variety- ▁reminder- ▁wells- ▁reasonable- ▁adjustments- ▁helpful- ▁november- ▁reflecting- ▁must- ▁soon- ▁specialty- ▁reductions- ▁push- ▁technical- ▁enhanced- as- ▁s- ▁objectives- ▁generating- rs- ▁deep- ▁essentially- ▁source- ▁renewal- ▁compete- ▁states- ▁issued- ▁division- ▁often- ▁communities- ▁senior- ▁represents- ▁closer- ▁c- ▁advance- ▁face- ▁co- ▁demonstrate- ▁happens- ▁february- ▁performing- ▁fee- ▁users- ne- ▁decided- ▁easier- ▁america- ▁uncertainty- ▁read- ▁hear- ▁partnerships- z- ▁began- ▁california- ▁identified- ▁function- ▁east- ▁fast- ▁components- ▁engineering- ▁bookings- ta- ▁looked- ▁sites- ▁recognition- ▁fit- ▁york- year- ▁interested- ▁affect- ▁slow- ▁easy- q- ▁outcomes- ment- ▁identify- ▁independent- ▁cannot- ▁d- ▁stated- ▁pick- ▁represent- ▁established- ro- ▁drug- ▁operators- ▁underwriting- an- ▁consolidation- ▁common- ▁budget- ▁agreements- ▁video- ▁city- ▁helped- ▁smart- ▁consistently- ▁paying- ▁maximize- ▁excess- ▁achieving- ▁left- ▁frankly- ▁wins- ▁west- ▁provider- u- ▁repurchase- ▁estimate- ▁firm- ▁thoughts- ▁require- ▁compelling- ▁ground- ▁predict- ▁groups- ▁automotive- ▁raw- ▁aware- ▁double- ▁e- ▁penetration- com- ▁shown- ▁projections- ▁allowed- ▁mexico- ▁plants- ▁capitalize- ive- ▁t- ▁quick- ▁mark- ▁indicated- ▁toward- ▁presented- ▁transportation- ▁prudent- ▁roll- ▁law- ▁depending- ▁devices- ▁rapidly- ▁brought- ▁deploy- ▁supported- ▁touch- ▁folks- ▁encouraging- ▁demonstrated- ▁professional- ▁sequential- ▁recorded- ▁august- ▁outcome- ▁differentiated- ▁game- ▁degree- ▁accelerated- ▁residential- ▁auto- ▁filed- ▁occur- ▁rental- ▁receive- ▁curious- ▁grew- ▁seasonality- ▁welcome- ▁holiday- ▁extend- ▁considered- ▁deployment- ▁r- ▁showing- ▁problem- ▁substantially- ness- ▁excellence- ▁leasing- ▁suppliers- ▁option- ▁count- ▁concludes- ▁recover- ▁central- ▁drop- ▁elements- ▁remained- ▁lending- ▁consolidated- ▁conservative- ▁realized- ▁japan- ▁estimates- ▁dedicated- ▁retention- ▁canadian- ▁positioning- ▁spent- ▁correct- ma- ▁spot- ▁walk- ▁objective- ▁figure- ▁legal- ▁gets- ▁tough- ▁pro- ▁excluding- ▁supporting- ▁involved- ▁table- ▁sometimes- ▁leaders- ▁shared- ▁promotional- ▁nearly- ▁plus- ▁benefited- ▁claims- ▁feedback- ▁contributed- ▁comprehensive- ▁felt- ▁license- ▁rent- ▁subscription- ▁o- ▁truly- ▁processing- is- el- ▁section- ▁post- ▁choice- ▁wholesale- ▁contribute- ▁social- ▁card- ▁speaking- ▁involve- ▁chinese- ▁original- ▁taxes- ▁deposits- ▁whatever- ▁personal- ▁stuff- ▁spread- ▁vehicle- ▁traction- ▁external- ▁economics- ▁declines- ▁recall- la- ▁raise- ▁signed- ▁john- ▁isnt- ▁projected- ▁mike- ▁population- ▁macro- ▁aggressively- ▁proven- ▁availability- ter- ▁themselves- ▁allowing- ve- ▁seem- ▁geographic- ▁india- ▁staff- ▁creation- ▁recurring- ▁list- ▁optimization- ▁implement- ▁gave- ▁stages- ▁hopefully- ▁two- os- ▁north- ▁digits- ▁commentary- ▁internally- ▁studies- ▁updated- ▁conversations- ▁helps- ent- ▁afternoon- ▁financials- te- ▁enter- na- ▁announcement- ▁bill- ▁deferred- ▁respond- ▁collaboration- ▁location- ▁secure- ▁features- ▁known- ▁held- ▁picture- ▁acquire- ▁texas- ▁charge- ▁mostly- ▁engaged- ▁adjust- ▁air- ▁works- ▁finding- ate- ▁n- ▁fundamentals- ▁mid- ▁strengthening- ▁p- ▁explain- ▁name- ▁ladies- ▁posted- ▁completely- ▁storage- ▁shipments- up- ▁venture- ▁overview- ▁practices- ul- ▁user- ▁dividends- ▁pull- ▁accelerating- ▁efficiently- ▁keeping- ▁gentlemen- ▁housing- ▁globally- ▁mention- ▁lost- ▁called- ▁participating- ▁resource- ▁40- ▁sources- ▁meaning- ▁11- ▁spring- ▁worth- ▁ecommerce- ▁old- '00'- ▁slower- ▁alternative- ▁minutes- ▁indication- ▁constant- ▁slides- related- ▁manner- ▁trust- ▁performed- ▁calendar- ▁considering- ▁expressed- ▁journey- ▁standards- ▁contain- ▁frame- ▁reserve- est- ▁h- ▁signs- ▁compliance- ▁evaluating- ▁engage- ▁valuable- ▁element- ▁industries- ▁announce- ▁peak- ▁commitments- ▁merger- ▁peers- ▁awareness- ▁pressures- ▁strongly- ▁k- ▁con- ▁introduced- ▁enhancement- ry- ▁places- ▁launches- ia- ▁extended- ▁monitor- ▁proceeds- ▁assuming- de- ▁evolution- ▁offers- ▁upcoming- ▁superior- ▁contained- ▁contributions- ▁encourage- ▁vehicles- ▁profits- ▁evidence- ▁sharing- ▁forth- ▁comparison- ▁her- ▁pass- ▁bad- ▁multi- ▁pursuing- ▁chart- ▁provision- ▁wind- go- ▁parties- ▁networks- ▁acceleration- ▁charges- ▁broadly- ▁mining- ▁family- ▁organizations- ▁class- ▁shipping- ▁thus- ▁holding- ▁disease- ▁sign- ▁wait- ▁diversified- age- ▁stability- ▁connected- ▁starts- ▁american- ▁100- ▁break- ▁participate- ▁shopping- out- ally- ▁becomes- ▁balanced- ▁device- ▁disclosure- ce- ▁rising- ▁highlighted- ▁implementing- ▁ended- ▁reports- ▁hospital- ▁automation- ▁opposed- ▁enhancing- ▁separate- ▁willing- ▁asked- ▁shape- ▁concluded- ▁executed- ▁simple- ▁lots- ▁examples- ▁circumstances- ▁item- ▁knowledge- ▁words- ▁managers- ▁winter- ▁series- ▁geographi- ▁vertical- ▁matters- ▁wide- ant- ▁inside- ▁insight- ▁mine- ▁attract- ▁enables- ▁physicians- ▁roughly- ▁steel- ▁discussing- ▁heavy- ▁targeting- ▁publicly- ▁executive- ▁wasnt- ▁protection- ▁logistics- ▁internet- ▁exceptional- ▁concerned- ▁landscape- ▁engine- ▁aircraft- ▁slight- ▁weakness- ▁aspects- ▁yearend- se- ▁seek- ▁conclusion- um- ▁utility- ▁ownership- ▁integrate- ts- ▁search- ▁valuation- ▁structural- ▁reserves- ol- ton- ▁winning- at- ▁14- ▁approved- ▁chance- ▁curve- ▁loyalty- ▁evolving- ▁fundamental- ▁arent- ▁opened- ▁protect- ▁brief- ▁aligned- ▁agency- ▁negatively- ▁continuous- ▁enabling- ca- ▁she- ▁values- ▁travel- ▁subsequent- ▁variable- ▁label- ▁strategically- ▁rapid- ▁practice- ▁drove- ▁love- ▁begun- ▁australia- ▁views- ▁campaign- ▁typical- ▁ship- ▁connect- ▁education- ▁litigation- ▁employee- ▁importance- ti- ▁met- ▁coast- ▁origination- ▁rolling- ▁fashion- ▁officer- ▁yesterday- ▁germany- ▁13- ▁rigs- ▁trajectory- ▁mature- ▁60- ▁sounds- ▁learn- ▁mo- ▁mitigate- ▁reality- ▁secondly- ▁inventories- ▁yields- ▁deeper- ▁cautious- ▁floor- ting- ▁department- ▁mission- ▁florida- ▁carry- ▁et- ▁evolve- ▁flexible- ▁adjustment- ▁implied- ▁weak- ▁owners- ▁sustained- ▁movement- ▁repeat- ▁absolute- ▁lack- ▁harbor- ▁unless- ▁pieces- ▁updates- ▁western- ▁consecutive- ▁hearing- ▁restaurant- ▁caused- ▁replacement- lo- ▁occupancy- ▁bar- ▁rig- ▁opportunistic- ▁hotel- ▁steve- ▁determine- ▁latin- ▁freight- ▁cut- ▁exit- ▁enabled- ▁moderate- ▁agencies- ▁assortment- ▁finish- ating- ▁david- ▁paper- ▁reached- ▁sufficient- ▁underway- ▁therapy- ▁app- ▁vast- ▁sectors- ▁diversification- ▁setting- ▁leases- ▁gap- ▁stand- ▁replay- ▁except- ▁clarity- ▁utilize- ▁impacting- ▁brings- ▁rise- ▁export- ▁tool- ▁j- ▁heavily- ized- ▁human- ▁incentive- ▁outlined- ▁extra- ▁experiencing- ▁regards- ▁compare- ▁stakeholders- ▁physical- ▁cycles- ▁daily- ▁restaurants- ▁gotten- ▁retain- ▁oem- ▁imagine- ▁machine- ▁reimbursement- ▁trials- ▁environmental- ▁cancer- ▁optimiz- ▁figures- ▁x- ▁problems- ▁watch- ▁consumption- ▁depreciation- ▁dramatically- me- ▁latest- ▁2020- ▁insights- ▁provisions- ▁disruption- ▁st- va- ▁experiences- ▁wish- tic- ▁asking- ▁ex- ▁weaker- ▁consideration- ▁contributing- ▁clean- ▁collection- ▁shortterm- ▁discount- ▁entered- ▁chief- ▁returning- ▁guests- ▁upgrade- ▁depends- ▁choose- ▁framework- mo- ▁exceeded- ▁usage- ▁hiring- ▁sub- ▁introduce- ▁president- ▁apply- ▁carefully- ▁declined- ▁sequentially- ▁ma- ▁guide- ▁electric- et- ▁reference- ▁expenditures- ▁producing- ▁fresh- ▁communications- ▁managements- ▁occurred- line- ▁instead- ▁stream- ▁immediately- ▁v- ▁productive- ▁usually- ▁gold- ▁packaging- ba- ▁temporary- ▁downturn- ▁attributable- ▁communication- ▁settlement- ▁convert- ▁advantages- ▁coal- ▁grown- ▁requires- ▁connection- ▁ensuring- ▁originally- ▁cap- ▁shortly- ac- ▁gaining- ▁box- vi- ▁fill- ▁amounts- ▁se- ▁shop- ▁scope- ▁institutional- ▁complexity- ▁serving- ▁condition- ▁webcast- ▁ad- ▁medium- 'no'- ▁hasnt- am- ▁shifting- ▁homes- ▁bo- ▁handle- ▁powerful- ad- ize- ▁doubledigit- ▁rules- ▁introduction- ▁diverse- ▁leads- ▁supplier- ▁launching- ▁90- izing- ▁concept- ▁wealth- ▁behavior- ▁political- ▁wireless- ▁initially- ▁transfer- ▁delay- ▁balances- ex- ▁sit- ▁leave- ▁distributors- ▁manufacturers- ▁africa- ▁metric- ▁cars- ▁audience- ▁purpose- ▁hotels- ability- ▁monitoring- ▁followed- ▁attending- ▁carriers- ▁soft- ▁numerous- ▁transform- ▁tenants- ▁hedge- ▁alternatives- ▁street- ▁reliability- ▁ecosystem- ▁youd- ▁briefly- ▁moves- ▁hardware- ▁satisfaction- ▁w- ▁usual- ▁associates- ▁administration- ▁strongest- ▁elevated- ▁pension- ▁creates- ▁intelligence- ▁basin- ▁concern- ▁learned- ated- ▁proprietary- ▁merchandise- ▁laid- ▁addressing- ▁busy- con- ▁revise- ▁fewer- ▁jim- ▁dealers- ▁differences- ▁duration- ary- ▁scheduled- mi- ▁indications- ▁express- ▁fiber- ▁him- ▁vendors- ▁produced- ▁buyers- ▁hospitals- ▁caution- ▁message- ▁m- ▁agents- ▁extensive- ck- ▁theyll- ▁decide- ▁proportion- sh- ▁waiting- ▁feeling- ▁contact- ▁pilot- ▁installed- ▁facing- ▁minimum- ▁hours- ▁tariffs- ▁phone- ▁select- ▁decreased- ▁milestones- ▁normally- ▁sa- ▁reiterate- ▁positively- ▁package- ▁multiyear- ▁dependent- ▁deployed- ▁declining- ▁portfolios- ▁awards- ▁supplemental- ▁careful- ▁showed- ▁decade- ▁reinvest- ▁dedication- ▁regular- ▁match- ▁intended- ▁ramping- ▁secured- ▁personnel- id- ▁emphasis- ▁normalized- ▁vi- ▁immediate- ▁concerns- ▁americas- ▁negotiations- ▁cetera- ▁magnitude- ▁accretive- ▁house- ▁defense- ▁assessment- ▁delays- ▁depend- ▁via- ▁told- ▁somebody- ge- ine- ▁constantly- ▁policies- ▁stop- ▁assess- ▁extension- ▁covered- po- ▁tight- ▁align- ▁france- ▁lowest- ▁bought- ▁nicely- sa- ▁differentiate- ▁progressing- ▁quantify- ▁turnaround- ▁demonstrates- ▁deliveries- ▁enrollment- ▁map- ph- ▁prove- ▁purchases- ▁purchasing- ▁divisions- man- ▁suggest- ▁playing- ▁25- son- ▁court- ▁conversation- ▁heart- ▁super- ▁establish- ▁released- ▁lives- ▁adapt- ▁maintained- ▁liability- ▁agree- ▁benefiting- ▁students- im- ▁useful- ▁bid- ▁creative- ▁sand- ▁truck- ▁kinds- ▁puts- ▁solar- ▁competitor- ▁organizational- ▁incredibly- ▁werent- ▁player- ▁licensing- ▁topic- ▁tracking- ▁draw- ▁supplement- ▁volatile- ▁functions- ▁delayed- ▁crude- ▁explore- ▁aspect- ▁plays- ▁spectrum- ▁defined- ▁expensive- ▁hoping- ▁preferred- ▁rolled- ▁placed- ▁amortization- ▁relating- nt- ▁nearterm- ▁fire- ▁possibly- ors- ▁suite- ▁goods- ▁finished- ▁highquality- ▁status- ▁healthcare- ▁aim- ▁desire- ▁bulk- ▁longerterm- ▁embedded- ▁possibility- ▁drives- ▁concerning- ▁migration- ▁pacific- ▁emphasize- ▁describe- ▁assumption- ▁sourcing- ▁outperform- op- mp- ▁exceed- ▁simplify- ▁turned- ▁evaluation- ▁di- ▁drag- ▁completing- ▁sports- ▁tried- ▁pattern- ▁offshore- ▁lag- ▁tied- ▁organically- ▁participants- ▁consulting- ▁person- ▁breadth- ▁determined- ▁exploration- ▁slowdown- ▁comps- ▁sustain- ▁appear- ▁integrating- ms- ▁responsible- ▁promotions- ▁green- ▁replace- ▁aggregate- ▁solve- ▁wage- ▁scenario- ▁indicators- ▁depth- ▁milestone- ▁updating- ▁exact- ▁branch- ▁intent- ▁buyback- ▁surprised- pa- ▁pu- ▁pushing- ▁comparisons- ▁unusual- ▁drill- ▁dealing- ▁thirdparty- ▁incurred- ▁opinion- ▁regulations- ▁inter- ▁eye- ▁according- ▁utilities- ▁science- ▁impressive- ▁sets- ▁differently- ▁ideas- ▁hurricane- ▁tech- ian- ▁belief- ▁jobs- ▁criteria- ▁patterns- ▁games- ▁spreads- ▁filing- ▁cross- ▁accomplished- ▁unfavorable- ▁percent- ke- ▁en- ish- ▁churn- ▁houston- ▁split- ▁l- ▁buildings- ▁file- ▁accordingly- ▁seeking- ▁overhead- ci- ▁mass- ▁transparency- ▁head- ▁sustainability- ▁weighted- ▁contributor- ▁join- ▁unchange- ▁chris- ▁regulation- ▁institutions- ▁fx- ▁member- ▁bridge- ▁purposes- ▁lose- ▁age- ▁stress- ▁estimated- ▁mill- ▁couldnt- gen- ▁entering- ▁appears- ▁80- bo- ▁lift- per- ▁analysts- ▁guest- ▁partly- ▁acquiring- ▁reliable- ▁structures- tr- ▁resolution- ▁jeff- ▁northern- ▁applied- ▁laws- ▁selective- ▁southern- ▁followup- ▁sound- ▁retirement- ▁located- ▁monthly- em- ▁accomplish- vo- ▁verticals- ▁softness- ▁minimal- ▁living- ▁someone- ▁edge- ▁summarize- om- ▁square- ▁enjoy- ▁complement- ▁easily- ▁eventually- ▁impairment- ▁plenty- ▁em- ▁itll- ▁revised- ▁raising- ▁le- ▁switch- ▁fda- ll- ▁administrative- ▁functionality- ▁disclosed- ▁producers- ▁ceo- ▁entirely- da- ▁pure- ▁earn- ▁written- ▁newer- ▁diversity- ▁influence- ▁regulators- ▁notice- ▁ro- ▁thoughtful- time- ▁effectiveness- ▁rating- ▁prepare- ▁connectivity- ▁considerable- ▁rollout- ▁minute- ▁confirm- ▁globe- end- ▁tom- ▁intention- ▁pool- ▁dis- ▁stabilize- ▁colleagues- ▁servicing- ▁frequency- ▁rail- ▁introducing- ▁stack- ▁input- ▁index- ▁sitting- ▁maturity- ▁offsetting- ▁regardless- ▁doubt- ▁rule- ▁perfect- ted- ring- ▁cell- ▁adjusting- ▁approvals- ▁print- ▁newly- ▁borrowing- ▁capable- ▁manager- ▁books- ▁seasonally- ▁prime- ▁acreage- ▁factory- ▁diversify- ▁thousands- ▁indeed- ▁avoid- ▁hybrid- ▁entertainment- ▁dan- ▁owned- ▁tenant- ▁display- tion- ▁published- ▁0- ▁talented- ▁eps- ▁refinancing- ▁transmission- ▁repair- ▁knew- di- ▁upper- ▁reviewing- ▁proposed- ▁waste- ▁treat- ▁star- back- ▁retailer- ps- ▁characterize- ▁won- ▁round- ▁nor- ▁firms- ▁bear- ▁anybody- ▁deploying- ▁communicate- ▁older- ▁dramatic- ▁lean- ▁cable- ▁onetime- ▁incredible- ▁exception- ▁exclude- ▁seamless- ▁modeling- ous- ▁amazon- ▁utilizing- ▁wave- ▁tv- ▁wonderful- ▁dialogue- ▁skills- ▁specifics- ▁demonstrating- ▁reinsurance- ▁bio- be- ▁promotion- ▁legislation- ▁michael- ▁levers- ▁spoke- ▁millions- ▁scott- ▁indicator- ▁check- ▁synergy- ▁ratios- ▁horizon- ▁engaging- ▁entry- ▁70- ▁innovations- ▁concentration- ▁san- ▁reflection- ▁voice- ▁feature- ▁length- ▁damage- bi- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁latter- ▁preparing- ▁menu- do- ▁streams- ▁candidates- ▁unfortunately- ot- ▁cities- ance- ▁referring- ▁facts- ▁headcount- ator- ▁committee- ▁dealer- ▁advisory- ▁fundamentally- ▁mr- ▁vessels- ha- ho- ▁continuously- ▁limit- ▁equal- ▁permian- ▁massive- ▁exist- ▁basic- ▁assist- ▁hands- ▁load- ▁translate- ▁micro- ▁worlds- ▁measured- ▁offices- ▁formal- ▁movements- ▁facilitate- ▁essential- ▁red- ▁installation- ▁gulf- j- ▁documents- ▁gaming- ▁procurement- ▁procedures- ▁heading- ▁incentives- ▁al- ▁competing- ▁fantastic- ▁dave- ▁bob- ▁appropriately- ▁greatest- ▁op- pe- ▁ca- ▁merchandising- ▁branches- ▁reaching- ▁advertisers- ▁ultimate- ▁electronic- ▁communicated- ▁night- ▁award- ▁beliefs- market- ▁block- ▁electronics- ▁exercise- ▁selected- ▁payers- ▁distributor- ▁physician- ▁fine- ▁web- ▁selection- ▁hundreds- ▁purchased- ▁uptick- ▁analyst- ▁dry- ▁none- ▁vary- he- nd- ▁door- ▁mode- ▁challenged- ▁modestly- ▁became- ▁faced- ▁adverse- ▁credits- ▁receiving- ▁park- ▁exclusive- ▁assurance- ▁recognizing- ▁proactive- ▁ho- ▁equally- bs- ▁campaigns- ▁hes- ▁extraordinary- ▁disposition- ▁promising- ▁affordable- ▁listening- ist- ▁jump- ▁achievements- ▁strengths- ▁terrific- ▁cadence- ▁combine- ▁succeed- ▁liabilities- ▁vendor- ▁harder- ▁save- ▁notable- ▁strengthened- ▁worldwide- ▁rich- ▁collections- ▁controls- ▁claim- ▁relate- ▁elaborate- ▁medicare- ▁wrong- ▁tests- ▁bunch- ▁disposal- ▁upfront- ▁staffing- ▁carrier- ▁extending- ▁promote- ▁responsibility- ig- ▁accurate- ▁lenders- ▁continually- ▁uses- ▁modern- ▁receivables- '9'- ▁ip- ▁rents- ▁euro- ▁surprise- ▁professionals- ▁served- ▁metal- ling- ▁predictable- ▁navigate- ▁bond- ▁initiated- ▁fed- ▁inform- ▁u- ▁pe- ▁advancing- ▁train- ect- ▁explained- ▁raised- net- ▁paul- one- ▁meetings- ▁grade- ▁uniquely- ▁blue- ▁tri- ▁agenda- ▁worse- ▁wants- ▁kick- ▁dose- ▁offered- ▁collect- ▁listen- ▁pain- ▁compression- ▁request- ▁beneficial- ▁convenience- ▁behalf- ▁rights- ▁individuals- ▁hedging- ▁sophisticated- ▁comfort- ▁anyone- ▁rebound- ▁preliminary- ▁environments- ▁format- ▁internationally- ▁anticipating- ▁innovate- ▁runway- ▁joined- ▁secondary- less- ▁realizing- ▁reset- ill- ▁announcements- ▁guarantees- land- ▁feed- ▁supports- ▁el- ▁es- ▁wrap- ▁consistency- ▁releases- ▁funded- ▁understood- ▁surface- ▁brian- ▁sea- ▁satisfied- ▁aerospace- ▁uncertain- ▁continuation- ▁acceptance- ▁sp- ▁minimize- ▁pending- ▁pharmaceutical- ▁principles- ▁branded- ▁black- ▁geography- ▁rock- ▁sellers- ▁affecting- ▁li- ▁indicate- ▁link- ▁agent- ng- ▁preparation- ▁discovery- ▁appeal- ▁efficacy- ▁architecture- ▁eliminate- ▁advisers- pro- ▁party- ▁occurring- ▁evident- ▁translation- ▁z- ▁telling- ▁stick- ▁excitement- ▁aftermarket- ▁lu- ▁identifying- ip- lu- ▁somewhere- ▁constraints- ▁drugs- month- ▁pushed- ▁watching- ▁characteristics- ▁equation- ▁bright- ▁picking- ▁alignment- ▁situations- ▁permanent- ▁anywhere- ▁conjunction- ▁fix- ut- ▁renewable- ▁london- ▁ne- ▁promise- ▁favor- ▁distributed- ▁analyze- ▁ebit- ▁optimal- ▁linked- ▁optimism- ▁obvious- ▁hopeful- ▁earning- ▁clarify- ful- ▁diligently- ▁respective- ▁visit- ▁broadcast- ▁fluctuations- ▁shifts- ▁marine- ▁agreed- ▁reverse- ▁pi- ▁noise- ▁contains- ▁trucks- ▁virtually- ▁divestiture- ▁reputation- over- ga- ▁cards- ▁hire- ▁constitute- und- ▁patent- ▁wood- ▁contracted- ▁pickup- ▁word- ▁interim- ▁requirement- ir- ▁slowing- ▁three- ▁assumes- ▁yeartodate- ▁eastern- ▁custom- ▁reliance- ▁joe- ▁feet- ▁enormous- ▁signing- ▁prefer- ▁families- ▁pipe- ▁openings- ▁ed- ea- ence- ▁notably- ▁currencies- ty- ▁define- ▁competitiveness- ▁liquid- ▁complicated- pi- ure- ▁booking- ▁represented- ▁stabilized- ▁variabilit- ▁rely- ▁disclose- ▁background- ver- ▁catch- ▁transparent- ▁deck- ▁gen- ▁alone- ▁exceeding- ▁ci- ▁calculation- ▁maximizing- ▁guarantee- ▁decades- tax- ▁school- ▁accomplishments- ▁burn- ▁nuclear- ▁notes- ▁unlock- ▁additions- ▁structured- ▁shorter- ▁appetite- ▁refine- ag- ▁consolidate- ▁philosophy- ▁instance- ▁hot- ▁television- ▁corresponding- ▁midpoint- ▁mixed- ▁sc- ▁unknown- ▁24- ▁staying- ard- ▁qualified- ▁relation- ▁hurricanes- ▁man- ▁ra- ▁smooth- ▁startup- ▁grid- ▁former- ris- ▁renewed- ▁personally- ▁accepted- ions- ▁gained- ▁terminal- ▁upgrades- ▁familiar- ▁la- ▁experts- cl- ▁commissions- ▁recruiting- ▁cat- ▁ticket- ▁virtual- ▁obligations- of- ▁sorry- ▁partnering- ▁corporation- ▁student- ▁opex- ▁complementary- ▁na- ▁memory- ▁method- ▁prospective- ▁gradually- ▁classes- un- ▁realization- ls- ▁prevent- ▁allocate- ▁exploring- '7'- ▁white- ▁formula- ▁lock- ▁passed- ▁proceed- ▁bidding- gu- ▁audit- ▁contractual- ▁closure- ▁addressed- ▁career- ▁macroeconomic- ▁math- hi- tro- ▁matt- ▁reaction- ▁straight- ▁appreciation- ▁carbon- ▁tangible- ▁inherent- ▁neutral- ▁election- ▁representing- ▁guided- ▁engines- ▁onto- gs- ▁entity- ▁beverage- ▁gathering- ys- gi- ▁self- ▁fronts- ▁language- ▁choices- ins- ▁vice- ▁franchisees- ▁fluid- ▁premiums- ▁stabilization- ▁financially- ▁rampup- ▁ta- ▁designs- ▁rob- ▁covenant- ▁kevin- ▁demands- ▁disclaim- ▁royalty- ▁burden- cs- ▁tim- ▁progression- ▁awarded- ▁softer- ▁weight- ▁forecasting- ▁adjacent- '8'- port- '6'- ven- ▁enterprises- ▁priced- ▁inflection- ▁generic- ▁picked- ▁noncash- ▁urban- ▁window- ▁refining- ▁sensitive- ▁version- ▁ri- ▁funnel- ▁chemical- ▁buyer- ▁adds- ▁code- ▁budgets- ▁sentiment- ▁reasonably- ▁converting- ab- ▁amazing- ping- mer- ▁constructive- ▁shouldnt- ▁wider- ▁booked- ▁timely- ▁mechanism- ▁pharma- ▁broaden- ▁reps- ▁proactively- ▁recycling- ▁subscribers- ▁downward- ▁ranges- ▁answers- ▁200- ▁gr- ier- ▁earned- ▁transport- ▁charter- ▁testament- ▁operated- ▁ni- '5'- ▁firmly- ial- ▁host- ▁developers- ▁animal- ▁russia- ▁pack- ▁boost- ▁arise- ▁meant- ▁sight- ▁frac- ▁refresh- ▁lay- ▁2014- ▁diligence- ▁referred- ie- ▁premier- ▁lowering- ▁fy- ▁row- ber- sp- ▁storm- ▁da- ▁totally- ▁wonder- ▁proposal- ▁barrels- ▁letter- ▁trending- tt- ▁indicative- ▁flex- ▁supportive- ▁acknowledge- ▁whilst- ▁shifted- ▁motor- ▁severe- ▁master- ▁traditionally- ▁downstream- ▁standing- ▁returned- red- ru- ▁definition- ▁shelf- ner- ▁heat- ▁consequence- ▁capturing- ▁registration- ▁achievement- ▁naturally- io- day- ▁pointed- ▁pa- ▁cyclical- ▁signal- ▁marked- ▁upward- ▁steadily- ▁react- ▁artificial- ▁applicable- ▁valueadded- ▁treated- ▁resilient- ny- ▁feels- ▁radio- ▁concentrated- ▁programming- ▁harvest- ▁anticipation- ▁properly- ▁greatly- 'off'- ▁tailwind- ▁ba- ▁bonds- ▁functional- ▁listeners- ▁furthermore- ▁ru- ▁serious- ▁commodities- by- ▁employment- ▁audio- ▁principal- ▁apparel- ▁entities- ▁membership- ▁ge- ▁ratings- ▁implications- ▁semiconductor- ▁visible- ▁leg- ▁owner- ▁fi- res- ▁composition- ▁authorities- ▁iot- ▁messaging- ni- ▁literally- ▁layer- fe- ▁warehouse- ▁resolved- ▁broadband- ▁write- ▁announcing- ▁equivalent- ▁repositioning- ▁indirect- ▁transactional- ▁monetize- ▁handling- ▁qu- ▁turnover- ▁historic- ▁economies- ▁spain- let- ▁assure- ▁united- ▁establishing- ns- ▁certainty- ▁greg- ▁kept- ging- ▁brexit- ▁italy- ▁regulated- ▁hired- ▁art- ▁discontinued- ▁separation- ▁sizes- all- ▁amongst- ▁beauty- ▁scientific- ▁territories- ▁lab- ▁import- ▁payroll- ▁redevelopment- ▁mar- ▁ii- ▁calling- ▁cautionary- ▁fits- ▁trans- ▁merchant- ▁military- driven- ger- ▁losing- ▁yourself- ▁fruit- ▁tier- ▁operationally- rate- ▁tariff- ▁dc- ▁po- ▁attracting- ▁adopted- ▁pet- fi- ▁ja- ▁technological- ▁endpoint- ▁cells- ▁afford- ▁responding- ▁bullish- pt- ical- ▁evidenced- ▁knowing- ▁reflective- ▁streamline- ▁copper- ▁predominantly- ▁absorb- ▁ti- ▁northeast- ▁quicker- ities- ▁strive- ▁hub- ▁southeast- ▁standalone- ▁attrition- ▁washington- ▁ha- ▁crop- ▁slowed- ▁differential- king- ▁therell- ▁database- ▁personalized- ▁balancing- ▁closures- ▁pharmacy- ▁assumed- ship- load- ▁highlighting- ▁pause- ▁overseas- ▁threat- ▁poor- tan- ▁hitting- ▁elsewhere- ▁precision- ▁machines- ▁ease- ▁handful- ▁beat- ▁cold- ▁swap- ▁arrangements- ▁allowance- ▁carolina- ▁va- ten- ▁territory- ▁medicine- ▁description- ens- ▁prospect- ▁sun- ▁meantime- ▁materialize- ▁adequate- ▁theme- ▁intellectual- ▁mobility- ▁transitioning- ▁controlling- ▁fortunate- ▁sizable- ▁samestore- ▁wall- ▁reinforce- ▁referenced- ▁chosen- ▁payout- ▁carried- ▁lo- ▁airlines- ▁deployments- ▁copy- ▁combining- ▁fa- ▁issuance- cu- ▁transforming- ▁contractors- gg- ▁speaks- ▁vote- ▁uk- ▁capitalized- ▁industryleading- ld- ▁alluded- den- ▁noncore- ▁upstream- ▁pulling- ▁decent- ▁receivable- ▁similarly- ▁ore- ▁sooner- ▁tender- ▁route- ▁contracting- ▁absorption- ▁appendix- ▁conducted- ▁definitive- ▁lifetime- ▁automated- ▁differentiator- ▁lumpy- ▁install- ▁conduct- ▁ka- top- ▁shut- ▁foot- od- ▁midstream- ▁improves- ▁adopt- ▁licenses- ▁shipment- ▁governance- ▁takeaway- ▁te- ▁electricity- ▁output- ology- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- cc- ▁maximum- ▁repayment- ▁ver- ▁intensity- ▁hong- ncy- ▁apple- ▁kong- ▁agile- ▁carrying- ▁separately- ▁ag- ▁jack- ▁surgical- ▁disappointed- les- ▁si- ▁port- ▁sum- ▁judgment- ▁undu- ell- ▁listed- ▁minor- ▁reviews- ▁cutting- ▁whereas- ▁billing- ▁workers- ▁remove- ▁governments- ▁played- ▁domain- ▁body- ▁german- way- ▁wa- ▁principally- ▁methodology- ▁dr- ▁ken- ▁schedules- ▁presenting- ▁therapeutic- ▁chicago- ▁presentations- ▁forms- ▁farm- ▁forecasts- ▁scaling- ▁spite- tu- tech- ▁korea- ▁email- ▁argentina- ▁turns- ▁rewards- ▁cfo- ▁therapies- ▁throughput- ▁lifestyle- ▁foreseeable- ▁pipelines- ▁observed- ▁applying- ▁fifth- ▁introductions- ▁merchants- ▁resolve- ▁er- ▁successes- ▁duty- ▁instore- ▁whom- ▁packages- bu- ▁catalyst- ▁ordering- ▁mu- ▁attack- ▁diesel- ▁cal- ▁satellite- ▁sensitivity- ▁proof- ▁approaches- ▁narrow- ▁battery- ka- ▁screen- ▁incur- board- ▁inflationary- ▁correctly- ▁manufacturer- ▁google- ▁investigation- ▁disruptive- ▁emerge- ▁covering- ▁luxury- ▁apart- ▁delaware- ▁doubled- ▁mi- ap- ▁31- nc- ▁billings- ▁securing- ▁intense- ▁panel- led- ▁image- ▁profitably- ▁underground- ▁noticed- ▁subscriber- ▁trusted- ▁decreases- ▁valuations- ▁laser- ▁identity- ▁delighted- ler- ▁strike- ▁measurement- ▁constrained- ▁telecom- ▁pulled- ▁bankers- ▁tail- ▁remote- ▁casino- ▁scenarios- fa- erto- ▁causing- ▁explanation- point- ▁downside- ▁ir- ▁slowly- ▁warm- ▁campus- ▁prepayment- ▁inhouse- ▁gradual- ▁approaching- ▁simultaneously- ▁par- med- ▁jurisdictions- ▁marks- ib- ▁interface- ▁favorably- ▁considerably- ▁expansions- state- ▁forecasted- lt- ▁worldclass- ▁hedges- ▁believes- ▁expenditure- ▁forma- ▁commerce- ▁niche- ▁exceptionally- ▁deeply- ▁myself- ▁flight- ▁completions- ▁utilized- fin- ix- ▁mindful- and- ▁shipped- ▁remarkable- the- ▁ingredients- tra- ▁moments- ▁reviewed- ▁finalized- ▁conventional- ▁engagements- ▁accommodate- ▁allocated- ▁divest- eg- ▁passion- ▁vessel- ▁rare- ▁graph- ▁ar- ▁destination- ▁saas- ▁weekend- ▁ample- ▁spec- ▁commented- ▁flu- ▁converted- ▁integrity- ▁monetization- side- ▁supplies- ▁renovation- ▁holidays- ▁bonus- ▁station- ient- ▁attributes- der- ▁nextgeneration- ▁surgery- ▁bi- ▁climate- ▁payable- ▁dive- ▁task- ▁airline- ▁anyway- ▁persist- ▁normalize- ▁progresses- ▁leaving- ▁obtain- ▁consultants- ▁attempt- ▁parallel- ▁fulfillment- ▁doctors- ▁enthusiasm- ▁rep- ▁relief- ▁sides- ative- ▁exists- ▁touched- ▁forces- ide- ▁delta- ible- ▁document- ▁ce- ▁yearonyear- ▁accept- ▁subsidiaries- ▁surrounding- ▁attributed- ▁deflation- ▁singledigit- ▁interact- ▁executives- ▁su- ▁sometime- ▁send- ▁ambition- ▁auction- ▁lateral- ▁tested- ists- ▁gene- ▁strides- ▁pump- ▁metro- ▁chose- ▁intelligent- ▁preserve- ▁conscious- ▁film- ▁instruments- ▁chemicals- ▁phases- ▁discounts- ▁young- ▁ran- ▁collaborative- ville- ▁association- ▁trigger- ▁recap- qui- ▁multifamily- ▁tons- ee- ▁container- ▁ships- ▁controlled- ▁topics- ▁frank- ▁acute- ▁flavor- ▁missed- ▁retaining- ▁resilience- ▁enthusiastic- ▁session- ▁tables- ▁everywhere- ▁aviation- ▁rico- ▁grows- ▁sharp- ▁submitted- ▁incorporate- ▁omnichannel- rt- ▁wi- ▁spirit- ▁fun- ▁informed- ▁calculated- ster- ▁popular- ▁outdoor- ▁array- ▁density- ▁assessing- ▁factories- ▁placement- ▁consolidating- ▁breakdown- ▁optionalit- ▁ventures- ▁accounted- ▁skilled- ▁mis- ▁rigorous- ▁easter- ▁club- ▁arm- ▁anchor- ▁predictions- ▁digit- ▁proper- ▁peter- ▁advice- ▁novel- ▁nonrecurring- ▁protein- ▁subsidiary- ▁distributions- ▁21- ▁fell- ify- ▁termination- ▁treasury- ▁inspection- ▁outperformance- ▁acceptable- ▁wanting- qua- ▁skill- ▁basket- ▁roles- ▁eu- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁advances- ▁switching- ▁accountability- ▁recording- ▁shortage- ▁pivot- ified- av- ▁island- ▁empower- ▁tower- star- ▁loyal- ▁crisis- ▁proceeding- ron- ▁negotiation- ▁defend- ▁ball- ▁peer- ▁distinct- bl- ▁urgency- ▁ju- ▁responses- ▁tightening- ▁aimed- ▁electrical- if- ▁tra- ▁franchises- ▁reposition- ▁realistic- ▁connecting- ▁lighting- ight- ▁pleasure- ▁proxy- ▁failure- ▁womens- ▁blood- ▁derivative- ▁tougher- ▁extreme- ▁mornings- lan- ▁opt- ▁certification- ▁surgeons- ▁precise- ▁accident- ▁impressed- ▁discretionary- tics- ▁don- ▁survey- ▁recession- ▁ads- ▁arrangement- ▁interaction- ▁reading- ▁frequently- su- ▁ve- ▁viewed- ▁stockholders- ▁inclusion- ▁medicaid- ▁vegas- ▁glass- ▁authority- ▁reinvestment- ▁jv- ▁triple- ▁upgrading- ▁rebuild- ▁records- ▁spoken- ▁mutual- wood- ▁producer- ▁engineers- light- ▁brokers- ▁conversions- ▁diagnostic- ▁sku- ▁eagle- ▁jersey- ▁retained- ▁prioritize- ▁tighter- ▁counter- ▁unexpected- ▁exposed- ▁progressive- ▁drilled- ▁agility- ▁bestinclass- ▁alongside- ▁society- ▁worry- ▁proposals- si- ▁pat- ▁zone- ▁leased- ▁comparing- lin- ▁blocks- ▁deliberate- ▁outflow- ▁audiences- ▁pad- ▁corner- ▁geo- ▁settle- ▁preference- ▁breakeven- ▁christmas- ▁twice- ▁imaging- ▁goforward- ▁foods- ▁alberta- ▁iron- ▁perception- ec- ▁las- hold- ▁australian- ite- ▁visits- ▁influenced- ▁authorization- ▁concrete- ▁absence- ▁contemplated- ▁aside- ▁comparative- ▁negotiating- ▁pillars- ▁builds- ▁alliance- ley- ▁reduces- ▁guiding- ▁replacing- ▁stretch- ▁younger- sized- ▁replaced- log- ▁reg- ub- ▁stands- ▁collateral- ▁satisfy- ▁resume- ▁negotiate- ▁clinic- ▁diseases- ▁script- ▁commit- ▁regularly- ▁turkey- ▁fulfill- ▁whenever- ▁lever- ▁dilution- ▁pop- ▁war- ▁anniversary- ▁manufacture- ▁broker- ▁thereby- que- ▁parent- ▁serves- ▁imports- ▁computing- ▁confirmed- ▁asian- ▁incorporated- ▁stake- ▁river- ▁concepts- ▁contractor- ▁disappointing- ▁substitute- ▁specialized- air- ▁union- ▁oneoff- ▁wages- ▁th- ▁determination- ▁powder- ▁oncology- ▁falling- ▁tap- ▁japanese- tel- ▁spaces- ▁imply- ▁rationalization- ▁exiting- ▁cre- ▁preclinical- ▁undertaking- ▁finalize- ▁hospitality- ▁scores- ▁thrilled- ▁valley- ▁secular- ▁music- ▁honest- cr- ▁cultural- ▁holistic- ▁hurt- ▁lowcost- ▁rid- use- ▁log- ▁outline- ▁outsourcing- ▁adult- ▁whose- met- ▁reorganization- ▁unified- ably- ▁reservoir- ▁unable- ▁motion- ▁congress- ▁workflow- ▁title- ▁miss- ▁valued- ▁glad- ▁visual- ▁unlike- pac- ▁reit- ▁unlikely- ▁periodic- ▁academic- ▁interactions- ▁hydro- ▁cancellation- ▁diluted- ▁concentrate- ▁directors- ▁wherever- ▁deleveraging- ▁french- ran- val- ▁resonate- ▁tie- ▁pc- ▁benchmark- ▁simplification- ▁writing- ▁headquarters- ▁excludes- ▁district- ▁midwest- ▁recovered- ▁extract- ▁protecting- ▁fo- ome- ▁du- ▁university- ▁reward- ▁delivers- ▁brokerage- plus- fo- rd- ▁stations- ▁relevance- ▁spin- ▁quote- ▁flowing- ▁silver- ▁trained- ▁nav- ▁ai- ▁methods- ▁baseline- ▁payer- ▁ch- ▁boston- ▁migrate- ▁penetrate- ▁ideal- ▁doors- ▁sha- ▁bag- ▁discounting- ▁nobody- ▁construct- ▁augment- ▁references- ▁hu- ▁intangible- ▁storms- ▁pockets- ever- ▁pillar- ▁bankruptcy- ▁swing- ▁doug- ▁modernization- ▁cargo- bility- ▁midst- ▁wallet- ▁connections- pl- ▁representative- ▁revolving- ▁renew- ▁attribute- ▁miles- ▁mall- ▁aluminum- ▁stabilizing- ▁presents- ▁apps- ▁roi- ▁immune- ▁fight- rn- ▁redeploy- ▁coffee- ▁logic- ▁responded- ▁correction- act- ▁county- fl- focused- ▁procedure- ▁jo- ▁dates- ▁extensions- ▁evening- ▁sensor- ▁children- ▁pit- ▁bump- ▁knows- ▁formation- ium- ▁geographically- vis- ▁accretion- ▁reversal- dy- vers- ▁tissue- ▁tomorrow- ons- ▁predictive- ▁pan- press- ▁uplift- ▁nimble- for- ▁begins- ▁nevertheless- ▁revolver- ▁willingness- ▁realtime- ▁responsive- ▁convenient- ▁deterioration- ▁mandate- ▁capitalizing- ▁cuts- water- ▁contingent- ▁parameters- ▁pursuit- ▁deem- ▁rooms- ▁town- ▁root- ▁cyber- za- work- ▁lumber- ▁singapore- ▁costeffective- ▁gift- ▁arpu- our- ▁mail- ▁occurs- ▁suggested- ▁grand- ▁hour- ▁ipo- ▁viable- ▁borrowers- ▁convertible- ▁refined- ▁hires- ▁disruptions- ▁vo- ▁deepen- ▁refinance- ▁purely- ▁ocean- ▁airport- ▁timeline- ▁negotiated- ▁exports- quartertoquarter- ▁suspect- ▁mines- ▁employers- ▁possibilities- ▁solely- ▁brazilian- ▁partial- cor- ▁res- ▁missing- ▁experiment- ▁colorado- ▁ending- ▁recruit- ▁distribute- ▁foresee- ▁notwithstanding- ▁spike- ▁inefficienc- oc- ▁download- ▁analyzing- ▁says- ▁aid- ▁marginal- ▁whos- af- ▁adviser- ▁scrap- ▁relentless- ▁beta- ▁sensors- ▁scheme- ▁trip- ▁enjoyed- ▁maturit- ▁eliminating- ▁dev- ▁virginia- ff- ▁amendment- ▁accuracy- ▁redemption- ▁recruitment- ▁women- ▁score- ▁sponsor- wide- ▁click- ▁dig- ▁demographic- ▁pound- ▁involves- ▁broadbased- ▁restrictions- ▁guidelines- ▁additive- ▁grocery- power- sis- ▁chunk- ▁formulation- ▁difficulty- her- ▁corn- ▁cy- ▁hence- ▁honestly- ▁streaming- ▁silicon- ▁unprecedented- ▁lesser- ▁kids- ▁apparent- ▁stories- ▁variables- ▁captured- ▁names- ▁wire- ▁poised- iv- ▁anymore- ▁gary- ▁linear- ▁bids- cing- field- ▁gate- ▁gotomarket- ▁hawaii- ▁likelihood- ▁ter- ▁blend- ▁correlation- ▁qualification- ▁cor- ▁engineered- ▁22- yl- ward- ▁permit- ▁bucket- ▁farmers- ▁collective- ▁sustaining- product- ▁consequently- ▁offline- ks- ▁sl- ▁ice- ▁clo- ▁vital- ▁foremost- ▁consent- ▁fl- ▁colombia- ▁tactical- ▁forget- ▁household- ▁safely- ▁messages- ▁everyday- '95'- ▁ga- ▁affiliate- '20'- ▁permitting- ▁remodel- ▁healthier- ▁focuses- ▁mac- ▁medicines- ▁tick- ▁chains- ▁projection- ▁mechanical- ▁granted- ▁dial- ▁pilots- ▁style- ▁cu- ▁eric- ▁schools- ▁poland- ▁upgraded- ▁lake- ▁sh- ▁realignment- ▁refinery- ▁domestically- ▁tens- ▁metals- ▁mineral- ▁replicate- hand- ▁ramped- ▁doubling- ▁chairman- ▁restricted- ▁underperforming- ▁seemed- ▁ten- ▁rick- ▁stepping- pped- ▁contrast- ▁headed- efficient- ▁ontario- ▁submission- ▁mechanisms- ▁chip- ▁hoped- ▁sweet- ▁treating- ▁proving- ▁bus- ving- ▁municipal- ▁sent- ▁passing- ▁crossselling- ▁labs- ▁friday- ▁assistance- ▁exited- ▁candidate- ▁saving- rg- ▁brad- ▁worried- ▁seat- ▁excluded- level- ▁judge- ak- ▁rational- wa- ▁23- sol- ▁terminals- flows- ▁renewables- ▁35- ▁bay- ju- ▁greenfield- ▁motivated- ▁runs- ile- ▁consensus- ▁accessories- ▁diversifying- xi- ▁geographical- ▁broadening- ▁modules- ▁snow- ▁flagship- ▁segmentation- ▁hundred- ▁diamond- ▁forefront- ▁expiration- ▁generates- ▁revision- ▁foundational- ▁permits- ▁illustrate- ▁default- ▁grades- ▁considerations- ▁placing- ▁smarter- ▁holdings- ▁indicates- era- ▁boxes- ang- ▁progressed- bra- ▁clearance- ▁limits- ▁fields- ▁collectively- ▁multiples- cap- ▁choosing- ▁fluctuate- ▁attendance- ade- ▁evolved- we- ▁strip- ▁nim- ble- ▁dallas- ▁fragmented- ▁classified- ▁erp- ▁rationale- ware- ▁oral- ▁ifrs- ▁optical- ▁recovering- ▁passenger- ▁cement- ▁mills- ▁inorganic- scale- ▁chronic- ▁conviction- ▁demonstration- ▁struggling- ▁sky- ▁headline- ▁departments- ▁decreasing- ▁sweden- ▁broken- ▁hill- ▁educate- ▁ban- ▁sw- nic- ▁statistics- ▁selectively- ▁sciences- ▁heightened- ▁pennsylvania- ▁intake- ▁jet- ▁mortgages- ▁sample- ▁breaking- ▁genetic- ▁locally- ▁institution- ▁thorough- ▁incrementally- ▁themes- ▁evaluated- ▁reaffirm- pp- ▁removed- ▁downtime- ▁cautiously- ▁economically- ▁del- ▁anti- ▁prescription- ▁preferences- ise- ▁transact- ▁tumor- ▁dropped- ▁seriously- ▁transitions- ▁filling- ▁unsecure- ▁worst- ▁four- ▁friends- ▁conferences- ko- ▁trouble- ▁perpetual- ▁shops- ▁regulator- ▁nutrition- ▁walmart- ▁pulp- ▁signals- ▁caught- ▁pivotal- oriented- ▁che- ▁threshold- ▁lap- ▁1000- mar- ▁uptake- ▁unmet- ▁perfectly- ▁furniture- gra- ▁rec- ▁server- ▁pronounced- so- risk- ▁firstly- ▁traded- ▁ohio- ▁quantity- ▁mindset- ▁disclaimer- ▁boards- ned- ▁sil- room- ▁ends- ▁exclusively- ▁severity- ▁chase- ▁gaps- ▁factored- ▁mild- ▁branding- ▁debate- ▁cl- ▁cohort- ▁billion- ▁surprising- ▁resonat- ▁diminish- ▁shutdown- ▁flip- ▁riskadjusted- ▁opens- ▁circuit- ▁coach- ▁muted- cos- ▁initiate- ▁mile- ▁submit- ▁onboard- ▁autonomous- ▁shrink- ▁suggests- ▁mon- ▁ride- ▁formats- well- ▁fabric- ▁mistake- ▁rein- ▁trades- ▁seller- ▁ambitious- ▁dispute- stone- ▁fab- ▁probability- ▁residual- ▁border- rie- ey- ▁roe- ▁enhances- ▁grain- ▁bundle- ▁ko- ▁residents- ▁bra- run- bank- ▁cluster- ▁equities- ▁simplified- ▁disrupt- ▁commercially- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁screening- ▁gal- serv- ▁floating- ▁fly- ▁strict- ▁employer- ▁profiles- ▁filled- ▁intact- ▁bearing- ▁outpace- ▁communicating- car- ▁customized- ▁instrument- ▁crews- ▁logical- ▁wellness- ▁exhibit- ▁annuity- ▁needle- ▁overlap- ▁calculate- ▁compensate- ▁lowered- ▁tire- ▁barriers- ▁payback- par- ifi- ▁requiring- ▁surplus- ▁dur- ▁weigh- ▁stocks- ▁interests- ▁aging- ▁movie- ▁concessions- cy- ▁demographics- ▁nu- ▁allocating- ▁facebook- ▁eliminated- ▁skin- ▁conducting- ▁embrace- ▁director- ▁limitations- ▁universal- ▁eyes- ▁jason- ▁alter- ▁bode- ▁pen- ▁teleconference- ▁minority- ▁commissioning- ▁installations- ▁proved- ▁buildout- ▁coupon- ▁race- ▁refocus- ▁elect- ▁ancillary- ▁civil- ▁garden- ▁restart- sign- ▁titles- ▁peoples- fr- ▁pr- ▁arena- ▁illinois- ▁subs- ▁incident- ▁protocol- ▁commence- ▁delever- ▁chapter- ▁impossible- ▁premise- ▁baked- ▁widely- cal- ▁commenced- ▁expert- ▁smartphone- house- owned- ▁emissions- ▁filter- ▁detection- ▁cla- ana- ▁elevate- ox- ▁warrant- ▁ash- ▁listing- ▁nursing- ▁rose- ▁employed- ▁techniques- ▁realign- ▁casual- ▁distinguish- ▁granular- ▁adversely- rc- ▁thatll- ▁friction- ▁cd- ▁named- max- ▁journal- ▁royalties- ▁interactive- tric- ▁adopting- ▁onboarding- ▁college- ▁longstanding- ▁overnight- tal- ▁endtoend- ▁incumbent- ▁locked- ▁centralized- ▁rain- ▁manifest- ▁millennial- ▁lifting- ▁developer- ▁derived- kin- ai- ▁lighter- ▁keeps- ▁regain- ▁dining- ▁printing- ▁impactful- ture- ▁imperative- ▁translated- ▁pie- ▁upsell- ▁aligning- ▁tells- ford- ▁andrew- '10'- ▁tenure- ▁exposures- my- ▁weekly- ▁shortages- ▁indonesia- ▁transcript- ▁promoting- ▁activation- ▁fitness- ▁era- ▁classic- ose- ▁ruling- tor- ▁assembly- type- ▁placements- ▁atlantic- ▁defer- ▁diligent- ▁unusually- ▁crew- ▁phoenix- ▁202- ▁comply- ▁fueled- ▁hi- ▁mentioning- ▁principle- ▁ultra- ▁cheaper- ▁predictability- ric- ▁sponsors- ▁unfold- ▁george- ▁propositions- ▁comprised- ▁dar- ▁affects- ▁struggle- ▁heritage- ▁teach- down- ▁matching- ▁routes- ▁demanding- ▁forced- ▁nationwide- ▁accrual- ▁cast- ▁clearer- via- ▁hosting- ▁kit- ▁british- ▁bias- part- ▁holds- ▁directed- ▁stepped- rated- ▁dominant- ▁zealand- ▁appointment- ▁publishing- ▁subscriptions- ▁y- free- ▁pathway- ▁craft- ▁fish- au- ▁zones- ▁fe- ▁ron- pay- mic- ▁delinquenc- ▁speculate- ▁roof- ▁warranty- link- ious- ▁envision- ▁richard- ▁norway- ▁cas- ▁elected- ▁centered- ▁instances- ▁crucial- ▁compares- ▁poly- ▁settled- ▁hang- ▁integral- ▁modify- ▁streamlining- ▁quota- ▁fastest- ▁predicted- life- ica- ▁consist- ▁populations- ▁paint- ▁province- ▁isolation- ▁beach- ▁sir- ▁computer- ▁albeit- ▁entrant- ▁erosion- ▁relied- ▁licensed- ▁divestment- ▁restore- ▁basins- ▁rough- ▁cur- ▁elimination- ▁republic- ▁discover- ▁affordabilit- ▁band- ▁requests- ase- ▁opposite- ▁signature- ▁shaping- ▁transformative- ▁networking- ▁consume- lon- ▁midsingle- ▁annualize- ▁passionate- ▁decisionmaking- ▁five- ▁precisely- ▁stayed- ▁privilege- ▁shortfall- ▁treatments- ▁loaded- ▁drawing- ▁externally- ▁answered- ▁frozen- ▁ordinary- can- ▁ev- ▁accessible- pr- ▁wondered- ▁neighborhood- ▁implies- fs- ▁idle- ▁translates- ▁max- ▁practical- ▁charging- ▁accompanying- ▁validate- ▁illustrates- ▁tightly- ▁institute- ▁patience- ▁temporarily- ▁finishing- ▁hadnt- ▁accurately- ▁collaborate- ▁follows- ▁bro- ▁argue- ▁cha- ▁interpret- ▁leisure- ▁reception- ▁implant- ▁eligible- ▁dozen- ▁newest- ▁covers- ▁attached- ▁attracted- ▁atm- iness- ▁atlanta- ▁300- ▁navy- ▁annually- du- ▁sal- ▁liquids- ▁minus- ▁northwest- ▁vacation- ▁28- ▁namely- realized- ▁differentiating- ▁exploit- ▁sugar- ▁midmarket- mark- ▁thrive- ▁premature- ▁fraud- ▁pride- ▁tele- ▁invite- ism- ▁tank- ▁revisit- ▁revpar- ▁flash- ▁competenc- ▁restructure- ▁intervention- ▁cautioned- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁guy- specific- ▁convention- ▁syn- ▁highermargin- ▁pumping- ▁projecting- ▁observations- ▁supposed- ina- ▁character- ▁sudden- ▁fans- ▁bandwidth- ▁catastrophe- ▁midterm- ▁netherlands- ▁taste- ▁dual- ▁impression- ▁400- ▁dairy- ▁eager- ▁innovat- ▁rebuilding- ▁speeds- ▁renovations- ▁liberty- ory- dic- ▁oklahoma- ▁phasing- fer- ▁ke- ▁conclusions- ▁affiliates- ▁parks- ▁detect- ▁unemployment- ▁expands- ▁industrys- ▁durable- ▁pri- ▁analytical- ▁softening- ▁gu- ▁bolster- ▁tre- ▁simpler- ▁outages- ▁depressed- ▁pd- ▁alex- ▁appreciated- ▁outlet- ▁tony- ▁analog- ▁lender- pu- ▁liver- ▁cool- ▁blended- ▁men- ▁sorts- ▁valid- ▁king- ▁footwear- ▁injection- ▁mitigated- ▁modernize- ▁arizona- ▁repay- ▁competitively- ▁photo- mon- ▁pioneer- ▁emergency- ▁thesis- ▁portal- ▁crosssell- ▁contributors- ▁agriculture- ▁thermal- ▁gateway- '00000'- ▁builders- ▁causes- ▁composite- ▁casualty- ▁representatives- ▁hyper- ▁fan- ▁argument- ▁wellpositioned- ▁digest- ▁variance- ah- ▁retire- ▁compensated- ▁consumables- ▁relations- ▁crystal- ▁medication- ▁neither- ▁mega- ane- ▁trucking- ▁gearing- ▁excuse- ▁qualitative- ▁honor- ▁indian- ▁difficulties- ▁patents- ▁redesign- play- ▁determining- ▁michigan- ▁thereafter- ▁mirror- ▁manual- ▁diagnostics- ya- ▁arms- ▁highend- ▁command- ▁fruition- ▁subsequently- ▁45- ▁inherently- ▁los- ▁falls- ▁grant- ▁applies- ▁horizontal- ▁tailored- ▁occasions- ▁har- ▁pages- ▁variation- ▁suit- ▁headlines- ▁towers- ▁500- ▁repairs- ▁prepaid- ▁repricing- ▁assured- ▁queue- ▁indicating- ▁amended- tle- ▁fortunately- ▁observe- modal- cycle- value- ▁bold- ▁containers- ▁cms- ▁van- ▁heads- ▁automate- ▁inhibitor- ▁formed- ▁farms- ▁lineup- ▁meanwhile- ▁toronto- ja- gate- ▁revisions- ▁inclusive- ▁stopped- ▁27- ▁tu- ▁belt- ▁letting- ▁transformed- fu- ▁ps- ▁concluding- ▁pleasant- ▁configuration- ▁transferred- ▁26- ▁lumpi- ▁qualify- ▁laying- ▁believed- ▁digitally- bit- ▁desired- ▁outlets- ▁lens- ▁cook- ▁mitigation- ▁mens- ▁jay- ▁buffer- ▁clarification- ▁relocation- ▁protected- ▁sake- rus- pre- ▁convey- ▁parcel- ▁showcase- ▁intensive- ▁addresses- ▁personalization- ▁semi- ▁windows- centric- box- iconic- ▁robert- ria- ▁severance- ▁inbound- ▁craig- ▁counts- ▁hurdle- ▁workplace- ▁advised- ▁rationalize- duc- ▁samples- ▁inquiries- ▁drink- ▁concession- ▁outage- ▁trailing- ▁tenders- ▁dna- ▁suggesting- ▁snack- ▁bench- ▁midland- ▁shell- ▁highvalue- lance- ▁removing- ▁breakthrough- ▁chemistry- ▁energized- ▁bu- gar- ▁walking- ▁jon- ▁overly- long- ▁modified- ▁percentages- ▁reap- ▁lessons- ▁plate- ▁individually- ▁holders- ▁buckets- gn- ▁circle- ▁kitchen- ▁vacancy- ▁com- ▁stem- ▁cp- ▁phones- ▁bills- ▁capitalization- ▁portions- ▁manageable- ther- ram- ▁obtained- ▁transit- ren- ▁clearing- ivity- ▁plug- ▁fraction- ans- ▁recommendations- ▁stays- ▁span- ▁tighten- care- ▁keen- ▁phil- ▁revolution- ▁southwest- ▁seattle- ▁steep- ▁recapture- ▁submarket- ▁shorten- ▁scheduling- stock- ▁onsite- ▁sur- ▁advancement- ▁todd- ▁celebrate- ▁diabetes- ▁para- list- ▁employ- ▁frequent- ▁achievable- ▁bounce- ▁molecular- ▁quiet- ▁lie- ▁ramps- ▁algorithms- ▁cumulative- ▁module- ▁advise- ▁expire- ze- ▁capacities- ▁authorized- ▁bolton- ▁avenues- ▁threats- ▁comparability- ▁phenomenon- ▁ms- ▁pertain- ▁mc- ▁nation- ▁resiliency- ▁awful- ▁reseller- ▁contraction- ▁surprises- ▁pl- ▁clinicians- ▁dia- ▁structurally- ▁registered- ▁settlements- ▁participated- ▁pal- dding- ▁measuring- ▁pleasing- ▁text- ▁taxable- ▁relying- ▁validated- ▁whereby- ▁maturing- ▁rural- ▁survival- ▁issuing- rill- service- ▁resort- source- ken- ▁righthand- ▁heavier- ▁foster- ▁pra- ▁aiming- ▁prototype- ▁manufactured- ▁leaves- ▁trough- ▁ur- ▁rush- ▁tam- ▁lend- ▁merit- ▁designing- ▁mitigat- ▁bur- ▁cup- ▁universe- ▁shot- ▁salary- ▁findings- ▁organized- ▁hosted- ▁louisiana- ud- ▁interruption- tex- ▁acting- ▁ya- ▁cr- ▁hubs- ▁lies- ▁viewing- ▁surge- ▁robotics- vision- ▁chi- ▁flying- ▁somehow- ▁weakening- ▁passive- ▁marketleading- ▁noi- ▁hurdles- ▁seats- ▁jan- ▁credibility- ▁battle- form- sys- ▁fu- ▁streamlined- ▁involving- ▁suited- ▁arrive- ification- ▁nations- ay- ▁parking- ▁columbia- ▁ounces- ▁significance- ▁norm- ▁meal- ▁compromise- ▁feasibility- ▁mexican- ▁besides- ▁consequences- ▁educational- ▁owning- ▁cho- ▁sits- ▁england- ▁tobacco- ▁underpin- ▁pumps- ▁loading- ▁limiting- ki- ▁chicken- ▁dosing- ▁operates- ▁moreover- ▁dip- ▁billions- ▁justify- ▁african- ▁gauge- ▁ought- ▁monday- ▁archive- ▁programmatic- tish- ▁fuels- ▁clinically- building- ▁studio- ▁reinforces- ▁transitional- ▁interconnect- ▁answering- lapping- ▁remediation- ▁relaunch- ▁enforcement- ▁cooperation- ▁readiness- ▁fer- ▁meat- ▁films- ▁dictate- ▁legislative- ▁modular- ▁layers- head- ▁cushion- ▁voluntary- ▁documentation- ▁mer- ▁contemplate- ▁ec- ▁shoppers- ▁advancements- demand- ▁quantitative- ▁releasing- ▁roadmap- ▁ryan- ▁statutory- ▁chasing- ▁sellthrough- ▁alert- ▁till- ek- ▁styles- priced- ▁breast- ▁mortality- ▁scratch- ▁turbine- ▁james- ▁absent- ▁slot- ada- ▁crm- ▁apartment- ▁phenomenal- ▁75- ▁collected- ▁milk- ▁compound- ▁behaviors- ▁persistent- ▁highlevel- ▁radi- ▁pads- ▁unlocking- ▁missouri- ▁salaries- ▁minds- ▁deleverage- ▁recommend- ▁integrations- ▁tonnage- flow- pen- ▁appealing- ▁sam- ▁gp- ▁catalog- ▁martin- ▁automatically- ▁sharpen- ▁rank- ▁pos- ▁eat- ▁iv- ▁calculations- ▁minnesota- ▁wild- ▁mag- ▁requested- ▁strictly- ▁restructured- ▁bone- ▁corporations- ▁deficit- ▁chile- har- ▁receipt- ▁heating- responsibilities- ▁distance- ▁multinational- ▁opioid- ▁salespeople- mc- mis- ▁spine- ▁corp- ▁fra- ▁proximity- ▁tuckin- ▁compliant- ▁dilutive- ▁zero- ▁solidify- ▁routine- ▁variations- ▁notion- ▁incorporating- ▁migrating- ▁straightforward- fuse- ▁occasion- ▁mediumterm- ▁undergoing- ▁scalabilit- tec- mate- ▁specialists- ▁uni- ▁hy- ▁geopolitical- ▁solving- ▁uniform- ▁biotech- ▁ep- ▁attend- ▁ven- ▁landing- ▁articulated- ▁cer- dex- ▁intermediate- nu- gan- ▁nominal- ▁saudi- ▁stimulate- ▁angeles- ▁official- ▁underscore- ▁ki- ▁speculation- ▁freedom- ▁boot- ▁assay- ▁midteens- core- ▁shock- ▁distraction- ▁suffered- ▁mono- ▁tro- cat- ▁bre- ▁neuro- ▁nick- ▁downtown- ▁normalization- ▁critically- ▁collecting- ▁describing- ▁jewelry- ▁dealership- ▁obtaining- ▁bri- ▁salt- ▁representation- ▁cam- ▁attraction- ow- ▁dimension- ▁ambitions- ▁technically- ▁gasoline- ▁squeeze- ▁sleep- ▁mal- ▁gather- tru- ▁pur- ▁unmatch- ▁golf- ▁sprint- ▁irma- ▁bl- ▁removal- ▁wheel- ▁interior- ▁suffer- ▁attain- ▁accomplishment- ▁commercialize- ▁secret- ▁noninterest- ▁adam- ▁understands- ▁kansas- ▁consultation- ▁echo- wear- ▁midyear- ▁warrants- ▁modifications- ▁slate- ▁preserving- ▁crush- ▁onpremise- ▁ffo- ney- ▁panels- ▁promises- ▁associate- ▁widening- ▁commenting- nes- ▁forever- ▁absorbed- ▁fortune- ▁beef- ▁factoring- ▁approached- ▁batteries- ▁valve- ▁ferc- ▁realizations- len- ▁cro- gene- not- ▁prominent- ▁intra- ▁enrolled- ▁boat- ▁highway- ▁prescriptions- ker- ▁aero- stream- ▁liquidation- pack- ▁issuer- ▁independently- performance- ▁gi- ▁gear- ▁switzerland- ▁tweak- ▁needing- ▁extends- path- wise- ▁deepening- ▁champion- ▁wo- ▁consists- turn- ▁plastic- ▁truth- ▁malls- ▁var- uc- ▁gar- uestionandanswer- ▁horse- ▁gdp- ▁dropping- card- ▁bundled- ▁crops- ▁specialist- ▁temp- ▁shippers- ▁alpha- only- ▁omni- ▁fabrication- ▁propel- ▁insurers- ▁denver- ▁examine- ▁pin- oo- ▁cloudbased- ▁predicting- ▁publish- ▁lung- ▁camera- ev- ▁29- ▁observation- ▁continuum- ▁muscle- ▁unlimited- ▁teens- ▁kicked- ▁molecules- ▁referral- ▁dam- ▁underpinne- ▁renewing- ▁petrochemical- ▁spacing- ▁theaters- ▁lane- ▁enjoying- plan- '30'- train- ▁addon- site- tiv- ▁conflict- ▁noteworthy- ▁oversight- ▁nike- ▁intentions- ▁russian- ▁provisioning- ▁elections- ▁ob- ▁recommendation- ▁alaska- ▁prolonged- ug- ▁instrumental- ▁han- ▁36- ▁nearing- ▁molecule- ▁perspectives- ▁deferral- ▁radar- ▁semester- ▁goodwill- ▁destinations- ▁mandates- ▁laboratory- ▁pair- ▁isolated- ▁fueling- ▁reconcile- ▁meter- ▁authentic- ▁continuity- ▁dislocation- ep- ▁meets- bridge- sale- ▁prioritizing- ▁reservation- ▁fear- loc- ▁tanker- ▁originated- int- ▁bell- ▁ph- ▁chat- ▁approve- ▁georgia- ▁error- ▁boeing- ▁deserve- ▁fat- ▁spots- ▁continental- ▁digitalization- ▁smoothly- stor- ▁costreduction- ▁taiwan- ▁shall- ▁distinctive- ▁regime- ▁seasons- season- ▁equipped- ▁moderation- ▁tackle- ▁complain- ▁pools- ▁mainstream- ▁customary- ▁interpretation- size- ▁ski- ▁screens- ▁suffering- iti- right- ▁displays- ▁eventual- ▁translating- ▁desktop- ▁tireless- ▁congratulate- ▁flag- ▁penn- ▁directionally- lm- ▁sap- ▁nova- ▁suppose- ▁hr- ▁planet- men- ▁cra- build- ▁cb- ▁certified- ▁acres- ▁refund- sum- ▁checks- ▁succession- ▁seasoned- ▁essence- ▁reopen- ▁passthrough- ▁sixth- ▁footage- ▁cri- ▁shake- ▁mini- own- ▁intrinsic- ▁ireland- ▁bp- '50'- hu- ▁sharply- ▁flood- ▁processed- ▁visiting- ▁stat- ▁cleaning- ▁rewarding- ▁vaccine- ▁wireline- ▁carl- ▁eg- ▁resorts- ▁delight- ▁charts- ▁shrinking- ▁api- ▁houses- ▁dream- ▁embracing- ▁sterling- ▁lt- gas- ▁sim- ▁temperatures- ▁ingredient- ▁inputs- ▁outset- ▁readily- tory- ▁spare- ▁demo- ▁drawn- bar- ▁derisk- sensitive- ▁invoice- ▁nordic- bin- ▁shi- ▁shale- ▁harm- anticipated- ▁finaliz- ▁bruce- ▁identification- ▁pediatric- ▁chips- ▁actionable- ▁attach- ▁banners- ▁lin- ▁publication- ▁measurable- ▁steam- ▁innings- ▁playbook- ▁dram- ▁entirety- ▁camp- ▁generics- ▁float- ▁ds- ▁disciplines- ▁dock- ▁gm- cut- ▁defining- ▁prompt- ▁dimensions- ▁cart- ▁aligns- ▁budgeting- ▁dispose- ▁unpredictable- ▁hits- ▁trailer- ▁scaled- han- book- ▁cheap- ▁publishers- ▁investmentgrade- ▁encompass- ▁decisive- ▁extraordinarily- ▁quantities- ▁mask- ▁confirmation- ▁ot- ▁adapting- ▁rewarded- ▁cleaner- ▁evolves- ▁evenly- ▁lp- ▁object- ▁draft- ▁surpass- quarter- app- mat- ▁subsea- ash- ▁assessments- ▁architectural- ▁charles- ▁guard- ▁ngl- ▁performer- ▁coll- ▁tru- cast- ▁fail- ▁avenue- ▁surgeon- ▁escalation- ▁wine- ▁native- ▁adequately- ▁ring- ▁constructed- row- ▁confusion- ▁defensive- ▁rebalancing- ▁injury- ▁quantum- ▁patch- ▁promised- ▁monetiz- ▁subset- ▁infusion- ▁massachusetts- ▁reinforcing- ▁costly- ▁tactics- ▁deceleration- ▁printer- ▁strengthens- ▁reinforced- ▁devaluation- ▁methodical- ▁overhang- ▁foundations- quality- ▁compute- ▁meters- ▁ray- ▁ze- ▁varying- performing- ▁beautiful- ▁libor- ▁recipe- ▁homeowners- ▁roger- rp- ▁posting- '40'- ▁cm- ame- ▁forum- ▁robot- ▁yen- ▁backed- ▁highgrowth- ▁plastics- ▁governor- ▁rfp- generation- ▁cognizant- ▁column- ▁2000- ▁foundry- ▁honored- ▁marc- ▁comm- ▁constraint- ▁larry- ▁gre- ▁noticeable- bro- maker- ▁reveal- ▁promoted- ▁curves- ▁whi- ▁dealt- lim- ▁jurisdiction- ▁destocking- ▁sluggish- ▁transient- dis- ▁theater- lar- ▁smartphones- ▁telephone- ▁counting- ▁rod- atory- cell- ▁pursued- ▁crack- ▁tailor- ▁railroad- ▁shanghai- ▁unprofitable- ▁vintage- ▁wafer- ▁rv- ▁stocking- ▁kpi- view- ▁tree- ▁followon- ett- ▁reforms- ▁tasks- ▁apologize- ▁entitled- ▁library- ▁newspaper- ▁outreach- ▁profound- ▁affirm- ▁enroll- ▁tip- ik- ▁caribbean- ▁indepth- ▁knock- ▁occurrence- ▁venezuela- ▁refineries- ▁cornerstone- ▁handset- ▁catalysts- ▁sport- ▁supplying- ▁rf- ▁marketers- ▁pounds- ▁regimen- ▁appraisal- ▁bakken- ▁counsel- ▁routing- ▁mainland- ▁sections- test- ▁appliances- ▁epi- ▁vest- ▁assignment- ▁stroke- ▁suburban- ▁revaluation- ▁guaranteed- ▁prop- ▁powered- cost- ▁hey- ▁propane- ▁quoting- ▁conform- ▁incurring- ethane- lease- ▁accrued- ▁stone- ▁exits- place- ▁sensible- ▁specified- ▁wifi- gram- ▁ideally- than- ▁cohorts- ▁modeled- ugh- ▁pizza- ▁thousand- ▁railcar- ▁involvement- ▁tourist- ▁sto- ▁fixing- mont- ▁variances- ▁nex- ▁sch- ▁climb- ▁deciding- ▁thailand- ▁patrick- hen- ▁irr- ▁limitation- ▁analyzed- ▁makers- ▁largescale- ▁attractiveness- ▁builder- ▁robotic- ▁basics- ▁progressively- ima- ▁sme- ▁sar- ▁marginally- ening- ▁reshape- ▁italian- ▁tonnes- ▁brent- ▁friendly- ▁officially- ▁rebates- ▁stepup- lia- ▁everybodys- ▁doses- ▁oriented- ▁varies- ▁correlated- ▁settings- ▁reversed- vin- ▁investigators- ita- ▁ol- ▁motivation- ▁simplicity- ▁simulation- ▁fluctuation- step- eon- ▁satellites- ▁distinction- ▁receipts- ▁hunt- ▁sk- ▁ct- ▁convergence- ▁daytoday- ▁integrator- ▁sensing- ▁geared- ▁wouldve- ▁excel- ▁derive- van- ▁converge- ▁sought- ▁dress- ▁stood- ▁trim- tain- ▁runoff- funded- thanexpected- ▁backup- matic- ▁instant- ▁fighting- ▁stringent- ▁algorithm- gel- ▁tires- ▁np- spec- ▁mont- ▁dy- ▁belgium- ▁contingency- ▁vibrant- ▁feedstock- ▁sat- ▁gears- ▁comprise- ▁recycle- ▁sla- ▁chargeoffs- ▁deteriorate- ▁underneath- ▁prosper- ▁trump- ▁safer- ▁refinement- ▁embed- ▁habits- ▁enacted- ▁sticking- ▁neo- ▁ku- ▁cannabis- ▁depot- ▁advisors- store- ▁oe- ▁systemic- ▁visitors- ▁pros- ▁reits- week- ▁beds- ▁onshore- ▁tuesday- ▁wisconsin- ▁orlando- cam- ▁nationally- ▁prevention- ▁hike- ▁attacks- ▁strain- ▁clinics- ▁studios- ▁summarized- ▁telco- class- ▁relocate- ▁desirable- ▁widen- '0'- ▁sn- ▁surveys- ▁underwriter- ▁presumably- ▁retrofit- ▁underwrite- ▁apartments- ▁navigation- ▁antonio- ▁precious- ▁fold- ▁barrier- ▁protocols- ▁discovered- ▁augmented- low- print- ▁overtime- ▁sanction- ▁warehouses- ▁electro- town- ▁failed- ▁leaner- ▁coastal- ▁reactor- ▁kidney- ▁malaysia- ▁attitude- ▁wildfire- ▁stephen- ▁tuned- ▁fin- ▁assisted- ▁intensely- ▁underscores- ▁advocate- ▁keith- ▁reiterating- ▁nuance- ▁ranging- ▁baby- meter- nie- ▁pm- ▁stra- ▁generators- ▁lien- ▁genomic- ▁intuitive- ▁paradigm- ▁bottle- ▁entrepreneurial- ▁orange- ▁loop- ▁swings- logic- ▁standardized- ▁assembl- ▁cord- ▁venues- ▁households- ▁corridor- ▁alarm- disproportionate- works- ▁compounds- ▁behavioral- ▁embark- ▁thankful- ▁newness- ▁schemes- ▁innovator- ▁coordination- ▁summit- ▁grab- ▁leap- ▁accumulated- ▁midsized- ▁pressured- berg- segment- ▁benign- ▁overhaul- ▁resistance- ▁diego- '60'- ▁thin- ▁six- ▁lately- ▁trains- ▁accountable- ▁departure- ▁graduate- ▁nevada- ▁vietnam- ▁favorite- ▁appointed- ▁bonuses- ▁backend- ▁deliberately- ▁borrow- ▁sticky- ▁originate- ▁valuebased- read- ▁striv- ▁dozens- ▁minimizing- ▁brown- ▁wise- ▁borrower- ▁symptoms- ▁catching- ▁explaining- ▁behave- ▁deadline- ▁oak- ▁confirming- ▁oversee- ▁magic- rew- ▁generator- comm- ▁dec- ham- ▁col- ▁arc- ▁edit- mine- ▁permission- ▁sequencing- ▁warning- ▁repeating- ▁paris- ▁cent- ▁doctor- pic- ▁frontline- ▁wars- vant- ▁bars- ▁ranking- ▁tremendously- ▁restrict- ▁scan- ▁cab- ▁nut- ▁imported- ▁cannibalization- ▁choppy- ▁council- ▁surcharge- ▁discounted- ▁randy- ▁fox- ▁outsourced- growth- ▁reconciled- ▁hydrogen- cho- ▁overwhelming- ▁educating- ▁2013- ▁urgent- ▁perceived- ▁tea- ▁mutually- ▁consumed- ▁proceedings- ▁mat- ▁statistical- ▁combat- ▁enrich- ▁harness- ution- ▁mergers- ▁existed- ▁forest- lock- ▁aided- ily- ▁approximate- ▁kar- ▁rolls- corp- ▁entertain- ▁neighbor- ▁philippines- ▁dampen- ▁cabinet- ▁witnessed- ▁pacing- ▁dark- ▁valueadd- ▁duties- ▁automobile- ▁disney- ▁handled- ▁publications- ▁upwards- ▁consumable- ▁suddenly- ▁expression- ▁hell- share- ▁sequence- ▁distort- ▁finger- ▁suitable- ▁measurements- ▁temperature- ▁barrel- ▁referrals- ▁bundles- ▁journeys- ▁abate- ▁flatten- ▁biologics- ▁reserved- ▁snap- ▁magazine- ▁nasdaq- ▁outpatient- ▁platinum- ▁biomarker- ▁child- ▁classification- ▁nickel- ez- ▁benchmarks- ▁vic- ▁convince- cia- ▁amplify- ▁antibiotic- ▁century- ▁concentrating- ▁creativity- ▁underserved- ▁urge- ▁friend- ▁embarked- ▁sands- ▁accessing- ▁ott- ▁navigating- ▁slip- ▁govern- ▁charged- ▁immaterial- ▁swiss- ▁postpone- media- ▁lee- ▁selecting- ▁wash- ▁collaborat- ▁easiest- ▁manhattan- ▁olympics- ▁survive- ▁specialties- ▁sustainably- ▁deepwater- ola- ▁narrowing- ▁keenly- ▁banner- ▁incidents- ▁vertically- ▁catering- ou- ▁flooding- ob- figuring- ▁rev- ▁nonetheless- ▁universities- ▁afterwards- ▁batch- ▁visited- ▁venue- ▁assembled- ▁sean- directtoconsumer- ▁bundling- ▁conservatism- ▁fertilizer- ▁whatsoever- ▁cinema- ▁desk- ▁val- ▁movies- ▁whove- ▁touching- ▁alike- ▁inject- nex- ▁disclosing- ▁fastestgrowing- ▁matthew- ▁satisfactory- invest- ▁wake- ▁sending- ▁incoming- ▁containment- ▁ministry- ▁enduring- ▁synergistic- cha- ▁competency- oid- ▁systematic- ▁death- ▁emphasizing- ▁unparalleled- ▁insured- ▁verification- jo- ▁sessions- ▁saves- ▁impressions- ▁combines- ▁checking- ▁afraid- ▁cellular- ▁drought- ▁ethanol- ▁proppant- ▁spark- ▁revitaliz- ▁garner- ▁commencement- ▁tradeoff- ▁definitions- ▁ties- ▁alliances- ▁interestingly- ▁flavors- ▁commensurate- ▁vector- ▁veteran- ▁disorder- ▁groundwork- ▁consultant- ▁notification- tz- ▁odd- ▁ty- ▁lawsuit- ▁marcellus- ▁moderating- ▁arrow- ▁gun- ▁coin- ▁caps- ▁rem- aries- ▁emergenc- ▁transplant- ▁midsingledigit- ▁shore- ▁hyperscale- ▁bullet- ▁bound- ▁om- ▁packaged- ▁auctions- ▁def- ▁penetrating- ▁multichannel- ▁buck- ▁headroom- ▁formally- ▁directional- ▁breakout- ▁controller- elect- lc- ▁replenish- ▁arrival- ▁cubic- ▁ratabl- ▁campuses- ▁appliance- ino- ▁emerged- fold- ▁kentucky- ▁carries- ▁walked- ▁invent- ▁activate- stat- ▁sufficiently- ▁mt- ▁awaiting- ▁participant- ult- ▁logos- ▁passengers- ▁register- ▁privacy- ▁soybean- ▁suffice- ▁tackling- ▁candidly- ▁height- rtis- ▁landlords- ▁appeals- ▁embraced- ▁gig- ▁tension- first- ▁coincide- ▁egypt- ▁incorrect- ▁creep- ▁wound- ▁highperformance- ▁fallen- ▁article- ▁attended- ▁arr- yn- ▁concert- ▁actuarial- ▁widespread- ▁revert- ▁attachment- ▁boom- ▁catchup- ▁reallocate- ▁impaired- ▁listings- ▁winners- ▁refi- ▁accompany- ▁allowances- ▁tickets- ▁processors- ▁ear- ▁hikes- ▁administer- ▁anecdotal- ▁league- ▁backbone- ▁redeem- ▁presidential- ▁cure- ▁amortize- ▁boy- ▁fruits- ▁adjacenc- ▁certificate- ▁crowd- ▁suspension- ▁tranche- ▁initiation- ▁contrary- ▁stance- ▁intentionally- tar- ▁accessed- ▁trick- ▁airports- ▁confirms- ▁hair- ▁baker- ▁hum- ▁lit- ▁continent- ▁austin- ▁provincial- ▁unplanned- ▁vigilant- ▁pursuan- generative- ▁nodes- ▁terminated- ▁loose- ▁cameras- ▁analytic- nova- ▁kill- ▁datadriven- ▁breach- ▁diagnosis- ▁inception- ▁sponsorship- ▁visa- ▁duc- ▁oilfield- ▁exceeds- ▁restoration- ▁reside- ▁districts- ▁realities- ▁10000- ▁divisional- ▁extensively- ▁curtail- ▁cognitive- ▁cylinders- ▁metropoli- ▁tennessee- ▁abnormal- ▁exhaust- ▁spanish- ▁arising- ▁weakest- ▁prevailing- ▁financed- ▁ceiling- ▁envelope- ▁possess- ▁prevalent- ▁vancouver- ▁unitholder- ▁barry- ▁advantageous- ▁recommended- ▁warmer- ▁outsource- chem- ▁hat- ▁cooling- ▁files- mini- ▁smith- ▁arabia- ▁paramount- overquarter- ▁unwind- ▁buildup- ▁sym- ▁ports- ▁tag- weight- ▁illustrated- ▁aesthetic- ▁respiratory- ▁seismic- ▁wheat- ▁33- ▁missile- ▁municipalities- ▁anytime- ▁cooper- ▁footing- ▁architectures- ▁shopper- mu- idge- ▁squarely- ▁underperform- ▁reliant- ▁unclear- ▁vacant- ▁hesitate- ▁workloads- ▁seventh- ▁markdown- ▁distressed- ▁skewed- ▁featured- ▁modification- ▁resin- ▁rigor- ▁contemplating- ▁tourism- ▁fintech- ▁recycled- ▁reacting- ▁medi- ▁za- ▁likewise- ▁cel- ▁crazy- ▁policyholder- ▁angle- ▁presently- price- ough- ▁clubs- ▁halfway- ▁miami- ▁abroad- ▁digitization- ▁600- ▁army- ▁hole- iff- ▁inevitable- ▁bodies- ▁creek- ▁finland- ▁brew- home- ▁exercises- ▁frontend- ▁cf- ▁disrupted- ▁eco- ▁assessed- like- ▁minerals- ▁unfortunate- making- ▁antenna- ▁faith- ▁referencing- ▁underpinning- ▁initiating- ▁payoffs- ▁bidder- ▁tab- ▁brain- ▁epic- ▁blow- ways- ▁inspire- ▁growers- ▁disadvantage- ▁highmargin- ▁polish- ▁rebalance- ▁tractor- ▁sneak- ▁comfortably- ▁repeated- ▁repeatedly- roll- bio- ▁merge- ▁lam- stage- ▁jointly- ▁dakota- ▁roche- ▁truckload- ▁installment- ▁airplanes- ▁ted- ▁outpac- shop- friendly- ▁architect- ▁cruise- ▁entitlement- ▁exclusivit- ▁jonathan- ▁sampling- ▁teammates- ▁tumors- ▁peso- ▁committing- ▁haul- ▁spa- ▁logistic- ▁shed- ▁incorporates- ▁grants- connect- took- ▁applica- ▁electrification- ▁subsidies- ▁stu- ▁lagging- ▁supermarket- ▁validates- ▁establishment- ▁totality- ▁briefing- rick- ▁tablet- ▁beverages- ▁shoot- ▁triggered- ▁pla- ▁tan- worth- ▁football- ▁unveil- ▁deductible- ▁machinery- ▁sm- ▁bat- ▁mir- ▁repurchas- ▁reinvent- ▁tac- ▁dispatch- ▁reassess- ▁reliably- ▁roaming- ▁scientists- ▁bryan- ▁wrapping- ▁posture- ▁aspirations- located- ▁fred- lling- gro- ▁amendments- ▁chuck- ▁denmark- ▁lunch- ▁tendency- ▁sears- ▁prohibited- ▁encountered- ▁parents- ▁localized- ▁disaster- ▁disasters- ▁smallest- ▁matched- ▁organize- ▁lan- fire- ▁satisfying- ▁alleviate- ▁cardiac- ▁steadfast- ▁oftentimes- ▁hall- ▁traveling- ▁enabler- ▁sharebased- ▁merits- ura- ▁bla- ▁moderniz- count- ▁lessen- ▁ammonia- ▁captive- ▁housekeeping- ▁reluctant- ▁supreme- ▁costsaving- ▁complexities- ▁cancel- ▁inspired- ▁indiana- ▁arrived- ▁versions- ▁deb- ▁technicians- ▁ser- ▁intensify- ▁likeforlike- ▁marktomarket- ▁mechanics- ▁penalty- ▁umbrella- ▁uncover- ▁knowhow- ▁offense- ▁logo- ▁enduser- ▁permitted- ▁dead- ▁respected- ▁installing- ▁norms- ▁simon- grade- ▁setup- ▁tanks- ▁optimum- ▁stuck- ▁quest- ▁harsh- ▁nand- ▁msr- ▁tc- ▁absorbing- ▁acuit- ▁therapeutics- ▁compounded- ▁tightened- lp- ▁golden- ena- generating- ▁english- ▁louis- ▁necessity- ▁safeguard- ▁surveillance- ▁turnkey- ▁interval- ▁farmer- ▁coatings- ▁shutt- ▁citizens- ▁witness- ▁prescriber- ▁expressions- ▁peripheral- ▁responsibly- ▁substance- ▁potash- ▁filtration- ▁radical- ▁writeoff- ▁pathways- ▁viewers- ▁extrapolate- ▁seize- ▁unions- ▁struggled- body- ▁nat- ▁incentivize- ▁articulate- ▁fastgrowing- ▁theoretical- ▁grind- ▁accrue- ▁abilities- ▁longest- ▁lowercost- ▁eva- ▁gil- ▁companywide- through- ▁reprice- residential- ▁breath- ▁yearago- ▁preview- ▁josh- ▁william- equ- ▁admit- ▁trail- ▁mp- ▁introduc- ▁affairs- ▁ceramic- ▁probable- ▁sacrifice- ▁starbucks- ▁abandon- ▁moderately- ▁insert- umab- pass- ▁sounded- ▁permanently- brand- ▁crane- touch- ▁consuming- ▁mandatory- ▁pharmacies- ▁withstand- ▁vince- ▁justice- ▁cogs- ▁customization- ▁subcontractor- ▁exercised- ▁blocking- ▁bankruptcies- ▁hemisphere- ▁resolving- ▁singular- ▁structuring- ▁verizon- ▁cited- ▁headway- ▁logistical- ▁franchisee- tell- ▁cn- ▁admissions- ▁renegotiation- ▁revamp- ▁yourselves- ▁austria- ▁blind- ▁oregon- ▁royal- ▁refurbishment- ▁polymer- ▁brick- ▁pitch- ▁cranes- ▁refunds- ▁budgeted- ▁oled- force- ▁thresholds- ▁advertise- ▁pon- ▁undervalued- ▁backfill- ▁israel- ▁tube- ▁tightness- ▁55- ▁submissions- ▁dennis- ▁disposable- ▁interchange- ▁maritime- ▁overarching- ▁petroleum- ▁reject- ▁bleed- ▁wholly- ▁cc- ▁commissioned- ▁figured- ▁decor- ▁engineer- ▁broadest- ▁relentlessly- band- ▁vesting- ▁yard- ▁articles- ▁treasur- ▁arguably- ▁biometric- ▁rethink- ▁subdued- ▁arbitration- reclassification- ▁static- ▁periodically- ▁bumps- ▁cath- ▁occ- cloud- enabled- ▁binding- ▁cycling- ▁norwegian- ▁senate- ▁sophistication- ▁swedish- ▁telematics- ▁waiver- ▁ethylene- ▁dense- ▁tide- ▁peru- range- ▁pot- rel- facing- ▁perceive- ▁prep- ▁altogether- ▁featuring- ▁jerry- ▁philadelphia- ▁orphan- ▁assert- position- ▁atlas- ▁nda- logists- ▁abstract- ▁bureau- ▁earliest- ▁repatriation- ▁instructions- ▁sunday- ▁replenishment- ▁anomaly- ▁dominated- ▁customerfacing- ▁flattening- istic- ▁conservatively- ▁mary- ▁christi- ▁continual- '5000'- ▁fulfilling- ▁elevating- ▁rotation- ▁spectacular- ▁controllable- ▁betting- ▁onwards- ▁fedex- ▁mom- ▁dent- ▁tm- rich- ▁implication- ▁santa- ▁brickandmortar- ▁orientation- ▁giant- ▁pac- ▁virtue- ▁feebased- ▁delaying- cular- ▁swift- ▁shoes- ▁discern- ▁imbalance- ▁oversupply- ▁winwin- ▁sedar- ▁redirect- ▁alloy- ▁interconnection- unit- vy- ▁matches- ▁vein- forward- ▁lodging- ▁microphone- ▁unnecessary- ▁stockpile- ▁hook- ▁viability- ▁coordinated- ▁coil- ▁specifications- ▁travelers- ▁solved- ▁prioritized- ort- health- ▁boosted- ▁disappear- ▁cisco- ▁interview- ▁earth- ▁paydown- ▁versa- ▁compressed- ▁taper- ▁compounding- ▁landlord- ▁howard- ▁nerve- ▁spinoff- ▁biology- ▁reimbursed- ▁expiring- ▁nonperform- ▁standardization- ▁85- ▁tablets- ▁narrowed- ▁leaning- ▁biosimilar- ▁commoditiz- ▁connecticut- ▁untapped- ▁reconfigur- ▁matrix- ▁verify- ▁curtailment- ▁physically- ▁contra- ▁emission- ▁zo- ku- ▁prediction- ▁furnace- ▁immense- ▁drift- ▁painful- ▁terry- ▁lyn- ▁nearby- ▁bang- ▁harvesting- ▁yards- ▁dso- ▁holes- ▁palm- ▁blending- ▁closest- ▁cultivate- ▁ignore- ▁imminent- ▁inevitably- ▁obstacle- ▁cardiovascular- ▁stemming- ▁zinc- ▁panama- ▁favorability- ▁syndicated- ▁ow- ▁tooling- ▁tune- loaded- '80'- ▁hd- ▁placebo- ▁ef- ▁struck- ▁intersection- ▁48- ▁tempered- ▁wearable- ▁unrelated- ▁signaling- ▁korean- ▁aspiration- ▁steward- ▁feeding- ▁aforementioned- ▁narrative- ▁pandora- ▁pentup- ▁synthetic- ▁disappointment- ▁android- ▁philip- ▁rationalizing- ▁accompanied- ▁hourly- ▁emphasized- ▁migrated- ▁lapse- sproportionately- ▁biological- company- ▁contemporary- ▁deviation- ▁injuries- ▁lloyd- ▁reshaping- ▁undoubtedly- ▁unwavering- ▁burger- ▁flowthrough- ▁organ- ▁boats- ▁propose- ▁skew- ▁consortium- ▁jennifer- ▁shelves- ▁thanksgiving- ▁twitter- ▁fusion- ▁overlay- ▁supplied- ▁mother- ▁reorder- ▁rio- ▁imposed- ▁portable- ji- cept- ▁spo- ▁confidential- ▁surprisingly- space- ▁officials- ▁bolstered- hanging- ▁rp- ▁underline- ▁fiduciary- ▁rhythm- ▁paypal- ▁congratulations- ▁solicitation- ▁polar- ▁mapping- ▁landmark- ▁lucky- ▁unfolds- ▁canceled- ▁invited- ▁weaknesses- ▁pete- ▁sheer- ▁procure- ▁inspiration- ▁2012- ▁varied- ▁wrapped- ▁intimate- ▁romania- ▁indices- ▁broadened- ▁aspire- cade- ▁mold- ▁victory- ▁intentional- ▁deductions- rix- ▁blade- ▁pocket- ▁lc- ▁declare- ▁asphalt- ▁calculating- ▁occupied- ▁iphone- ▁smoke- ▁cybersecurity- ▁spill- ▁transferring- ▁instrumentation- ▁concurrently- ▁adopters- ▁md- ▁airplane- ▁cope- ▁staffed- ▁compromising- ▁ebay- ▁observing- ▁leak- ▁strat- ▁cater- ▁65- ette- ▁condo- ella- rock- ▁rand- ▁oc- ▁discretion- ▁disagree- ▁affinity- ▁degradation- ▁mississippi- ▁owe- uff- ▁distribut- ▁notified- ▁bc- ▁broke- ▁scenes- ▁kim- ▁tape- lining- ▁annuities- ▁ballpark- ▁dermatolog- ▁speculative- ▁striking- ▁stuart- ▁twin- ▁checkpoint- ▁gla- ▁excessive- ▁thoroughly- ▁megawatts- ▁richer- ▁plain- ▁clip- berry- ▁refreshed- ▁bottleneck- ▁credential- ▁nervous- ▁vegetable- ▁kelly- ▁outlay- ▁gray- ▁occasionally- ▁highvolume- ▁fitting- ▁rebranding- ▁activated- ▁creditors- ▁summariz- ▁isolate- ▁cosmetic- ▁reevaluate- ▁vascular- ▁trace- lake- wall- ▁nearest- ▁acquirer- ▁levered- ▁eating- ▁winner- ▁cigarette- ▁collapse- ▁confused- ▁scrubber- ▁tunnel- ▁assigned- ▁flush- ▁maria- ▁colon- ▁tel- ▁passage- ▁graphics- ▁stewards- ▁lump- person- ▁commonly- ▁gallons- flex- ▁elasticity- ▁specification- ▁specificity- ▁earnout- ▁interacting- dale- ▁cv- ▁virgin- ▁accelerator- ▁companion- ▁confusing- ▁dutch- ▁laboratories- ▁leather- ▁predicated- ▁emotional- ▁quo- ▁ppa- ▁speakers- developed- away- ▁automating- ▁colocation- ▁contingencies- ▁credible- ▁landfill- ▁scrutiny- ▁console- ▁hallmark- ▁prescribing- ▁systematically- ▁pullback- ▁competence- ▁enrolling- ▁instruct- ▁correlate- zi- ▁earthquake- ▁sunrise- ▁wrote- ▁exponential- ▁indoor- ▁drone- ▁reactivation- gl- ▁industrywide- ▁readers- ▁aged- ▁resident- ▁deduction- ▁reorganiz- ▁redefine- ▁charlotte- ▁circulation- ▁influencing- ▁marriott- ▁weakened- ▁backwards- ▁drew- ▁nc- ▁sage- ▁recruited- ▁prevail- ▁designation- ▁encounter- trans- intensive- watch- ▁blockchain- ▁boutique- ▁missioncritical- ▁quartile- ▁rubber- ▁speech- ▁transitory- ▁automatic- ▁denominator- ▁spur- ▁distracted- ▁todate- ▁diagnosed- ▁buses- ▁shy- ▁noble- ▁passes- ▁penetrated- ▁oh- ▁adherence- ▁estimation- ▁lincoln- ▁monetary- ▁preservation- ▁stimulation- ▁drain- ▁nashville- ▁rack- ▁amend- ▁declared- ▁viewpoint- ▁distributing- ▁hunting- ▁lifted- ▁reserv- ▁upturn- ▁ener- ▁enforce- ▁devastating- ▁independence- ▁multitude- ▁nowhere- ▁avoiding- ▁knee- ▁presume- ▁commend- ▁auditors- ▁avid- ▁accepting- ▁successor- ▁weighed- tek- ▁circumstance- ▁rebate- science- ▁nurses- ▁estimating- ▁fundraising- ▁gratitude- ▁hydraulic- ▁nafta- ▁anthem- ▁writedown- ▁layout- ▁warehous- ▁suspended- ▁stacked- ▁risen- '90'- ▁terminate- system- ▁evan- group- ▁junior- ▁phrase- ▁poultry- ▁repaid- ▁easing- ▁render- ▁toptier- ▁quantified- ▁scrapping- ▁attempting- burg- ▁rightsize- ▁wholesalers- ▁poll- ▁npl- ▁subside- ▁quoted- ▁mic- ▁genesis- tinib- ▁debit- ▁bike- ▁carol- ▁expired- ▁800- ▁coke- ▁thomas- ▁utica- ▁amenities- ▁airbus- ▁retrospective- ▁breakfast- ▁chair- ▁customercentric- ▁stating- ▁repurpos- written- ▁alcohol- ▁columbus- ▁gratifying- ▁inconsistent- ▁pellet- ▁rebroadcast- ▁yellow- ▁distill- ▁bowl- ▁uneven- ▁pulse- ▁sponsored- ▁hero- ▁granularit- ▁explicit- ▁nonoperat- ▁helicopter- ▁puzzle- ▁thursday- ▁mattress- ▁ebb- dium- ▁classroom- ▁05- ▁rigid- ▁nail- ▁cracker- ▁reorganized- ▁freeze- ▁lining- ▁dun- ▁remodeling- ▁origin- ▁designers- ▁judicious- ▁longevity- ▁nigeria- ▁singlefamily- ▁studied- ▁idaho- ▁antibody- ▁maryland- ▁tampa- ▁marty- ▁carryover- ▁exacerbated- ▁seal- ▁steri- ▁needless- ▁categorize- ▁duplicate- ▁insulation- ▁omidria- ▁propensity- ▁redundant- ▁shipyard- ▁anxious- ▁investigate- ▁minister- ▁originating- ▁bird- ▁acid- ▁accommodation- ▁divided- ▁compressor- ▁diy- ▁franc- ▁backoffice- ▁frustrating- ▁granite- ▁irrigation- ▁juncture- ▁iowa- ▁virus- ▁watt- ▁latestage- ▁hello- ▁remiss- ▁bt- ▁advertiser- ▁luck- ▁benchmarking- ▁abundant- ▁ambulatory- ▁condensate- ▁conversely- ▁dashboard- ▁netflix- ▁supervisor- ▁sidelines- ▁tailings- ▁allied- ▁hate- scape- ▁harmon- vel- ▁constellation- ▁empire- ▁feasible- ▁negligible- ▁outbound- ▁portugal- ▁preclude- ▁settling- ▁headset- ▁portland- ▁recur- ▁ram- ▁readout- jet- weighted- ▁entrepreneurs- ▁qualifying- ▁advisor- ▁700- ▁diet- ▁subsidy- ▁fierce- ▁conceptual- ▁motorcycle- ▁mount- ▁recast- ▁nash- ▁frontier- iq- ▁proportional- ▁customize- ▁concurrent- ▁mro- ▁accumulation- ▁beneficiary- ▁calgary- ▁hudson- ▁jamie- ▁restoring- ▁heels- ▁fre- ▁foodservice- ▁karen- ▁5000- ▁aaron- ▁illustration- ▁boss- ▁rally- ▁envi- ▁mb- ▁practically- ▁graphic- uel- ▁37- ▁150- ▁exhibited- ▁noncontroll- ▁sync- ▁refinanced- ▁nano- ▁arkansas- ▁balloon- ▁caveat- ▁village- ▁daniel- ▁oracle- ▁boundaries- ▁comcast- recapitalization- ▁maxim- ▁stopping- ▁rightsizing- ▁formular- ▁coating- awa- ▁scar- ▁educated- '70'- hill- ▁accu- rent- ▁obligat- ▁etf- ▁cleveland- ▁expansive- ▁hyatt- ▁pointofsale- ▁sandwich- ▁susan- trend- ▁timber- ▁prostate- factor- ▁arch- ▁concerted- ▁chem- ▁severely- label- ▁syndicate- ▁displace- ▁constituent- ▁czech- ▁rehabilitation- ▁recoup- ▁relax- ▁discharge- ▁monster- ▁plot- ▁methodolog- ▁bdc- ▁immuno- ▁overwhelmingly- ▁lengthy- ▁denominat- ▁cotton- ▁irrespective- ▁nonaccrual- ▁refranchising- ▁plateau- ▁dirt- ▁glenn- ▁marin- ▁johnson- ▁renovated- tron- track- ▁respectively- ▁validat- ▁sb- ▁afforded- ▁fragrance- ▁immunooncology- ▁lingering- ▁stellar- ▁syndication- ▁welcoming- ▁nominat- ▁substitution- ▁stan- ▁refill- ▁loe- center- tronics- look- selling- craft- ▁born- ▁academy- ▁athletic- ▁entail- ▁exclusion- ▁mutation- ▁preceding- ▁substantive- ▁brake- ▁julie- ensification- ▁gathered- ▁constrain- ▁habit- ▁reacted- ▁subscribe- ▁stagger- ▁expedite- ▁cease- ▁crossover- ▁persistence- ▁checkout- ▁insulated- ▁onset- ▁ul- ▁restated- ▁ranked- ▁amortiz- income- ▁apollo- ▁fossil- ▁identical- ▁leach- ▁lowermargin- ▁registry- ▁sacrificing- ▁utmost- ▁vacuum- ▁jean- ▁abuse- ▁macys- ▁temper- ▁statistically- drawn- ▁appreciative- ▁mentality- ▁procedural- ▁sydney- ▁pork- ▁azure- ▁shield- ▁injectable- ▁alive- ▁thermo- ▁pave- ▁neil- pla- ▁hone- ▁sporting- branded- ▁redo- working- genic- bell- ▁decommission- ▁nurture- ▁selfservice- ▁capita- ▁authentication- ▁hint- ▁expedited- ▁tying- ▁38- ▁fracture- ▁derisking- ▁employing- ▁fulfilled- ▁commercializing- ▁ameri- ▁transmit- break- ▁random- dequacy- ▁crossborder- ▁educator- ▁inclined- ▁samsung- ▁insulin- ▁inquiry- setting- ▁prescribed- ▁skip- ▁compress- ▁die- ▁coordinate- ▁anthony- ▁beijing- ▁counterparties- ▁festival- ▁nielsen- ▁proliferation- ▁subordinate- ▁staple- ▁thick- ▁boiler- ▁precedent- ▁timetable- ▁digging- ▁foothold- ▁contest- ▁tableau- ▁receptive- ▁hip- ▁explicitly- ▁salesforce- ▁shooting- ▁commenc- abilities- trade- ▁administrator- ▁congestion- ▁detriment- ▁episode- ▁hesitant- ▁hygiene- ▁scarcity- ▁smelter- ▁turmoil- ▁waterfall- ▁sweep- ▁standardize- ▁ranch- ▁advent- ▁smb- ▁influencer- utter- ▁95- ▁motivate- ▁accustomed- ▁chassis- ▁invaluable- ▁reestablish- ▁situated- ▁stimulus- ▁tandem- ▁volunteer- ▁prioritization- ▁compass- ▁scanner- ▁firewall- ▁blackstone- ▁crest- ▁cardio- ▁accessory- more- ▁steering- ▁cow- ▁marlin- ▁retired- ▁curate- ▁dean- ▁repo- ▁turk- ▁alternate- ▁analyses- ▁dialysis- ▁intensified- ▁penalties- ▁sensitivities- ▁worthwhile- ▁hazard- ▁remarkably- ▁blackrock- ▁agnostic- ▁cooperative- ▁lengthen- ▁steven- ▁formulate- ▁pv- ▁funeral- ▁ladder- ▁pinnacle- ▁postacute- ▁snapshot- ▁titanium- ▁brandnew- ▁shallow- ▁halo- ▁crown- zone- ▁railway- ▁slated- ▁await- ▁steer- ▁20000- yield- script- ▁caliber- ▁devoted- ▁eighth- ▁mouth- ▁postpaid- ▁aggregation- ▁cliff- ▁responsiveness- ▁string- ▁kin- ▁jones- ▁toughest- ▁char- ▁restored- ▁poster- ▁melt- ▁illustrat- ▁insider- mitted- ▁renovat- ▁renegotiate- ▁dinner- ▁reengineer- ▁thumb- ▁taxpayer- ▁arbitrage- ▁tipping- ▁stripping- ▁tapping- ▁mood- ▁dick- hub- sphere- ▁accumulate- ▁backtoschool- ▁orthopedic- ▁outweigh- ▁suppress- ▁reclassifie- ▁interestbearing- ▁choppi- ▁jackup- ▁popularity- ▁discoveries- hawk- ▁pam- ▁reallocat- ▁vulnerable- ▁sincerely- ▁trauma- ▁fellow- ▁warner- ▁capped- ▁seven- ▁centric- ▁earnest- ▁inspect- ▁pose- petition- ▁leaseup- ▁outgrow- volt- ▁digitize- ▁dedicate- ▁discontinue- ▁depreciate- ▁lithium- ▁philosophical- ▁framing- ▁cheese- ▁vending- ▁chegg- ▁clock- ▁purposeful- ▁cleanup- ▁knowledgeable- ▁cooperate- ▁cooler- ▁compliment- ▁dispense- ▁mathematical- ▁perimeter- ▁ralph- ▁retiring- ▁utah- ▁birth- ▁remediate- ▁laserfocused- ▁iteration- ▁tenet- ▁wisely- ▁renegotiated- ▁routinely- ▁nr- ▁buyout- code- ▁redesigned- ▁flor- ▁incent- ▁grocer- process- structure- ▁destiny- ▁underpenetrated- ▁busiest- ▁forthcoming- ▁virtuous- ▁plaza- ▁racing- eye- ▁3000- ▁payoff- ▁ortho- ▁merged- ▁inhibit- ▁vista- ▁watches- ▁deducti- charge- profit- energy- wind- ▁chemotherapy- ▁entrance- ▁facilitating- ▁happier- ▁legislature- ▁timeframe- ▁vacancies- ▁bargain- ▁lobby- ▁tokyo- ▁slope- ▁cedar- ▁specify- ▁protest- ▁roster- ▁voting- ▁withdrawal- ▁reallocation- ▁standby- ▁vale- ▁earlystage- ▁redevelop- ▁hp- ▁pest- front- ▁insist- beat- ▁alabama- ▁empty- ▁endorsement- ▁examining- ▁experiential- ▁rainfall- ▁separating- ▁iridium- ▁wellbeing- ▁liber- ▁recreational- ▁connector- ▁barge- ▁highgrade- ▁designated- ▁liquidate- ▁yo- action- ▁cpg- ▁suspend- ▁genuine- active- heim- utilized- ▁sma- ▁advocacy- ▁antibodies- ▁conservation- ▁hydrocarbon- ▁mismatch- ▁oxygen- ▁refractor- ▁unfair- ▁disability- ▁downgrade- ▁cabin- iston- ▁bolt- ▁120- suite- ▁enzyme- ▁hilton- ▁offensive- ▁testimony- ▁clothing- ▁restocking- ▁beacon- ▁defect- ▁nurse- ▁tal- ▁mixture- ▁dish- ▁activat- ▁pp- ▁citi- period- ▁inroads- ▁kroger- ▁vigorously- ▁2011- ▁pushback- ▁protective- ▁traders- ▁barn- ▁midsize- ▁increment- competitive- ▁fabulous- ▁hospice- ▁nitrogen- ▁practitioner- ▁restatement- ▁robinson- ▁segregat- ▁unconventional- ▁girl- ▁pbm- ▁instill- ▁loud- ▁characteristic- ▁realistically- ▁headquarter- ▁furnished- ▁highperforming- ▁amid- ▁flagged- ▁haynes- ▁problematic- ▁scoop- ▁sovereign- ▁voyage- ▁merely- ▁pinpoint- ▁prepay- ▁dependence- ▁marry- ▁lions- ▁superiority- megawatt- ▁excite- ▁jeremy- ▁refrigerated- ▁turbo- ▁unreasonable- ▁humble- ▁infant- ▁baking- ▁divert- ▁lte- ▁sharper- ▁colder- ▁monotherap- ▁consult- ▁correspond- ▁reinvigorate- platform- producing- order- check- resistant- ▁culinary- ▁flawless- ▁inherited- ▁nontraditional- ▁remeasurement- ▁wellknown- ▁winnebago- ▁revising- ▁lagged- ▁depict- ▁juice- ▁hypothesis- ▁dwell- ▁publisher- ▁reuse- hole- ▁heck- consolidated- built- prime- ▁depletion- ▁secondarily- ▁mlp- ▁weapon- ▁swiftly- ▁softened- ▁mil- ▁rainy- ▁blast- ▁coat- ▁expose- ▁furnish- wire- ▁bacteria- ▁baseball- ▁oxide- ▁prestigious- ▁stranded- ▁vantage- ▁slice- ▁thread- ▁michelle- ▁deduct- defined- ▁farther- ▁exhibition- scope- ▁bloom- ▁destroy- ▁plumbing- ▁reconsider- ▁unleash- ▁scanning- ▁parse- ▁clay- ▁personalize- neutral- ▁frustration- ▁highspeed- ▁targa- ▁kirk- ▁rescue- ▁subsidize- ▁steal- ▁mentor- ▁harris- ▁aspirational- ▁resale- borne- ▁deter- ▁pine- transmission- ▁onprem- ▁carriage- ▁invitation- ▁peace- ▁reconciling- ▁saturday- ▁selfhelp- ▁sulfur- ▁triumph- ▁escalate- ▁viral- ▁ethical- ▁ibm- ▁cameron- ▁sizing- ▁instantly- ▁creators- prong- ▁bull- ▁reaccelerat- ▁refurbish- ▁nascar- ▁retroactive- ▁unforeseen- ▁remix- ▁coding- ▁blueprint- ▁merging- ▁roast- arity- ▁existence- ▁resist- ▁assistant- ▁shaw- ▁technique- ▁genuinely- fast- ▁mobilize- ▁victoria- ▁interventional- axis- ▁soften- ▁tile- ▁attribution- ▁blockbuster- ▁insignificant- ▁literature- ▁qualities- ▁steroid- ▁terribly- ▁copies- ▁intercept- ▁welding- ▁tricky- sky- ▁scrip- ▁tec- munications- ▁nutritional- ▁nii- ▁tradition- economic- ▁kiosk- ▁pfizer- ▁unsustainabl- ▁buoy- ▁copyright- ▁elite- ▁rebuilt- ▁fcc- ▁midway- ▁sba- ▁offprice- plex- ▁distress- digit- appropriate- ▁interopera- ▁incidence- ▁jordan- ▁slippage- ▁calibrate- ▁shaft- ▁textile- ▁discontinuation- ▁confidentiality- ▁dump- ▁dropdown- ▁realworld- ▁chargeoff- ▁compact- ▁surround- ▁biopharma- ▁brilliant- ▁groundbreaking- ▁halloween- ▁microbiome- ▁migraine- ▁politics- ▁prestige- ▁pyramid- ▁synchroniz- ▁catheter- ▁advertisement- ▁revolutionary- ▁bread- ▁centre- ▁shoe- ▁parity- ▁withdraw- ▁albert- ▁50000- regulated- function- ▁acknowledging- ▁admittedly- ▁editorial- ▁mercury- ▁pragmatic- ▁stainless- ▁irrational- ▁illumina- ▁tmobile- ▁pullthrough- ▁classify- ▁highyield- ▁stockholder- ▁broadcasters- ▁fisher- ▁taco- ▁dilute- ▁deficiency- ▁influx- ▁occupy- ▁rehab- ▁reinsurer- ▁carpet- ▁hypothetical- ▁recalibrat- ▁lottery- ▁dyna- ▁marcus- ▁outlier- ▁reversion- ▁visitation- ▁guideline- stack- ▁peg- ▁bubble- ▁buffalo- ▁myriad- ▁bancorp- ▁leakage- ▁firing- ▁redeployment- ▁pole- smart- ddle- ▁epa- ▁basketball- ▁cohesive- ▁curriculum- ▁false- ▁greece- ▁lowmargin- ▁taylor- ▁unbelievabl- ▁tesco- ▁cascade- ▁darren- ▁clause- ▁hung- ▁strange- ▁tiny- ▁mediumsized- ▁irish- ▁professionalism- ▁adaptive- ▁stride- ▁joel- ▁aggregator- ▁redistribut- ▁probe- ▁bath- ▁remark- ▁chamber- ▁collision- ▁pervasive- ▁uncommon- ▁footnote- ▁youtube- ▁sick- ▁latency- ▁colleague- ▁extraction- motion- high- ▁msa- ▁antitrust- ▁asiapacific- ▁consummate- ▁hampered- ▁impediment- ▁receptor- ▁socalled- ▁plasma- ▁promo- ▁redundancy- ▁affo- ▁lenses- ▁gut- ▁immunotherap- ▁tall- ▁reactivate- ▁abundance- ▁acquisitive- ▁autumn- ▁cologuard- ▁infotainment- ▁refrigeration- ▁veterinary- ▁behaving- ▁diving- ▁booth- ▁halt- ▁radiation- ▁lisa- sense- ▁restriction- ▁revers- post- spoke- ▁underscor- ▁vocal- mobile- ▁charlie- ▁exterior- ▁hidden- ▁locomotive- ▁maturation- ▁cardinal- ▁orleans- ▁remedy- ▁traits- ▁instability- ▁originator- ▁marvel- ▁manpower- ▁quint- ▁heartland- rgus- ▁edition- ▁christian- ▁fractur- ▁divide- ▁glen- ▁ambassador- ▁arriving- ▁believing- ▁beneficiaries- ▁democrat- ▁detroit- ▁mortar- ▁turbulence- ▁dismiss- ▁geological- ▁seemingly- ▁pathogen- ▁tyler- ▁fireeye- ▁adhere- ▁lifo- ▁greenhouse- ▁opec- ▁hva- brook- ▁rework- ▁prohibit- ▁biomass- ▁costcutting- ▁excise- ▁proposing- ▁bunker- ▁fault- ▁brett- ▁cheapest- ▁garage- pharm- ▁yu- '06'- ▁buzz- ▁census- ▁delineation- ▁dependency- ▁evergreen- ▁exercising- ▁interference- ▁patterson- ▁referendum- ▁simplifies- ▁ninth- ▁recurrent- ▁campbell- ▁debut- ▁confront- ▁cream- ▁retin- nanometer- ▁photograph- ▁raj- ▁dominate- direct- ▁persistenc- ▁decentralized- ▁dissipate- ▁episodic- ▁latam- ▁mosaic- ▁petrobras- ▁resumption- ▁syndrome- ▁fixtures- ▁randomized- ▁reconstruction- ▁quant- ▁reinvention- leading- ▁simultaneous- ▁chocolate- ▁dangerous- ▁deteriorating- ▁inflammation- ▁laundry- ▁midatlantic- ▁parliament- ▁retool- ▁renal- ▁tolerance- ▁pollution- ▁timberland- operative- ▁ferro- ▁vitality- sharing- bury- ▁accessibility- ▁celebrating- ▁female- ▁frequencies- ▁hollywood- ▁relocating- ▁hinder- ▁spray- ▁leadingedge- ▁transpire- ▁goodbye- ▁macau- ▁poker- ▁eplex- ▁lapped- ▁wow- ▁juan- ▁insurer- ▁dell- ▁configure- ▁pile- ▁anomal- central- ▁phenomena- ▁appalachia- ▁cobalt- ▁cocacola- ▁lucrative- ▁slipped- ▁westinghouse- ▁vinyl- ▁organizing- ▁apex- ▁swim- ▁reactive- contract- supplied- ▁mitch- ▁attorney- ▁compatible- ▁conducive- ▁disparate- ▁explosive- ▁morris- ▁multifaceted- ▁wellestablished- ▁nucor- ▁displacement- ▁lauren- ▁noticing- ▁dust- ▁admission- ▁etsy- ▁biologic- ▁tear- ▁equip- ▁rocket- development- ▁criticized- ▁cuttingedge- ▁facilitator- ▁inaugura- ▁longhaul- ▁preempt- ▁prolific- ▁relapse- ▁unacceptable- ▁watson- ▁wyndham- ▁obsess- ▁overcoming- ▁vacate- ▁expare- ▁sensi- ▁recontract- ▁submitting- ▁aisle- ▁feat- ▁statistic- ▁heali- ▁30000- enhancing- ▁biopsy- ▁dublin- ▁exemplifie- ▁implicit- ▁peanut- ▁shadow- ▁submarine- ▁lawyers- ▁tubing- ▁misleading- ▁florence- ▁paving- ▁intermediary- ▁reagent- ▁thriving- ▁spanning- ▁dolby- ▁sweetener- ▁sweat- ▁alluding- ▁consultative- ▁drastically- ▁scarce- ▁merck- ▁resell- ▁peel- authorized- ▁contiguous- ▁counterparty- ▁decoupl- ▁desperate- ▁entrust- ▁examination- ▁hindsight- ▁remunerati- ▁valuecreation- ▁veterinarian- ▁walter- ▁wednesday- ▁whiskey- ▁knit- ▁expeditious- ▁linkage- ▁ltl- ission- ▁handicap- ▁bake- ▁ecom- ▁stead- foot- ▁faculty- ▁insufficient- ▁magnetic- ▁modalities- ▁quantification- ▁rotate- ▁correspondent- ▁farmland- ▁ccar- billed- ▁citizen- ▁culminat- ▁affluent- ▁amplified- ▁fibrosis- ▁inaccurate- ▁microchip- ▁resurgence- ▁stadium- ▁susceptible- ▁volkswagen- ▁coalition- ▁grasp- ▁unused- ▁ross- ▁moodys- ▁vault- ▁culmination- ▁canyon- ▁5050- ▁copay- ▁teva- ▁collaborator- ▁interrupt- grid- ▁ammunition- ▁celebration- ▁dispensing- ▁injunction- ▁nutrient- ▁phosphate- ▁predecessor- ▁splunk- ▁aftermath- ▁viewership- ▁delineate- ▁smile- ▁admin- ▁twofold- ▁crisp- tegra- ▁blip- eep- ▁locate- ▁definite- ▁wan- credit- ▁flotek- ▁henry- ▁adobe- ▁journalism- ▁kona- ▁inverse- ▁investigator- aze- ▁expedit- claim- ▁disturb- ▁equilibrium- ▁everchanging- ▁identifies- ▁nonstrategic- ▁triferic- ▁southeastern- ▁contend- ▁tolerated- ▁illegal- ▁focal- ▁lids- ▁dataset- ▁void- ▁gat- ngest- employ- screen- sheet- ▁bracket- ▁brokerdealer- ▁chipotle- ▁cushing- ▁exemption- ▁keppel- ▁omnipod- ▁propulsion- ▁prudence- ▁tournament- ▁sauce- ▁equate- ▁indebted- ▁suggestions- xcel- ▁imagery- ▁reoccurr- ▁cede- ▁revolve- ▁argentin- collect- ▁arrange- ▁compensating- ▁debenture- ▁formidable- ▁kratos- ▁police- ▁toxicity- ▁vitamin- ▁template- ▁valuing- ▁relieve- ▁dtc- ▁drawdown- ▁hack- glass- ▁shine- ▁iterate- scribed- ▁reimag- ▁biopharmaceutic- ▁brookfield- ▁clarified- ▁commonwealth- ▁hampshire- ▁influential- ▁protracted- ▁reassure- ▁resolute- ▁rotating- ▁styren- ▁alpine- ▁cultivating- ▁finite- ▁tommy- burn- ▁multiproduct- enberg- ▁nap- ▁noncomp- ▁decelerate- rrell- ▁rebrand- world- ▁michel- ▁immersive- ▁intermediaries- ▁methanol- ▁microcontroller- ▁overshadow- ▁reconfirm- ▁recurrence- ▁residence- ▁hungary- ▁tutor- ▁mobilization- ▁secretary- ▁duplication- ▁cake- ▁enact- ▁stakeholder- arables- ▁famous- ▁infringement- ▁marquee- ▁mezzanine- ▁oxford- ▁renegotiating- ▁attendee- ▁tilt- ▁jose- ▁linda- ▁decelerat- capitalized- ▁alumina- ▁approving- ▁consolidator- ▁elevation- ▁kathy- ▁offpremise- ▁pledge- ▁redetermination- ▁unintended- ▁honda- ▁punch- ▁multiply- ▁tuning- ▁cryo- ▁crystallize- ▁berlin- ▁forrester- ▁wellbore- ▁laura- ▁reimagine- ▁chatter- ▁cube- udge- ▁mario- ctive- earning- ▁autonomy- ▁expensing- ▁invoicing- ▁multimillion- ▁voucher- ▁acoustic- ▁craftsman- ▁remedies- ▁shelter- ▁britain- ▁deviate- ▁fastener- ▁montana- '500'- resuming- ▁atmosphere- ▁caustic- ▁consignment- ▁criminal- ▁infectious- ▁legitimate- ▁uranium- ▁scoring- ▁erode- ▁hungry- ▁ruble- ▁mint- organically- ▁harmonize- ▁cobrand- constrained- business- engine- ▁catastrophic- ▁circular- ▁finetune- ▁obsolete- ▁occupier- ▁securitize- ▁pruning- ▁surgeries- ▁sequel- ▁diameter- ▁combo- ▁technician- treated- ▁impair- ▁occupanc- ▁ethic- ▁drastic- ▁brothers- ▁celebrity- ▁deemphasiz- ▁destruction- ▁explosion- ▁freddie- ▁qualcomm- ▁scatter- ▁backhaul- ▁investigating- ▁encore- ▁geology- dollar- ▁victor- ▁subcontract- ▁receptiv- ferred- target- ▁eligibility- ▁energies- ▁entries- ▁expend- ▁gravitat- ▁ignite- ▁mifid- ▁refrain- ▁savvy- ▁terrible- ▁bondholder- ▁chlor- ▁aerial- ▁cattle- ▁potent- ▁exert- volume- managed- ▁averaging- ▁awesome- ▁cincinnati- ▁deficiencies- ▁delinquent- ▁knight- ▁varieties- ▁elegant- ▁flesh- ▁ourself- ▁theatrical- ▁subtract- ▁grace- ▁textbook- ▁elongat- ▁lull- structive- ground- ▁alzheimers- ▁coherent- ▁combustion- ▁franchising- ▁instagram- ▁prebuy- ▁requisite- ▁triangle- ▁wyoming- ▁reacceleration- ▁ltac- adjusted- mount- ▁grip- ▁computation- ▁accumulating- ▁carpenter- ▁cartridge- ▁escalating- ▁himself- ▁neurology- ▁trinity- ▁unmanned- ▁wolfcamp- ▁yeartoyear- ▁ubiquitous- ▁aetna- ▁blanket- capital- ▁solicit- ▁anxiety- ▁frankfurt- ▁judicial- ▁melbourne- ▁recompete- ▁tubular- ▁tuition- ▁zika- ▁custodia- ▁medallion- ▁socket- ▁repeal- ▁joseph- ▁panther- ▁verified- manufactur- ▁adhesive- ▁cockpit- ▁denim- ▁minneapolis- ▁multiplier- ▁substrate- ▁wisdom- ▁citrus- ▁esports- ▁brink- ▁inflated- ▁overrid- ▁retreat- ▁diagnose- ▁allegations- ▁brookdale- ▁derby- ▁edmonton- ▁marathon- ▁nowadays- ▁populated- ▁recipient- ▁roadshow- ▁seafood- ▁yelp- ▁diplomat- ▁envisage- ▁haptic- ▁handbag- ▁nokia- ▁relies- itude- ▁dominic- midst- ▁articulat- normal- ▁addiction- ▁deutsche- ▁explorator- ▁hiccup- ▁honeywell- ▁immigration- ▁mainframe- ▁metabolic- ▁compelled- horn- dependent- ▁appreciating- ▁confluence- ▁corrugated- ▁gambling- ▁inexpensive- ▁malibu- ▁pakistan- ▁privatization- ▁scandinavia- ▁unaudit- ▁orchard- ▁serial- ▁preleasing- ▁quebec- ▁societies- ▁wherewithal- ▁prince- ▁daytona- ▁trustees- ▁forensic- ▁fortify- ▁coronary- ▁sunset- ▁unrest- ▁immunolog- ▁distract- ▁appoint- quarteronquarter- ▁candid- represented- impact- ▁certify- ▁condominium- ▁coworkers- ▁epidemic- ▁gigabit- ▁kuwait- ▁sleeve- ▁turbulent- ▁verdict- ▁voltage- ▁upswing- ▁precede- ▁bridg- graphic- ▁fanni- ▁overwhelm- typical- ▁fascinating- ▁hurry- ▁impetus- ▁kilometers- ▁monarch- ▁orchestration- ▁politicians- ▁preopening- ▁repatriate- ▁stoppage- ▁tragic- ▁versatility- ▁enzo- ▁zoning- ▁salmon- ▁caterpillar- ▁halliburton- ▁indefinite- ▁parkinsons- ▁redefining- ▁uncomfortable- ▁valentine- ▁bmw- ▁outdated- ▁outstrip- ▁induce- style- ▁intersect- dilutive- ▁complacent- ▁disposing- ▁ethernet- ▁generous- ▁hesitation- ▁kingdom- ▁machining- ▁numerical- ▁richmond- ▁silhouette- ▁valuecreating- ▁yodle- ▁rasm- ▁charitabl- ▁tropica- ▁expir- ▁readjust- ▁cataract- ▁contamination- ▁deconsolidation- ▁demonstrabl- ▁divergence- ▁dubai- ▁escrow- ▁everincreasing- ▁inadequate- ▁pencil- ▁unwilling- ▁acumen- ▁debbie- ▁helix- ▁pulmon- ▁amenity- ▁tertiar- ▁ascend- ▁brush- ▁carveout- ▁centennial- ▁extrusion- ▁hispanic- ▁momentarily- ▁multitenant- ▁unaffected- ▁exaggerat- ntamina- ▁worsening- ▁allison- ▁symptom- ▁discontinu- ▁accommodati- propylene- ▁acknowledgment- ▁applaud- ▁binary- ▁boulder- ▁crossfunctional- ▁determinant- ▁grubhub- ▁lvt- ▁morbidit- ▁substation- ▁unencumber- ▁infinite- ▁cgm- constantcurrency- ▁brussels- ▁conduit- ▁countermeasure- ▁courage- ▁distant- ▁fragile- ▁melanoma- ▁motivating- ▁repetitive- ▁rhetoric- ▁smoking- ▁walgreen- ▁gordon- ▁recliner- ▁noisy- ▁angola- ▁rebid- ▁mobiliz- focus- financial- profile- ▁barclay- ▁convincing- ▁disseminate- ▁gratified- ▁intimacy- ▁ovarian- ▁savanna- ▁sierra- ▁storytelling- ▁thrust- ▁babies- ▁lilly- ▁capsule- ▁limb- ▁prescribe- ▁scene- ruct- ▁accru- ▁virtu- driving- monetization- ▁jewel- ▁dedicating- ▁gartner- ▁glimpse- ▁nutshell- ▁unbundl- ▁upholstery- ▁advising- ▁cocoa- ▁athena- ▁confine- ▁unlever- ntelo- deductible- region- ▁elastic- ▁abrupt- ▁appropriation- ▁elderly- ▁encryption- ▁gentleman- ▁graham- ▁halves- ▁invisalign- ▁mcdonalds- ▁opportune- ▁potato- ▁unanimous- ▁vascepa- ▁vulnerability- ▁xerox- ▁horr- milligram- ▁reinvigorat- ▁activi- soft- ▁prototyp- ological- ▁consequent- public- figure- licensing- ▁adjudicat- ▁amphenol- ▁anadarko- ▁calibration- ▁concentrator- ▁denial- ▁displacing- ▁eclipse- ▁headache- ▁obesity- ▁scotland- ▁vigor- ▁welfare- ▁blessed- ▁telephon- ography- '010'- ▁accentuate- ▁cannibalize- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "description_zh": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout ddd205f05e4a323a0aeb5cae81604a7bb5abfa45pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Sat Feb 27 10:10:35 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.7`- pytorch version: `pytorch 1.7.1`- Git hash: `3572c4ecd74a9b1c77c639fce40e9318d254c5a6` - Commit date: `Thu Feb 25 18:52:24 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|95401|97.7|1.6|0.7|0.6|2.9|38.7||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|946469|97.6|1.7|0.8|0.6|3.0|39.2|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|543236|99.0|0.2|0.8|0.4|1.4|38.7||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|5393048|99.0|0.2|0.8|0.4|1.4|39.2|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k|4000|98503|97.4|1.6|1.0|0.5|3.1|38.7||decode_asr_lm_lm_train_lm_en_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val|39341|979382|97.2|1.7|1.1|0.5|3.3|39.2|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 42966dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_en_bpe10000/train/speech_shape- exp/asr_stats_raw_en_bpe10000/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_en_bpe10000/valid/speech_shape- exp/asr_stats_raw_en_bpe10000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_nodev/wav.scp - speech - sound- - dump/raw/train_nodev/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/wav.scp - speech - sound- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁our- ▁a- ▁is- ▁on- ▁for- ▁as- ▁are- ▁have- ▁you- ▁this- ▁with- ▁i- s- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ▁think- ▁what- ▁not- ▁some- ▁us- ▁by- ▁or- ▁about- ▁well- ▁new- ▁growth- ▁can- ▁which- ▁its- ▁do- ▁was- ▁very- ▁an- ▁there- ▁these- ▁also- ▁market- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- ▁just- ▁been- ▁has- ▁weve- ▁those- ▁over- ▁they- ▁if- ▁first- ▁time- ▁customers- ▁where- ▁into- ▁how- ▁like- ▁results- ▁out- ▁other- ▁really- ▁last- ▁their- ▁up- ▁expect- ▁one- ▁than- ▁your- ▁because- ▁look- ▁through- ▁when- ing- ▁any- ▁thats- ▁get- ▁call- ▁strong- ▁then- ▁sales- ▁good- ▁had- ▁second- ▁believe- ▁revenue- ▁company- ▁years- ▁performance- ▁product- ▁make- ▁lot- ▁much- ▁financial- ▁capital- ▁could- ▁both- ▁cost- ▁them- ▁terms- ▁future- ▁right- ▁dont- d- ▁impact- ▁forward- ▁next- ▁little- ed- ▁products- ▁want- ▁bit- ▁value- ▁customer- ▁work- ▁increase- ▁back- ▁number- ▁may- ▁take- ▁markets- ▁while- ▁higher- ▁end- ▁opportunities- ▁able- ▁half- ▁kind- ▁way- ▁during- ▁operating- ▁significant- ▁better- ▁most- ▁things- ▁cash- ▁know- ▁go- ▁still- ▁focus- ▁say- ▁statements- ▁part- ▁being- ▁im- ▁provide- ▁should- ▁point- ▁across- ▁lower- ▁made- ▁important- ▁opportunity- ▁2- ▁team- ▁theres- ▁third- ▁today- ▁need- ▁many- ▁rate- ▁line- ▁people- ▁fourth- ▁strategy- ▁looking- ▁down- ▁continued- ▁before- ▁no- ▁around- ▁youre- ▁level- ▁portfolio- ▁management- ▁working- ▁industry- ▁additional- ▁due- ▁price- ▁investment- ▁share- ▁thank- ▁great- ▁actually- ▁only- ▁even- ▁here- ▁give- ▁demand- ▁come- ▁seeing- ▁plan- ▁few- ▁costs- ▁progress- ▁overall- ▁further- ▁development- ▁same- ies- ▁service- ▁current- ▁different- ▁seen- ▁margin- ▁doing- ▁me- ▁services- ▁result- ▁technology- ▁coming- ▁data- ▁earnings- ▁change- ▁positive- ▁guidance- ▁key- ▁grow- ▁again- ▁drive- ▁start- ▁position- ▁process- ▁investments- ▁full- ly- ▁past- ▁forwardlooking- ▁3- ▁said- ▁high- ▁got- ▁did- ▁turn- ▁given- ▁within- ▁basis- ▁expected- ▁based- ▁increased- ▁who- ▁improve- ▁support- ▁sure- ▁my- ▁focused- ▁potential- ▁question- ▁environment- ▁pricing- ▁help- ▁sort- ▁businesses- ▁months- ▁large- ▁such- ▁making- ▁remain- ▁done- ▁maybe- ▁something- ▁production- ▁strategic- ▁information- ▁ability- ▁balance- ▁already- ▁platform- ▁program- ▁couple- ▁move- ▁side- ▁interest- ▁quarters- ▁best- ▁mentioned- ▁several- ▁talk- ▁operations- ▁each- ▁acquisition- ▁early- ▁expectations- ▁rates- ▁assets- ▁q- ▁changes- ▁put- ▁use- ▁feel- ▁pleased- y- ▁segment- ▁long- ▁experience- ▁certain- ▁tax- ▁period- ▁growing- ▁base- ▁including- ▁projects- ▁deliver- ▁place- ▁benefit- ▁ill- ▁continues- ▁improvement- ▁related- ▁commercial- ▁initiatives- ▁order- ▁companies- ▁areas- ▁activity- ▁driven- ▁factors- ▁margins- ▁model- ▁getting- ▁existing- ▁net- ▁levels- ▁big- ▁flow- ▁does- ▁income- ▁theyre- ▁term- ▁pretty- ▁after- ▁addition- ▁volume- ▁clients- ▁course- e- ▁capacity- ▁probably- ▁fact- ▁id- ▁thing- ▁might- ▁under- ▁build- ▁having- ▁day- ▁marketing- ▁mix- ▁always- ▁competitive- ▁risk- ▁global- ▁why- ▁release- ▁every- ▁prices- ▁actual- ▁solutions- ▁mean- ▁leverage- ▁quite- ▁project- ▁another- ▁saw- ▁brand- ▁yes- ▁top- ▁supply- ▁offset- ▁update- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁conference- ▁digital- ▁quality- ▁obviously- ▁between- ▁let- ▁efforts- ▁off- ▁todays- ▁shareholders- ▁area- ▁certainly- er- ▁far- ▁system- ▁prior- ▁building- ▁whether- ▁expenses- ▁group- ▁less- ▁credit- ▁world- ▁continuing- ▁trying- ▁real- ▁primarily- ▁operational- ▁understand- ▁amount- ▁retail- ▁questions- ▁success- ▁view- ▁low- ▁pipeline- ▁taking- ▁2017- ▁inventory- ▁range- ▁outlook- ▁consumer- ▁improved- ▁return- ▁ahead- ▁review- ▁companys- ▁revenues- ▁set- ▁major- ▁since- ▁fiscal- ▁risks- ▁expense- ▁profitability- ▁timing- ▁capabilities- ▁5- ▁partners- ▁materially- ▁increasing- ▁presentation- ▁4- ▁however- ▁benefits- ▁youve- ▁longterm- ▁confident- ▁ago- ▁hard- ▁2018- ▁increases- ▁acquisitions- ▁driving- ▁plans- ▁excited- ▁total- ▁expand- ▁own- n- ▁solid- ▁talked- ▁differ- ▁distribution- ▁china- ▁1- ▁particularly- t- ▁sheet- ▁consistent- ▁expansion- ▁stores- ▁approach- ▁invest- ▁space- ▁small- es- ▁keep- ▁asset- ▁bring- ▁compared- ▁structure- ▁debt- ▁sense- ▁programs- ▁patients- ▁numbers- ▁clear- ▁perspective- ▁improving- ▁versus- ▁needs- ▁add- ▁whats- ▁measures- ▁average- ▁10- ▁beginning- ▁close- ▁currently- ▁begin- ▁trends- ▁significantly- ▁care- al- ▁network- ▁2016- ▁open- ▁create- ▁points- ▁starting- ▁conditions- ▁please- ▁okay- ▁per- ▁together- ▁strength- ▁volumes- r- c- ▁energy- ▁scale- ▁specific- ▁decline- ▁anything- ▁brands- ▁throughout- ▁organization- ▁detail- ▁transaction- ▁execution- ▁towards- ▁contract- ▁run- ▁advantage- ▁profit- ▁remains- ▁include- ▁health- ▁gas- ▁tell- ▁systems- ▁larger- ▁greater- ▁efficiency- ▁material- ▁spend- ▁teams- ▁organic- ▁comments- ▁yet- ▁international- ▁uncertaint- ▁events- ▁store- ▁ongoing- ▁deal- ▁investors- ▁fully- ▁example- ▁longer- ▁cause- ▁control- ▁successful- ▁innovation- ▁returns- ▁power- ▁trend- m- ▁announced- ▁infrastructure- ▁everyone- ▁find- ▁once- ▁along- ▁discuss- ▁started- ▁europe- ▁oil- ▁talking- ▁recently- ▁reduce- ▁track- ▁difficult- ▁6- ▁later- ▁particular- ▁case- ▁achieve- ▁similar- ▁improvements- ▁allow- ▁lines- ▁momentum- ▁providing- ▁note- ▁become- ▁completed- ▁segments- ▁clearly- ▁press- ▁associated- ▁too- ▁try- ▁board- ▁guess- ▁activities- ▁discussed- ▁report- ▁beyond- ▁previously- ▁morning- ▁access- ▁manage- ▁impacted- ▁general- ▁confidence- ▁issues- ▁regarding- ▁equity- ▁remarks- ▁used- ▁meaningful- ▁anticipate- ▁decision- b- ▁offering- ▁adjusted- ▁sell- ▁against- ▁record- ▁delivering- ▁effect- ▁reduction- ▁launch- ▁economic- ▁offer- ▁positioned- ▁reason- ▁website- ▁money- ▁equipment- ▁using- ▁contracts- ▁subject- ▁finally- ▁pay- ▁items- ▁pressure- ▁integration- ▁cycle- ▁target- ▁slightly- g- ▁guys- ▁quickly- ▁although- ▁actions- ▁without- ▁selling- ▁leadership- ▁relative- ▁channel- ▁especially- ▁resources- ▁meet- a- ▁corporate- ▁construction- ▁comes- ▁re- ▁spending- ▁possible- ▁unique- ▁means- ▁manufacturing- k- ▁direct- in- ▁incremental- ▁remind- ▁facility- ▁percentage- ▁combination- ▁size- ▁online- ▁maintain- '1'- ▁details- ▁complete- ▁employees- ▁included- ▁execute- ▁front- ▁either- ▁taken- ▁multiple- ▁content- ▁local- ▁rest- ▁show- ▁ensure- o- ▁until- ▁thinking- ▁stock- ▁challenges- ▁transition- ▁annual- ▁job- ▁loan- ▁didnt- ▁various- ▁investing- ▁address- ▁color- ▁client- ▁whole- ▁free- ▁thanks- ▁type- ▁partner- ▁negative- ▁previous- ▁reflect- x- ▁wanted- ▁leading- ▁generate- ▁cloud- ▁exchange- ▁turning- ▁productivity- ▁month- ▁marketplace- ▁single- ▁relationships- ▁short- ▁regulatory- ▁public- ▁home- ▁attractive- ▁date- ▁stronger- ▁am- ▁bank- ▁solution- ▁ive- ▁issue- ▁happen- ▁deals- ▁largest- ▁committed- ▁consumers- ▁clinical- ▁thought- ▁ways- ▁goal- ▁discussion- ▁profitable- ▁despite- ▁sale- ▁relatively- ▁following- ▁delivered- ▁shift- ▁favorable- ▁anticipated- ▁savings- ▁likely- ▁life- ▁combined- ▁2019- ▁chain- ▁days- ▁youll- ▁transformation- ▁bottom- ▁provided- ▁underlying- ▁orders- ▁ebitda- ▁lead- ▁havent- ▁prepared- ▁cant- ▁delivery- ▁gives- '2'- ▁least- ▁nongaap- ▁serve- ▁highly- ▁though- ▁category- ▁comment- ▁government- able- ▁develop- ▁flexibility- ▁experienced- ▁moment- ▁closing- ▁generally- p- ▁respect- ▁portion- ▁dividend- ▁private- ▁built- ▁industrial- ▁majority- ▁quarterly- f- ▁entire- ▁agreement- ▁generation- ▁expanding- ▁hope- ▁18- ▁upon- ▁therefore- ▁everything- ▁specifically- ▁initial- ▁challenging- ▁effective- ▁provides- ▁efficient- ▁normal- ▁play- ▁situation- ▁accelerate- ▁currency- ▁flat- ▁- ▁doesnt- ▁property- ▁buy- ▁competitors- ▁season- ▁commitment- ▁strategies- ▁critical- ▁required- ▁answer- ▁country- ▁active- ▁un- ▁design- ▁competition- ▁step- ▁largely- ▁fair- ▁technologies- ▁12- ▁weeks- ers- ▁he- ▁hand- ▁lets- ▁software- ▁facilities- ▁pace- ▁near- ▁region- ▁state- ▁loss- ▁mobile- ▁securities- ▁final- ▁behind- l- ▁center- '4'- ▁smaller- ▁allows- ▁week- ▁extremely- re- ▁enhance- ▁insurance- ▁enough- ▁form- ▁his- ▁stable- ▁ourselves- ▁book- ▁came- ▁rather- ▁planning- ▁parts- ▁recovery- ▁safety- ▁reported- ▁ever- ▁happy- ▁makes- ▁sustainable- ▁includes- ▁times- ▁relationship- ▁unit- ▁patient- ▁sector- ▁accounts- ▁loans- ▁20- ▁away- ▁internal- ▁categories- ▁transactions- ▁enterprise- ▁reduced- ▁assumptions- ▁reach- ▁running- ▁wondering- ▁enable- ▁exactly- ▁contribution- ▁effort- ▁achieved- ▁estate- ▁account- ▁offerings- ▁metrics- or- ▁others- ▁gaap- ▁units- ▁above- ▁applications- ▁basically- ▁weather- ▁profile- ▁outside- '3'- ▁phase- ▁faster- ▁partially- ▁operate- ▁appropriate- ▁added- ▁discussions- ▁channels- ▁study- ▁accounting- ▁gain- ▁field- ▁reflects- ▁security- ▁efficienc- ▁decrease- ▁received- ▁seems- ▁exciting- ▁restructuring- ▁plant- ▁developing- ▁directly- ▁changed- ▁took- ▁middle- ▁consider- ▁investor- ▁ultimately- ▁integrated- ▁footprint- ▁platforms- ▁reasons- ▁shareholder- ▁changing- ▁adding- ▁joining- ▁decisions- ▁statement- ▁traffic- ▁community- ▁drivers- ▁typically- ▁ratio- ▁fleet- ▁premium- ▁substantial- ▁win- ▁capability- ▁january- ▁robust- ▁gains- ▁managing- ▁fund- ▁media- ▁creating- ▁options- ▁healthy- ▁17- ▁december- ▁tend- ▁8- ▁expectation- ▁purchase- ▁national- ▁almost- ▁processes- ▁news- ▁advertising- ▁importantly- ▁happening- w- ▁labor- ▁disconnect- ▁potentially- ▁natural- ation- ▁primary- ▁backlog- i- ▁understanding- ▁executing- ▁nature- ▁yield- ▁forecast- ▁water- ▁traditional- ▁food- ▁saying- ▁office- ▁meeting- ▁7- ▁bringing- ▁driver- ▁optimistic- ▁filings- ▁9- ▁planned- ▁limited- ▁excellent- ▁putting- ▁highlights- ▁mind- ▁effectively- ▁comfortable- ▁historical- ▁found- ▁needed- ▁cases- ▁march- ▁goes- ▁necessary- ▁research- ▁ask- ▁visibility- ▁targets- ▁million- ▁proud- ▁liquidity- ▁funding- ▁refer- ▁trade- ▁disciplined- ▁speak- ▁countries- ▁headwind- ▁main- ▁losses- ▁regions- ▁else- ▁comparable- ▁encouraged- ▁standpoint- ▁bigger- ▁land- ▁wouldnt- ▁15- ▁commission- ▁non- ▁recognize- ▁volatility- ▁launched- ▁page- ▁june- ▁financing- ▁maintenance- ▁never- ▁members- ▁september- ▁response- ▁extent- ▁remaining- ▁expanded- ▁obligation- ▁difference- ▁types- ▁approximately- ▁fixed- ▁late- ▁focusing- ▁asia- ▁utilization- ra- ▁takes- ▁path- ▁completion- ▁broader- ▁detailed- ▁perhaps- ▁test- ▁sold- ▁reducing- 'on'- ▁theyve- ▁economy- ▁properties- ▁ready- ▁30- ▁tremendous- ▁intend- ▁stay- ▁dollars- ▁operation- ▁partnership- ▁below- ▁direction- ▁medical- ▁fees- ion- ▁led- ▁acquired- ▁locations- ▁remainder- ▁gross- ▁capex- ▁ramp- ▁tools- ▁reflected- ▁went- co- ▁nice- ▁highlight- ▁individual- ▁engagement- ▁allocation- ▁simply- ▁legacy- ▁conversion- ▁2015- ▁biggest- ▁fairly- ▁stage- ▁successfully- ▁flows- ▁highest- ch- ▁increasingly- ▁inflation- ▁optimize- ▁fuel- ▁closely- ▁interesting- ▁shows- ▁broad- ▁history- ▁wont- ▁summary- ▁buying- ▁light- ▁requirements- ▁historically- ▁reporting- ▁commodity- ▁foundation- ▁force- ▁live- ▁pre- ▁shares- ▁opening- ▁necessarily- ▁somewhat- ▁giving- ▁goals- ▁outstanding- ▁drilling- ▁priority- ▁reconciliation- ▁19- ▁standard- ▁attention- ar- v- ▁talent- ▁periods- ▁remember- ▁dollar- ▁maintaining- ▁appreciate- th- ity- ▁expecting- ▁event- ▁mainly- ▁steps- ▁looks- ▁european- ▁trial- ▁closed- ▁factor- ▁proposition- ▁expertise- ▁capture- ▁funds- ▁exposure- ▁ones- le- ▁innovative- ▁paid- ▁b- ▁prospects- ▁hit- ▁cover- ▁present- ▁operator- ▁implementation- ▁materials- ▁itself- ▁everybody- ▁regard- ▁component- ic- ▁compensation- ▁role- ▁centers- ▁learning- ▁payments- ▁testing- ▁canada- ▁16- ▁south- ▁domestic- ▁developed- ▁approval- ▁definitely- ▁adoption- ▁priorities- ▁treatment- ▁lease- ▁true- ▁initiative- ▁safe- ▁foreign- ▁leader- ▁nothing- ▁piece- ▁policy- ▁analysis- ▁october- ▁april- ▁challenge- ▁banking- ▁created- ▁matter- ▁g- ▁realize- ▁strengthen- ▁franchise- ▁targeted- ▁noted- ▁advanced- ▁worked- ▁happened- ▁culture- ▁produce- ▁undertake- ▁application- ▁positions- ▁assume- ▁sec- to- ▁payment- ▁site- ▁resulting- ▁hold- ▁actively- ▁calls- ▁among- ▁described- ▁impacts- ▁resulted- ▁presence- ▁regional- ▁aggressive- ▁summer- ▁additionally- ▁emerging- ▁steady- ▁fall- ▁banks- ▁training- ▁context- us- ization- ▁helping- ▁retailers- ▁discipline- ▁dynamics- ▁models- ▁seasonal- ▁july- ▁mortgage- ▁road- ▁trading- ▁managed- ▁conclude- ▁designed- ▁generated- ▁huge- ▁relates- ▁leveraging- ▁players- ▁upside- ▁modest- ur- ▁coverage- ▁deposit- ▁reform- ▁car- ▁participation- ▁synerg- ▁becoming- ▁brazil- ▁idea- ▁follow- ▁evaluate- ▁speed- ▁otherwise- ▁developments- ▁f- ▁vision- ▁invested- ▁analytics- based- st- ▁absolutely- ▁de- en- ▁dynamic- ▁act- ▁complex- ▁heard- ▁implemented- it- ▁perform- ▁comp- ri- ▁yearoveryear- ▁50- ▁pursue- ▁gone- ▁wed- ▁measure- li- ▁federal- ▁room- ▁finance- ▁special- ▁providers- ▁schedule- ▁action- ▁relevant- h- ▁joint- ▁affected- ▁recognized- il- ▁effects- ▁story- ▁moved- ▁variety- ▁reminder- ▁wells- ▁reasonable- ▁adjustments- ▁helpful- ▁november- ▁reflecting- ▁must- ▁soon- ▁specialty- ▁reductions- ▁push- ▁technical- ▁enhanced- as- ▁s- ▁objectives- ▁generating- rs- ▁deep- ▁essentially- ▁source- ▁renewal- ▁compete- ▁states- ▁issued- ▁division- ▁often- ▁communities- ▁senior- ▁represents- ▁closer- ▁c- ▁advance- ▁face- ▁co- ▁demonstrate- ▁happens- ▁february- ▁performing- ▁fee- ▁users- ne- ▁decided- ▁easier- ▁america- ▁uncertainty- ▁read- ▁hear- ▁partnerships- z- ▁began- ▁california- ▁identified- ▁function- ▁east- ▁fast- ▁components- ▁engineering- ▁bookings- ta- ▁looked- ▁sites- ▁recognition- ▁fit- ▁york- year- ▁interested- ▁affect- ▁slow- ▁easy- q- ▁outcomes- ment- ▁identify- ▁independent- ▁cannot- ▁d- ▁stated- ▁pick- ▁represent- ▁established- ro- ▁drug- ▁operators- ▁underwriting- an- ▁consolidation- ▁common- ▁budget- ▁agreements- ▁video- ▁city- ▁helped- ▁smart- ▁consistently- ▁paying- ▁maximize- ▁excess- ▁achieving- ▁left- ▁frankly- ▁wins- ▁west- ▁provider- u- ▁repurchase- ▁estimate- ▁firm- ▁thoughts- ▁require- ▁compelling- ▁ground- ▁predict- ▁groups- ▁automotive- ▁raw- ▁aware- ▁double- ▁e- ▁penetration- com- ▁shown- ▁projections- ▁allowed- ▁mexico- ▁plants- ▁capitalize- ive- ▁t- ▁quick- ▁mark- ▁indicated- ▁toward- ▁presented- ▁transportation- ▁prudent- ▁roll- ▁law- ▁depending- ▁devices- ▁rapidly- ▁brought- ▁deploy- ▁supported- ▁touch- ▁folks- ▁encouraging- ▁demonstrated- ▁professional- ▁sequential- ▁recorded- ▁august- ▁outcome- ▁differentiated- ▁game- ▁degree- ▁accelerated- ▁residential- ▁auto- ▁filed- ▁occur- ▁rental- ▁receive- ▁curious- ▁grew- ▁seasonality- ▁welcome- ▁holiday- ▁extend- ▁considered- ▁deployment- ▁r- ▁showing- ▁problem- ▁substantially- ness- ▁excellence- ▁leasing- ▁suppliers- ▁option- ▁count- ▁concludes- ▁recover- ▁central- ▁drop- ▁elements- ▁remained- ▁lending- ▁consolidated- ▁conservative- ▁realized- ▁japan- ▁estimates- ▁dedicated- ▁retention- ▁canadian- ▁positioning- ▁spent- ▁correct- ma- ▁spot- ▁walk- ▁objective- ▁figure- ▁legal- ▁gets- ▁tough- ▁pro- ▁excluding- ▁supporting- ▁involved- ▁table- ▁sometimes- ▁leaders- ▁shared- ▁promotional- ▁nearly- ▁plus- ▁benefited- ▁claims- ▁feedback- ▁contributed- ▁comprehensive- ▁felt- ▁license- ▁rent- ▁subscription- ▁o- ▁truly- ▁processing- is- el- ▁section- ▁post- ▁choice- ▁wholesale- ▁contribute- ▁social- ▁card- ▁speaking- ▁involve- ▁chinese- ▁original- ▁taxes- ▁deposits- ▁whatever- ▁personal- ▁stuff- ▁spread- ▁vehicle- ▁traction- ▁external- ▁economics- ▁declines- ▁recall- la- ▁raise- ▁signed- ▁john- ▁isnt- ▁projected- ▁mike- ▁population- ▁macro- ▁aggressively- ▁proven- ▁availability- ter- ▁themselves- ▁allowing- ve- ▁seem- ▁geographic- ▁india- ▁staff- ▁creation- ▁recurring- ▁list- ▁optimization- ▁implement- ▁gave- ▁stages- ▁hopefully- ▁two- os- ▁north- ▁digits- ▁commentary- ▁internally- ▁studies- ▁updated- ▁conversations- ▁helps- ent- ▁afternoon- ▁financials- te- ▁enter- na- ▁announcement- ▁bill- ▁deferred- ▁respond- ▁collaboration- ▁location- ▁secure- ▁features- ▁known- ▁held- ▁picture- ▁acquire- ▁texas- ▁charge- ▁mostly- ▁engaged- ▁adjust- ▁air- ▁works- ▁finding- ate- ▁n- ▁fundamentals- ▁mid- ▁strengthening- ▁p- ▁explain- ▁name- ▁ladies- ▁posted- ▁completely- ▁storage- ▁shipments- up- ▁venture- ▁overview- ▁practices- ul- ▁user- ▁dividends- ▁pull- ▁accelerating- ▁efficiently- ▁keeping- ▁gentlemen- ▁housing- ▁globally- ▁mention- ▁lost- ▁called- ▁participating- ▁resource- ▁40- ▁sources- ▁meaning- ▁11- ▁spring- ▁worth- ▁ecommerce- ▁old- '00'- ▁slower- ▁alternative- ▁minutes- ▁indication- ▁constant- ▁slides- related- ▁manner- ▁trust- ▁performed- ▁calendar- ▁considering- ▁expressed- ▁journey- ▁standards- ▁contain- ▁frame- ▁reserve- est- ▁h- ▁signs- ▁compliance- ▁evaluating- ▁engage- ▁valuable- ▁element- ▁industries- ▁announce- ▁peak- ▁commitments- ▁merger- ▁peers- ▁awareness- ▁pressures- ▁strongly- ▁k- ▁con- ▁introduced- ▁enhancement- ry- ▁places- ▁launches- ia- ▁extended- ▁monitor- ▁proceeds- ▁assuming- de- ▁evolution- ▁offers- ▁upcoming- ▁superior- ▁contained- ▁contributions- ▁encourage- ▁vehicles- ▁profits- ▁evidence- ▁sharing- ▁forth- ▁comparison- ▁her- ▁pass- ▁bad- ▁multi- ▁pursuing- ▁chart- ▁provision- ▁wind- go- ▁parties- ▁networks- ▁acceleration- ▁charges- ▁broadly- ▁mining- ▁family- ▁organizations- ▁class- ▁shipping- ▁thus- ▁holding- ▁disease- ▁sign- ▁wait- ▁diversified- age- ▁stability- ▁connected- ▁starts- ▁american- ▁100- ▁break- ▁participate- ▁shopping- out- ally- ▁becomes- ▁balanced- ▁device- ▁disclosure- ce- ▁rising- ▁highlighted- ▁implementing- ▁ended- ▁reports- ▁hospital- ▁automation- ▁opposed- ▁enhancing- ▁separate- ▁willing- ▁asked- ▁shape- ▁concluded- ▁executed- ▁simple- ▁lots- ▁examples- ▁circumstances- ▁item- ▁knowledge- ▁words- ▁managers- ▁winter- ▁series- ▁geographi- ▁vertical- ▁matters- ▁wide- ant- ▁inside- ▁insight- ▁mine- ▁attract- ▁enables- ▁physicians- ▁roughly- ▁steel- ▁discussing- ▁heavy- ▁targeting- ▁publicly- ▁executive- ▁wasnt- ▁protection- ▁logistics- ▁internet- ▁exceptional- ▁concerned- ▁landscape- ▁engine- ▁aircraft- ▁slight- ▁weakness- ▁aspects- ▁yearend- se- ▁seek- ▁conclusion- um- ▁utility- ▁ownership- ▁integrate- ts- ▁search- ▁valuation- ▁structural- ▁reserves- ol- ton- ▁winning- at- ▁14- ▁approved- ▁chance- ▁curve- ▁loyalty- ▁evolving- ▁fundamental- ▁arent- ▁opened- ▁protect- ▁brief- ▁aligned- ▁agency- ▁negatively- ▁continuous- ▁enabling- ca- ▁she- ▁values- ▁travel- ▁subsequent- ▁variable- ▁label- ▁strategically- ▁rapid- ▁practice- ▁drove- ▁love- ▁begun- ▁australia- ▁views- ▁campaign- ▁typical- ▁ship- ▁connect- ▁education- ▁litigation- ▁employee- ▁importance- ti- ▁met- ▁coast- ▁origination- ▁rolling- ▁fashion- ▁officer- ▁yesterday- ▁germany- ▁13- ▁rigs- ▁trajectory- ▁mature- ▁60- ▁sounds- ▁learn- ▁mo- ▁mitigate- ▁reality- ▁secondly- ▁inventories- ▁yields- ▁deeper- ▁cautious- ▁floor- ting- ▁department- ▁mission- ▁florida- ▁carry- ▁et- ▁evolve- ▁flexible- ▁adjustment- ▁implied- ▁weak- ▁owners- ▁sustained- ▁movement- ▁repeat- ▁absolute- ▁lack- ▁harbor- ▁unless- ▁pieces- ▁updates- ▁western- ▁consecutive- ▁hearing- ▁restaurant- ▁caused- ▁replacement- lo- ▁occupancy- ▁bar- ▁rig- ▁opportunistic- ▁hotel- ▁steve- ▁determine- ▁latin- ▁freight- ▁cut- ▁exit- ▁enabled- ▁moderate- ▁agencies- ▁assortment- ▁finish- ating- ▁david- ▁paper- ▁reached- ▁sufficient- ▁underway- ▁therapy- ▁app- ▁vast- ▁sectors- ▁diversification- ▁setting- ▁leases- ▁gap- ▁stand- ▁replay- ▁except- ▁clarity- ▁utilize- ▁impacting- ▁brings- ▁rise- ▁export- ▁tool- ▁j- ▁heavily- ized- ▁human- ▁incentive- ▁outlined- ▁extra- ▁experiencing- ▁regards- ▁compare- ▁stakeholders- ▁physical- ▁cycles- ▁daily- ▁restaurants- ▁gotten- ▁retain- ▁oem- ▁imagine- ▁machine- ▁reimbursement- ▁trials- ▁environmental- ▁cancer- ▁optimiz- ▁figures- ▁x- ▁problems- ▁watch- ▁consumption- ▁depreciation- ▁dramatically- me- ▁latest- ▁2020- ▁insights- ▁provisions- ▁disruption- ▁st- va- ▁experiences- ▁wish- tic- ▁asking- ▁ex- ▁weaker- ▁consideration- ▁contributing- ▁clean- ▁collection- ▁shortterm- ▁discount- ▁entered- ▁chief- ▁returning- ▁guests- ▁upgrade- ▁depends- ▁choose- ▁framework- mo- ▁exceeded- ▁usage- ▁hiring- ▁sub- ▁introduce- ▁president- ▁apply- ▁carefully- ▁declined- ▁sequentially- ▁ma- ▁guide- ▁electric- et- ▁reference- ▁expenditures- ▁producing- ▁fresh- ▁communications- ▁managements- ▁occurred- line- ▁instead- ▁stream- ▁immediately- ▁v- ▁productive- ▁usually- ▁gold- ▁packaging- ba- ▁temporary- ▁downturn- ▁attributable- ▁communication- ▁settlement- ▁convert- ▁advantages- ▁coal- ▁grown- ▁requires- ▁connection- ▁ensuring- ▁originally- ▁cap- ▁shortly- ac- ▁gaining- ▁box- vi- ▁fill- ▁amounts- ▁se- ▁shop- ▁scope- ▁institutional- ▁complexity- ▁serving- ▁condition- ▁webcast- ▁ad- ▁medium- 'no'- ▁hasnt- am- ▁shifting- ▁homes- ▁bo- ▁handle- ▁powerful- ad- ize- ▁doubledigit- ▁rules- ▁introduction- ▁diverse- ▁leads- ▁supplier- ▁launching- ▁90- izing- ▁concept- ▁wealth- ▁behavior- ▁political- ▁wireless- ▁initially- ▁transfer- ▁delay- ▁balances- ex- ▁sit- ▁leave- ▁distributors- ▁manufacturers- ▁africa- ▁metric- ▁cars- ▁audience- ▁purpose- ▁hotels- ability- ▁monitoring- ▁followed- ▁attending- ▁carriers- ▁soft- ▁numerous- ▁transform- ▁tenants- ▁hedge- ▁alternatives- ▁street- ▁reliability- ▁ecosystem- ▁youd- ▁briefly- ▁moves- ▁hardware- ▁satisfaction- ▁w- ▁usual- ▁associates- ▁administration- ▁strongest- ▁elevated- ▁pension- ▁creates- ▁intelligence- ▁basin- ▁concern- ▁learned- ated- ▁proprietary- ▁merchandise- ▁laid- ▁addressing- ▁busy- con- ▁revise- ▁fewer- ▁jim- ▁dealers- ▁differences- ▁duration- ary- ▁scheduled- mi- ▁indications- ▁express- ▁fiber- ▁him- ▁vendors- ▁produced- ▁buyers- ▁hospitals- ▁caution- ▁message- ▁m- ▁agents- ▁extensive- ck- ▁theyll- ▁decide- ▁proportion- sh- ▁waiting- ▁feeling- ▁contact- ▁pilot- ▁installed- ▁facing- ▁minimum- ▁hours- ▁tariffs- ▁phone- ▁select- ▁decreased- ▁milestones- ▁normally- ▁sa- ▁reiterate- ▁positively- ▁package- ▁multiyear- ▁dependent- ▁deployed- ▁declining- ▁portfolios- ▁awards- ▁supplemental- ▁careful- ▁showed- ▁decade- ▁reinvest- ▁dedication- ▁regular- ▁match- ▁intended- ▁ramping- ▁secured- ▁personnel- id- ▁emphasis- ▁normalized- ▁vi- ▁immediate- ▁concerns- ▁americas- ▁negotiations- ▁cetera- ▁magnitude- ▁accretive- ▁house- ▁defense- ▁assessment- ▁delays- ▁depend- ▁via- ▁told- ▁somebody- ge- ine- ▁constantly- ▁policies- ▁stop- ▁assess- ▁extension- ▁covered- po- ▁tight- ▁align- ▁france- ▁lowest- ▁bought- ▁nicely- sa- ▁differentiate- ▁progressing- ▁quantify- ▁turnaround- ▁demonstrates- ▁deliveries- ▁enrollment- ▁map- ph- ▁prove- ▁purchases- ▁purchasing- ▁divisions- man- ▁suggest- ▁playing- ▁25- son- ▁court- ▁conversation- ▁heart- ▁super- ▁establish- ▁released- ▁lives- ▁adapt- ▁maintained- ▁liability- ▁agree- ▁benefiting- ▁students- im- ▁useful- ▁bid- ▁creative- ▁sand- ▁truck- ▁kinds- ▁puts- ▁solar- ▁competitor- ▁organizational- ▁incredibly- ▁werent- ▁player- ▁licensing- ▁topic- ▁tracking- ▁draw- ▁supplement- ▁volatile- ▁functions- ▁delayed- ▁crude- ▁explore- ▁aspect- ▁plays- ▁spectrum- ▁defined- ▁expensive- ▁hoping- ▁preferred- ▁rolled- ▁placed- ▁amortization- ▁relating- nt- ▁nearterm- ▁fire- ▁possibly- ors- ▁suite- ▁goods- ▁finished- ▁highquality- ▁status- ▁healthcare- ▁aim- ▁desire- ▁bulk- ▁longerterm- ▁embedded- ▁possibility- ▁drives- ▁concerning- ▁migration- ▁pacific- ▁emphasize- ▁describe- ▁assumption- ▁sourcing- ▁outperform- op- mp- ▁exceed- ▁simplify- ▁turned- ▁evaluation- ▁di- ▁drag- ▁completing- ▁sports- ▁tried- ▁pattern- ▁offshore- ▁lag- ▁tied- ▁organically- ▁participants- ▁consulting- ▁person- ▁breadth- ▁determined- ▁exploration- ▁slowdown- ▁comps- ▁sustain- ▁appear- ▁integrating- ms- ▁responsible- ▁promotions- ▁green- ▁replace- ▁aggregate- ▁solve- ▁wage- ▁scenario- ▁indicators- ▁depth- ▁milestone- ▁updating- ▁exact- ▁branch- ▁intent- ▁buyback- ▁surprised- pa- ▁pu- ▁pushing- ▁comparisons- ▁unusual- ▁drill- ▁dealing- ▁thirdparty- ▁incurred- ▁opinion- ▁regulations- ▁inter- ▁eye- ▁according- ▁utilities- ▁science- ▁impressive- ▁sets- ▁differently- ▁ideas- ▁hurricane- ▁tech- ian- ▁belief- ▁jobs- ▁criteria- ▁patterns- ▁games- ▁spreads- ▁filing- ▁cross- ▁accomplished- ▁unfavorable- ▁percent- ke- ▁en- ish- ▁churn- ▁houston- ▁split- ▁l- ▁buildings- ▁file- ▁accordingly- ▁seeking- ▁overhead- ci- ▁mass- ▁transparency- ▁head- ▁sustainability- ▁weighted- ▁contributor- ▁join- ▁unchange- ▁chris- ▁regulation- ▁institutions- ▁fx- ▁member- ▁bridge- ▁purposes- ▁lose- ▁age- ▁stress- ▁estimated- ▁mill- ▁couldnt- gen- ▁entering- ▁appears- ▁80- bo- ▁lift- per- ▁analysts- ▁guest- ▁partly- ▁acquiring- ▁reliable- ▁structures- tr- ▁resolution- ▁jeff- ▁northern- ▁applied- ▁laws- ▁selective- ▁southern- ▁followup- ▁sound- ▁retirement- ▁located- ▁monthly- em- ▁accomplish- vo- ▁verticals- ▁softness- ▁minimal- ▁living- ▁someone- ▁edge- ▁summarize- om- ▁square- ▁enjoy- ▁complement- ▁easily- ▁eventually- ▁impairment- ▁plenty- ▁em- ▁itll- ▁revised- ▁raising- ▁le- ▁switch- ▁fda- ll- ▁administrative- ▁functionality- ▁disclosed- ▁producers- ▁ceo- ▁entirely- da- ▁pure- ▁earn- ▁written- ▁newer- ▁diversity- ▁influence- ▁regulators- ▁notice- ▁ro- ▁thoughtful- time- ▁effectiveness- ▁rating- ▁prepare- ▁connectivity- ▁considerable- ▁rollout- ▁minute- ▁confirm- ▁globe- end- ▁tom- ▁intention- ▁pool- ▁dis- ▁stabilize- ▁colleagues- ▁servicing- ▁frequency- ▁rail- ▁introducing- ▁stack- ▁input- ▁index- ▁sitting- ▁maturity- ▁offsetting- ▁regardless- ▁doubt- ▁rule- ▁perfect- ted- ring- ▁cell- ▁adjusting- ▁approvals- ▁print- ▁newly- ▁borrowing- ▁capable- ▁manager- ▁books- ▁seasonally- ▁prime- ▁acreage- ▁factory- ▁diversify- ▁thousands- ▁indeed- ▁avoid- ▁hybrid- ▁entertainment- ▁dan- ▁owned- ▁tenant- ▁display- tion- ▁published- ▁0- ▁talented- ▁eps- ▁refinancing- ▁transmission- ▁repair- ▁knew- di- ▁upper- ▁reviewing- ▁proposed- ▁waste- ▁treat- ▁star- back- ▁retailer- ps- ▁characterize- ▁won- ▁round- ▁nor- ▁firms- ▁bear- ▁anybody- ▁deploying- ▁communicate- ▁older- ▁dramatic- ▁lean- ▁cable- ▁onetime- ▁incredible- ▁exception- ▁exclude- ▁seamless- ▁modeling- ous- ▁amazon- ▁utilizing- ▁wave- ▁tv- ▁wonderful- ▁dialogue- ▁skills- ▁specifics- ▁demonstrating- ▁reinsurance- ▁bio- be- ▁promotion- ▁legislation- ▁michael- ▁levers- ▁spoke- ▁millions- ▁scott- ▁indicator- ▁check- ▁synergy- ▁ratios- ▁horizon- ▁engaging- ▁entry- ▁70- ▁innovations- ▁concentration- ▁san- ▁reflection- ▁voice- ▁feature- ▁length- ▁damage- bi- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁latter- ▁preparing- ▁menu- do- ▁streams- ▁candidates- ▁unfortunately- ot- ▁cities- ance- ▁referring- ▁facts- ▁headcount- ator- ▁committee- ▁dealer- ▁advisory- ▁fundamentally- ▁mr- ▁vessels- ha- ho- ▁continuously- ▁limit- ▁equal- ▁permian- ▁massive- ▁exist- ▁basic- ▁assist- ▁hands- ▁load- ▁translate- ▁micro- ▁worlds- ▁measured- ▁offices- ▁formal- ▁movements- ▁facilitate- ▁essential- ▁red- ▁installation- ▁gulf- j- ▁documents- ▁gaming- ▁procurement- ▁procedures- ▁heading- ▁incentives- ▁al- ▁competing- ▁fantastic- ▁dave- ▁bob- ▁appropriately- ▁greatest- ▁op- pe- ▁ca- ▁merchandising- ▁branches- ▁reaching- ▁advertisers- ▁ultimate- ▁electronic- ▁communicated- ▁night- ▁award- ▁beliefs- market- ▁block- ▁electronics- ▁exercise- ▁selected- ▁payers- ▁distributor- ▁physician- ▁fine- ▁web- ▁selection- ▁hundreds- ▁purchased- ▁uptick- ▁analyst- ▁dry- ▁none- ▁vary- he- nd- ▁door- ▁mode- ▁challenged- ▁modestly- ▁became- ▁faced- ▁adverse- ▁credits- ▁receiving- ▁park- ▁exclusive- ▁assurance- ▁recognizing- ▁proactive- ▁ho- ▁equally- bs- ▁campaigns- ▁hes- ▁extraordinary- ▁disposition- ▁promising- ▁affordable- ▁listening- ist- ▁jump- ▁achievements- ▁strengths- ▁terrific- ▁cadence- ▁combine- ▁succeed- ▁liabilities- ▁vendor- ▁harder- ▁save- ▁notable- ▁strengthened- ▁worldwide- ▁rich- ▁collections- ▁controls- ▁claim- ▁relate- ▁elaborate- ▁medicare- ▁wrong- ▁tests- ▁bunch- ▁disposal- ▁upfront- ▁staffing- ▁carrier- ▁extending- ▁promote- ▁responsibility- ig- ▁accurate- ▁lenders- ▁continually- ▁uses- ▁modern- ▁receivables- '9'- ▁ip- ▁rents- ▁euro- ▁surprise- ▁professionals- ▁served- ▁metal- ling- ▁predictable- ▁navigate- ▁bond- ▁initiated- ▁fed- ▁inform- ▁u- ▁pe- ▁advancing- ▁train- ect- ▁explained- ▁raised- net- ▁paul- one- ▁meetings- ▁grade- ▁uniquely- ▁blue- ▁tri- ▁agenda- ▁worse- ▁wants- ▁kick- ▁dose- ▁offered- ▁collect- ▁listen- ▁pain- ▁compression- ▁request- ▁beneficial- ▁convenience- ▁behalf- ▁rights- ▁individuals- ▁hedging- ▁sophisticated- ▁comfort- ▁anyone- ▁rebound- ▁preliminary- ▁environments- ▁format- ▁internationally- ▁anticipating- ▁innovate- ▁runway- ▁joined- ▁secondary- less- ▁realizing- ▁reset- ill- ▁announcements- ▁guarantees- land- ▁feed- ▁supports- ▁el- ▁es- ▁wrap- ▁consistency- ▁releases- ▁funded- ▁understood- ▁surface- ▁brian- ▁sea- ▁satisfied- ▁aerospace- ▁uncertain- ▁continuation- ▁acceptance- ▁sp- ▁minimize- ▁pending- ▁pharmaceutical- ▁principles- ▁branded- ▁black- ▁geography- ▁rock- ▁sellers- ▁affecting- ▁li- ▁indicate- ▁link- ▁agent- ng- ▁preparation- ▁discovery- ▁appeal- ▁efficacy- ▁architecture- ▁eliminate- ▁advisers- pro- ▁party- ▁occurring- ▁evident- ▁translation- ▁z- ▁telling- ▁stick- ▁excitement- ▁aftermarket- ▁lu- ▁identifying- ip- lu- ▁somewhere- ▁constraints- ▁drugs- month- ▁pushed- ▁watching- ▁characteristics- ▁equation- ▁bright- ▁picking- ▁alignment- ▁situations- ▁permanent- ▁anywhere- ▁conjunction- ▁fix- ut- ▁renewable- ▁london- ▁ne- ▁promise- ▁favor- ▁distributed- ▁analyze- ▁ebit- ▁optimal- ▁linked- ▁optimism- ▁obvious- ▁hopeful- ▁earning- ▁clarify- ful- ▁diligently- ▁respective- ▁visit- ▁broadcast- ▁fluctuations- ▁shifts- ▁marine- ▁agreed- ▁reverse- ▁pi- ▁noise- ▁contains- ▁trucks- ▁virtually- ▁divestiture- ▁reputation- over- ga- ▁cards- ▁hire- ▁constitute- und- ▁patent- ▁wood- ▁contracted- ▁pickup- ▁word- ▁interim- ▁requirement- ir- ▁slowing- ▁three- ▁assumes- ▁yeartodate- ▁eastern- ▁custom- ▁reliance- ▁joe- ▁feet- ▁enormous- ▁signing- ▁prefer- ▁families- ▁pipe- ▁openings- ▁ed- ea- ence- ▁notably- ▁currencies- ty- ▁define- ▁competitiveness- ▁liquid- ▁complicated- pi- ure- ▁booking- ▁represented- ▁stabilized- ▁variabilit- ▁rely- ▁disclose- ▁background- ver- ▁catch- ▁transparent- ▁deck- ▁gen- ▁alone- ▁exceeding- ▁ci- ▁calculation- ▁maximizing- ▁guarantee- ▁decades- tax- ▁school- ▁accomplishments- ▁burn- ▁nuclear- ▁notes- ▁unlock- ▁additions- ▁structured- ▁shorter- ▁appetite- ▁refine- ag- ▁consolidate- ▁philosophy- ▁instance- ▁hot- ▁television- ▁corresponding- ▁midpoint- ▁mixed- ▁sc- ▁unknown- ▁24- ▁staying- ard- ▁qualified- ▁relation- ▁hurricanes- ▁man- ▁ra- ▁smooth- ▁startup- ▁grid- ▁former- ris- ▁renewed- ▁personally- ▁accepted- ions- ▁gained- ▁terminal- ▁upgrades- ▁familiar- ▁la- ▁experts- cl- ▁commissions- ▁recruiting- ▁cat- ▁ticket- ▁virtual- ▁obligations- of- ▁sorry- ▁partnering- ▁corporation- ▁student- ▁opex- ▁complementary- ▁na- ▁memory- ▁method- ▁prospective- ▁gradually- ▁classes- un- ▁realization- ls- ▁prevent- ▁allocate- ▁exploring- '7'- ▁white- ▁formula- ▁lock- ▁passed- ▁proceed- ▁bidding- gu- ▁audit- ▁contractual- ▁closure- ▁addressed- ▁career- ▁macroeconomic- ▁math- hi- tro- ▁matt- ▁reaction- ▁straight- ▁appreciation- ▁carbon- ▁tangible- ▁inherent- ▁neutral- ▁election- ▁representing- ▁guided- ▁engines- ▁onto- gs- ▁entity- ▁beverage- ▁gathering- ys- gi- ▁self- ▁fronts- ▁language- ▁choices- ins- ▁vice- ▁franchisees- ▁fluid- ▁premiums- ▁stabilization- ▁financially- ▁rampup- ▁ta- ▁designs- ▁rob- ▁covenant- ▁kevin- ▁demands- ▁disclaim- ▁royalty- ▁burden- cs- ▁tim- ▁progression- ▁awarded- ▁softer- ▁weight- ▁forecasting- ▁adjacent- '8'- port- '6'- ven- ▁enterprises- ▁priced- ▁inflection- ▁generic- ▁picked- ▁noncash- ▁urban- ▁window- ▁refining- ▁sensitive- ▁version- ▁ri- ▁funnel- ▁chemical- ▁buyer- ▁adds- ▁code- ▁budgets- ▁sentiment- ▁reasonably- ▁converting- ab- ▁amazing- ping- mer- ▁constructive- ▁shouldnt- ▁wider- ▁booked- ▁timely- ▁mechanism- ▁pharma- ▁broaden- ▁reps- ▁proactively- ▁recycling- ▁subscribers- ▁downward- ▁ranges- ▁answers- ▁200- ▁gr- ier- ▁earned- ▁transport- ▁charter- ▁testament- ▁operated- ▁ni- '5'- ▁firmly- ial- ▁host- ▁developers- ▁animal- ▁russia- ▁pack- ▁boost- ▁arise- ▁meant- ▁sight- ▁frac- ▁refresh- ▁lay- ▁2014- ▁diligence- ▁referred- ie- ▁premier- ▁lowering- ▁fy- ▁row- ber- sp- ▁storm- ▁da- ▁totally- ▁wonder- ▁proposal- ▁barrels- ▁letter- ▁trending- tt- ▁indicative- ▁flex- ▁supportive- ▁acknowledge- ▁whilst- ▁shifted- ▁motor- ▁severe- ▁master- ▁traditionally- ▁downstream- ▁standing- ▁returned- red- ru- ▁definition- ▁shelf- ner- ▁heat- ▁consequence- ▁capturing- ▁registration- ▁achievement- ▁naturally- io- day- ▁pointed- ▁pa- ▁cyclical- ▁signal- ▁marked- ▁upward- ▁steadily- ▁react- ▁artificial- ▁applicable- ▁valueadded- ▁treated- ▁resilient- ny- ▁feels- ▁radio- ▁concentrated- ▁programming- ▁harvest- ▁anticipation- ▁properly- ▁greatly- 'off'- ▁tailwind- ▁ba- ▁bonds- ▁functional- ▁listeners- ▁furthermore- ▁ru- ▁serious- ▁commodities- by- ▁employment- ▁audio- ▁principal- ▁apparel- ▁entities- ▁membership- ▁ge- ▁ratings- ▁implications- ▁semiconductor- ▁visible- ▁leg- ▁owner- ▁fi- res- ▁composition- ▁authorities- ▁iot- ▁messaging- ni- ▁literally- ▁layer- fe- ▁warehouse- ▁resolved- ▁broadband- ▁write- ▁announcing- ▁equivalent- ▁repositioning- ▁indirect- ▁transactional- ▁monetize- ▁handling- ▁qu- ▁turnover- ▁historic- ▁economies- ▁spain- let- ▁assure- ▁united- ▁establishing- ns- ▁certainty- ▁greg- ▁kept- ging- ▁brexit- ▁italy- ▁regulated- ▁hired- ▁art- ▁discontinued- ▁separation- ▁sizes- all- ▁amongst- ▁beauty- ▁scientific- ▁territories- ▁lab- ▁import- ▁payroll- ▁redevelopment- ▁mar- ▁ii- ▁calling- ▁cautionary- ▁fits- ▁trans- ▁merchant- ▁military- driven- ger- ▁losing- ▁yourself- ▁fruit- ▁tier- ▁operationally- rate- ▁tariff- ▁dc- ▁po- ▁attracting- ▁adopted- ▁pet- fi- ▁ja- ▁technological- ▁endpoint- ▁cells- ▁afford- ▁responding- ▁bullish- pt- ical- ▁evidenced- ▁knowing- ▁reflective- ▁streamline- ▁copper- ▁predominantly- ▁absorb- ▁ti- ▁northeast- ▁quicker- ities- ▁strive- ▁hub- ▁southeast- ▁standalone- ▁attrition- ▁washington- ▁ha- ▁crop- ▁slowed- ▁differential- king- ▁therell- ▁database- ▁personalized- ▁balancing- ▁closures- ▁pharmacy- ▁assumed- ship- load- ▁highlighting- ▁pause- ▁overseas- ▁threat- ▁poor- tan- ▁hitting- ▁elsewhere- ▁precision- ▁machines- ▁ease- ▁handful- ▁beat- ▁cold- ▁swap- ▁arrangements- ▁allowance- ▁carolina- ▁va- ten- ▁territory- ▁medicine- ▁description- ens- ▁prospect- ▁sun- ▁meantime- ▁materialize- ▁adequate- ▁theme- ▁intellectual- ▁mobility- ▁transitioning- ▁controlling- ▁fortunate- ▁sizable- ▁samestore- ▁wall- ▁reinforce- ▁referenced- ▁chosen- ▁payout- ▁carried- ▁lo- ▁airlines- ▁deployments- ▁copy- ▁combining- ▁fa- ▁issuance- cu- ▁transforming- ▁contractors- gg- ▁speaks- ▁vote- ▁uk- ▁capitalized- ▁industryleading- ld- ▁alluded- den- ▁noncore- ▁upstream- ▁pulling- ▁decent- ▁receivable- ▁similarly- ▁ore- ▁sooner- ▁tender- ▁route- ▁contracting- ▁absorption- ▁appendix- ▁conducted- ▁definitive- ▁lifetime- ▁automated- ▁differentiator- ▁lumpy- ▁install- ▁conduct- ▁ka- top- ▁shut- ▁foot- od- ▁midstream- ▁improves- ▁adopt- ▁licenses- ▁shipment- ▁governance- ▁takeaway- ▁te- ▁electricity- ▁output- ology- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- cc- ▁maximum- ▁repayment- ▁ver- ▁intensity- ▁hong- ncy- ▁apple- ▁kong- ▁agile- ▁carrying- ▁separately- ▁ag- ▁jack- ▁surgical- ▁disappointed- les- ▁si- ▁port- ▁sum- ▁judgment- ▁undu- ell- ▁listed- ▁minor- ▁reviews- ▁cutting- ▁whereas- ▁billing- ▁workers- ▁remove- ▁governments- ▁played- ▁domain- ▁body- ▁german- way- ▁wa- ▁principally- ▁methodology- ▁dr- ▁ken- ▁schedules- ▁presenting- ▁therapeutic- ▁chicago- ▁presentations- ▁forms- ▁farm- ▁forecasts- ▁scaling- ▁spite- tu- tech- ▁korea- ▁email- ▁argentina- ▁turns- ▁rewards- ▁cfo- ▁therapies- ▁throughput- ▁lifestyle- ▁foreseeable- ▁pipelines- ▁observed- ▁applying- ▁fifth- ▁introductions- ▁merchants- ▁resolve- ▁er- ▁successes- ▁duty- ▁instore- ▁whom- ▁packages- bu- ▁catalyst- ▁ordering- ▁mu- ▁attack- ▁diesel- ▁cal- ▁satellite- ▁sensitivity- ▁proof- ▁approaches- ▁narrow- ▁battery- ka- ▁screen- ▁incur- board- ▁inflationary- ▁correctly- ▁manufacturer- ▁google- ▁investigation- ▁disruptive- ▁emerge- ▁covering- ▁luxury- ▁apart- ▁delaware- ▁doubled- ▁mi- ap- ▁31- nc- ▁billings- ▁securing- ▁intense- ▁panel- led- ▁image- ▁profitably- ▁underground- ▁noticed- ▁subscriber- ▁trusted- ▁decreases- ▁valuations- ▁laser- ▁identity- ▁delighted- ler- ▁strike- ▁measurement- ▁constrained- ▁telecom- ▁pulled- ▁bankers- ▁tail- ▁remote- ▁casino- ▁scenarios- fa- erto- ▁causing- ▁explanation- point- ▁downside- ▁ir- ▁slowly- ▁warm- ▁campus- ▁prepayment- ▁inhouse- ▁gradual- ▁approaching- ▁simultaneously- ▁par- med- ▁jurisdictions- ▁marks- ib- ▁interface- ▁favorably- ▁considerably- ▁expansions- state- ▁forecasted- lt- ▁worldclass- ▁hedges- ▁believes- ▁expenditure- ▁forma- ▁commerce- ▁niche- ▁exceptionally- ▁deeply- ▁myself- ▁flight- ▁completions- ▁utilized- fin- ix- ▁mindful- and- ▁shipped- ▁remarkable- the- ▁ingredients- tra- ▁moments- ▁reviewed- ▁finalized- ▁conventional- ▁engagements- ▁accommodate- ▁allocated- ▁divest- eg- ▁passion- ▁vessel- ▁rare- ▁graph- ▁ar- ▁destination- ▁saas- ▁weekend- ▁ample- ▁spec- ▁commented- ▁flu- ▁converted- ▁integrity- ▁monetization- side- ▁supplies- ▁renovation- ▁holidays- ▁bonus- ▁station- ient- ▁attributes- der- ▁nextgeneration- ▁surgery- ▁bi- ▁climate- ▁payable- ▁dive- ▁task- ▁airline- ▁anyway- ▁persist- ▁normalize- ▁progresses- ▁leaving- ▁obtain- ▁consultants- ▁attempt- ▁parallel- ▁fulfillment- ▁doctors- ▁enthusiasm- ▁rep- ▁relief- ▁sides- ative- ▁exists- ▁touched- ▁forces- ide- ▁delta- ible- ▁document- ▁ce- ▁yearonyear- ▁accept- ▁subsidiaries- ▁surrounding- ▁attributed- ▁deflation- ▁singledigit- ▁interact- ▁executives- ▁su- ▁sometime- ▁send- ▁ambition- ▁auction- ▁lateral- ▁tested- ists- ▁gene- ▁strides- ▁pump- ▁metro- ▁chose- ▁intelligent- ▁preserve- ▁conscious- ▁film- ▁instruments- ▁chemicals- ▁phases- ▁discounts- ▁young- ▁ran- ▁collaborative- ville- ▁association- ▁trigger- ▁recap- qui- ▁multifamily- ▁tons- ee- ▁container- ▁ships- ▁controlled- ▁topics- ▁frank- ▁acute- ▁flavor- ▁missed- ▁retaining- ▁resilience- ▁enthusiastic- ▁session- ▁tables- ▁everywhere- ▁aviation- ▁rico- ▁grows- ▁sharp- ▁submitted- ▁incorporate- ▁omnichannel- rt- ▁wi- ▁spirit- ▁fun- ▁informed- ▁calculated- ster- ▁popular- ▁outdoor- ▁array- ▁density- ▁assessing- ▁factories- ▁placement- ▁consolidating- ▁breakdown- ▁optionalit- ▁ventures- ▁accounted- ▁skilled- ▁mis- ▁rigorous- ▁easter- ▁club- ▁arm- ▁anchor- ▁predictions- ▁digit- ▁proper- ▁peter- ▁advice- ▁novel- ▁nonrecurring- ▁protein- ▁subsidiary- ▁distributions- ▁21- ▁fell- ify- ▁termination- ▁treasury- ▁inspection- ▁outperformance- ▁acceptable- ▁wanting- qua- ▁skill- ▁basket- ▁roles- ▁eu- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁advances- ▁switching- ▁accountability- ▁recording- ▁shortage- ▁pivot- ified- av- ▁island- ▁empower- ▁tower- star- ▁loyal- ▁crisis- ▁proceeding- ron- ▁negotiation- ▁defend- ▁ball- ▁peer- ▁distinct- bl- ▁urgency- ▁ju- ▁responses- ▁tightening- ▁aimed- ▁electrical- if- ▁tra- ▁franchises- ▁reposition- ▁realistic- ▁connecting- ▁lighting- ight- ▁pleasure- ▁proxy- ▁failure- ▁womens- ▁blood- ▁derivative- ▁tougher- ▁extreme- ▁mornings- lan- ▁opt- ▁certification- ▁surgeons- ▁precise- ▁accident- ▁impressed- ▁discretionary- tics- ▁don- ▁survey- ▁recession- ▁ads- ▁arrangement- ▁interaction- ▁reading- ▁frequently- su- ▁ve- ▁viewed- ▁stockholders- ▁inclusion- ▁medicaid- ▁vegas- ▁glass- ▁authority- ▁reinvestment- ▁jv- ▁triple- ▁upgrading- ▁rebuild- ▁records- ▁spoken- ▁mutual- wood- ▁producer- ▁engineers- light- ▁brokers- ▁conversions- ▁diagnostic- ▁sku- ▁eagle- ▁jersey- ▁retained- ▁prioritize- ▁tighter- ▁counter- ▁unexpected- ▁exposed- ▁progressive- ▁drilled- ▁agility- ▁bestinclass- ▁alongside- ▁society- ▁worry- ▁proposals- si- ▁pat- ▁zone- ▁leased- ▁comparing- lin- ▁blocks- ▁deliberate- ▁outflow- ▁audiences- ▁pad- ▁corner- ▁geo- ▁settle- ▁preference- ▁breakeven- ▁christmas- ▁twice- ▁imaging- ▁goforward- ▁foods- ▁alberta- ▁iron- ▁perception- ec- ▁las- hold- ▁australian- ite- ▁visits- ▁influenced- ▁authorization- ▁concrete- ▁absence- ▁contemplated- ▁aside- ▁comparative- ▁negotiating- ▁pillars- ▁builds- ▁alliance- ley- ▁reduces- ▁guiding- ▁replacing- ▁stretch- ▁younger- sized- ▁replaced- log- ▁reg- ub- ▁stands- ▁collateral- ▁satisfy- ▁resume- ▁negotiate- ▁clinic- ▁diseases- ▁script- ▁commit- ▁regularly- ▁turkey- ▁fulfill- ▁whenever- ▁lever- ▁dilution- ▁pop- ▁war- ▁anniversary- ▁manufacture- ▁broker- ▁thereby- que- ▁parent- ▁serves- ▁imports- ▁computing- ▁confirmed- ▁asian- ▁incorporated- ▁stake- ▁river- ▁concepts- ▁contractor- ▁disappointing- ▁substitute- ▁specialized- air- ▁union- ▁oneoff- ▁wages- ▁th- ▁determination- ▁powder- ▁oncology- ▁falling- ▁tap- ▁japanese- tel- ▁spaces- ▁imply- ▁rationalization- ▁exiting- ▁cre- ▁preclinical- ▁undertaking- ▁finalize- ▁hospitality- ▁scores- ▁thrilled- ▁valley- ▁secular- ▁music- ▁honest- cr- ▁cultural- ▁holistic- ▁hurt- ▁lowcost- ▁rid- use- ▁log- ▁outline- ▁outsourcing- ▁adult- ▁whose- met- ▁reorganization- ▁unified- ably- ▁reservoir- ▁unable- ▁motion- ▁congress- ▁workflow- ▁title- ▁miss- ▁valued- ▁glad- ▁visual- ▁unlike- pac- ▁reit- ▁unlikely- ▁periodic- ▁academic- ▁interactions- ▁hydro- ▁cancellation- ▁diluted- ▁concentrate- ▁directors- ▁wherever- ▁deleveraging- ▁french- ran- val- ▁resonate- ▁tie- ▁pc- ▁benchmark- ▁simplification- ▁writing- ▁headquarters- ▁excludes- ▁district- ▁midwest- ▁recovered- ▁extract- ▁protecting- ▁fo- ome- ▁du- ▁university- ▁reward- ▁delivers- ▁brokerage- plus- fo- rd- ▁stations- ▁relevance- ▁spin- ▁quote- ▁flowing- ▁silver- ▁trained- ▁nav- ▁ai- ▁methods- ▁baseline- ▁payer- ▁ch- ▁boston- ▁migrate- ▁penetrate- ▁ideal- ▁doors- ▁sha- ▁bag- ▁discounting- ▁nobody- ▁construct- ▁augment- ▁references- ▁hu- ▁intangible- ▁storms- ▁pockets- ever- ▁pillar- ▁bankruptcy- ▁swing- ▁doug- ▁modernization- ▁cargo- bility- ▁midst- ▁wallet- ▁connections- pl- ▁representative- ▁revolving- ▁renew- ▁attribute- ▁miles- ▁mall- ▁aluminum- ▁stabilizing- ▁presents- ▁apps- ▁roi- ▁immune- ▁fight- rn- ▁redeploy- ▁coffee- ▁logic- ▁responded- ▁correction- act- ▁county- fl- focused- ▁procedure- ▁jo- ▁dates- ▁extensions- ▁evening- ▁sensor- ▁children- ▁pit- ▁bump- ▁knows- ▁formation- ium- ▁geographically- vis- ▁accretion- ▁reversal- dy- vers- ▁tissue- ▁tomorrow- ons- ▁predictive- ▁pan- press- ▁uplift- ▁nimble- for- ▁begins- ▁nevertheless- ▁revolver- ▁willingness- ▁realtime- ▁responsive- ▁convenient- ▁deterioration- ▁mandate- ▁capitalizing- ▁cuts- water- ▁contingent- ▁parameters- ▁pursuit- ▁deem- ▁rooms- ▁town- ▁root- ▁cyber- za- work- ▁lumber- ▁singapore- ▁costeffective- ▁gift- ▁arpu- our- ▁mail- ▁occurs- ▁suggested- ▁grand- ▁hour- ▁ipo- ▁viable- ▁borrowers- ▁convertible- ▁refined- ▁hires- ▁disruptions- ▁vo- ▁deepen- ▁refinance- ▁purely- ▁ocean- ▁airport- ▁timeline- ▁negotiated- ▁exports- quartertoquarter- ▁suspect- ▁mines- ▁employers- ▁possibilities- ▁solely- ▁brazilian- ▁partial- cor- ▁res- ▁missing- ▁experiment- ▁colorado- ▁ending- ▁recruit- ▁distribute- ▁foresee- ▁notwithstanding- ▁spike- ▁inefficienc- oc- ▁download- ▁analyzing- ▁says- ▁aid- ▁marginal- ▁whos- af- ▁adviser- ▁scrap- ▁relentless- ▁beta- ▁sensors- ▁scheme- ▁trip- ▁enjoyed- ▁maturit- ▁eliminating- ▁dev- ▁virginia- ff- ▁amendment- ▁accuracy- ▁redemption- ▁recruitment- ▁women- ▁score- ▁sponsor- wide- ▁click- ▁dig- ▁demographic- ▁pound- ▁involves- ▁broadbased- ▁restrictions- ▁guidelines- ▁additive- ▁grocery- power- sis- ▁chunk- ▁formulation- ▁difficulty- her- ▁corn- ▁cy- ▁hence- ▁honestly- ▁streaming- ▁silicon- ▁unprecedented- ▁lesser- ▁kids- ▁apparent- ▁stories- ▁variables- ▁captured- ▁names- ▁wire- ▁poised- iv- ▁anymore- ▁gary- ▁linear- ▁bids- cing- field- ▁gate- ▁gotomarket- ▁hawaii- ▁likelihood- ▁ter- ▁blend- ▁correlation- ▁qualification- ▁cor- ▁engineered- ▁22- yl- ward- ▁permit- ▁bucket- ▁farmers- ▁collective- ▁sustaining- product- ▁consequently- ▁offline- ks- ▁sl- ▁ice- ▁clo- ▁vital- ▁foremost- ▁consent- ▁fl- ▁colombia- ▁tactical- ▁forget- ▁household- ▁safely- ▁messages- ▁everyday- '95'- ▁ga- ▁affiliate- '20'- ▁permitting- ▁remodel- ▁healthier- ▁focuses- ▁mac- ▁medicines- ▁tick- ▁chains- ▁projection- ▁mechanical- ▁granted- ▁dial- ▁pilots- ▁style- ▁cu- ▁eric- ▁schools- ▁poland- ▁upgraded- ▁lake- ▁sh- ▁realignment- ▁refinery- ▁domestically- ▁tens- ▁metals- ▁mineral- ▁replicate- hand- ▁ramped- ▁doubling- ▁chairman- ▁restricted- ▁underperforming- ▁seemed- ▁ten- ▁rick- ▁stepping- pped- ▁contrast- ▁headed- efficient- ▁ontario- ▁submission- ▁mechanisms- ▁chip- ▁hoped- ▁sweet- ▁treating- ▁proving- ▁bus- ving- ▁municipal- ▁sent- ▁passing- ▁crossselling- ▁labs- ▁friday- ▁assistance- ▁exited- ▁candidate- ▁saving- rg- ▁brad- ▁worried- ▁seat- ▁excluded- level- ▁judge- ak- ▁rational- wa- ▁23- sol- ▁terminals- flows- ▁renewables- ▁35- ▁bay- ju- ▁greenfield- ▁motivated- ▁runs- ile- ▁consensus- ▁accessories- ▁diversifying- xi- ▁geographical- ▁broadening- ▁modules- ▁snow- ▁flagship- ▁segmentation- ▁hundred- ▁diamond- ▁forefront- ▁expiration- ▁generates- ▁revision- ▁foundational- ▁permits- ▁illustrate- ▁default- ▁grades- ▁considerations- ▁placing- ▁smarter- ▁holdings- ▁indicates- era- ▁boxes- ang- ▁progressed- bra- ▁clearance- ▁limits- ▁fields- ▁collectively- ▁multiples- cap- ▁choosing- ▁fluctuate- ▁attendance- ade- ▁evolved- we- ▁strip- ▁nim- ble- ▁dallas- ▁fragmented- ▁classified- ▁erp- ▁rationale- ware- ▁oral- ▁ifrs- ▁optical- ▁recovering- ▁passenger- ▁cement- ▁mills- ▁inorganic- scale- ▁chronic- ▁conviction- ▁demonstration- ▁struggling- ▁sky- ▁headline- ▁departments- ▁decreasing- ▁sweden- ▁broken- ▁hill- ▁educate- ▁ban- ▁sw- nic- ▁statistics- ▁selectively- ▁sciences- ▁heightened- ▁pennsylvania- ▁intake- ▁jet- ▁mortgages- ▁sample- ▁breaking- ▁genetic- ▁locally- ▁institution- ▁thorough- ▁incrementally- ▁themes- ▁evaluated- ▁reaffirm- pp- ▁removed- ▁downtime- ▁cautiously- ▁economically- ▁del- ▁anti- ▁prescription- ▁preferences- ise- ▁transact- ▁tumor- ▁dropped- ▁seriously- ▁transitions- ▁filling- ▁unsecure- ▁worst- ▁four- ▁friends- ▁conferences- ko- ▁trouble- ▁perpetual- ▁shops- ▁regulator- ▁nutrition- ▁walmart- ▁pulp- ▁signals- ▁caught- ▁pivotal- oriented- ▁che- ▁threshold- ▁lap- ▁1000- mar- ▁uptake- ▁unmet- ▁perfectly- ▁furniture- gra- ▁rec- ▁server- ▁pronounced- so- risk- ▁firstly- ▁traded- ▁ohio- ▁quantity- ▁mindset- ▁disclaimer- ▁boards- ned- ▁sil- room- ▁ends- ▁exclusively- ▁severity- ▁chase- ▁gaps- ▁factored- ▁mild- ▁branding- ▁debate- ▁cl- ▁cohort- ▁billion- ▁surprising- ▁resonat- ▁diminish- ▁shutdown- ▁flip- ▁riskadjusted- ▁opens- ▁circuit- ▁coach- ▁muted- cos- ▁initiate- ▁mile- ▁submit- ▁onboard- ▁autonomous- ▁shrink- ▁suggests- ▁mon- ▁ride- ▁formats- well- ▁fabric- ▁mistake- ▁rein- ▁trades- ▁seller- ▁ambitious- ▁dispute- stone- ▁fab- ▁probability- ▁residual- ▁border- rie- ey- ▁roe- ▁enhances- ▁grain- ▁bundle- ▁ko- ▁residents- ▁bra- run- bank- ▁cluster- ▁equities- ▁simplified- ▁disrupt- ▁commercially- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁screening- ▁gal- serv- ▁floating- ▁fly- ▁strict- ▁employer- ▁profiles- ▁filled- ▁intact- ▁bearing- ▁outpace- ▁communicating- car- ▁customized- ▁instrument- ▁crews- ▁logical- ▁wellness- ▁exhibit- ▁annuity- ▁needle- ▁overlap- ▁calculate- ▁compensate- ▁lowered- ▁tire- ▁barriers- ▁payback- par- ifi- ▁requiring- ▁surplus- ▁dur- ▁weigh- ▁stocks- ▁interests- ▁aging- ▁movie- ▁concessions- cy- ▁demographics- ▁nu- ▁allocating- ▁facebook- ▁eliminated- ▁skin- ▁conducting- ▁embrace- ▁director- ▁limitations- ▁universal- ▁eyes- ▁jason- ▁alter- ▁bode- ▁pen- ▁teleconference- ▁minority- ▁commissioning- ▁installations- ▁proved- ▁buildout- ▁coupon- ▁race- ▁refocus- ▁elect- ▁ancillary- ▁civil- ▁garden- ▁restart- sign- ▁titles- ▁peoples- fr- ▁pr- ▁arena- ▁illinois- ▁subs- ▁incident- ▁protocol- ▁commence- ▁delever- ▁chapter- ▁impossible- ▁premise- ▁baked- ▁widely- cal- ▁commenced- ▁expert- ▁smartphone- house- owned- ▁emissions- ▁filter- ▁detection- ▁cla- ana- ▁elevate- ox- ▁warrant- ▁ash- ▁listing- ▁nursing- ▁rose- ▁employed- ▁techniques- ▁realign- ▁casual- ▁distinguish- ▁granular- ▁adversely- rc- ▁thatll- ▁friction- ▁cd- ▁named- max- ▁journal- ▁royalties- ▁interactive- tric- ▁adopting- ▁onboarding- ▁college- ▁longstanding- ▁overnight- tal- ▁endtoend- ▁incumbent- ▁locked- ▁centralized- ▁rain- ▁manifest- ▁millennial- ▁lifting- ▁developer- ▁derived- kin- ai- ▁lighter- ▁keeps- ▁regain- ▁dining- ▁printing- ▁impactful- ture- ▁imperative- ▁translated- ▁pie- ▁upsell- ▁aligning- ▁tells- ford- ▁andrew- '10'- ▁tenure- ▁exposures- my- ▁weekly- ▁shortages- ▁indonesia- ▁transcript- ▁promoting- ▁activation- ▁fitness- ▁era- ▁classic- ose- ▁ruling- tor- ▁assembly- type- ▁placements- ▁atlantic- ▁defer- ▁diligent- ▁unusually- ▁crew- ▁phoenix- ▁202- ▁comply- ▁fueled- ▁hi- ▁mentioning- ▁principle- ▁ultra- ▁cheaper- ▁predictability- ric- ▁sponsors- ▁unfold- ▁george- ▁propositions- ▁comprised- ▁dar- ▁affects- ▁struggle- ▁heritage- ▁teach- down- ▁matching- ▁routes- ▁demanding- ▁forced- ▁nationwide- ▁accrual- ▁cast- ▁clearer- via- ▁hosting- ▁kit- ▁british- ▁bias- part- ▁holds- ▁directed- ▁stepped- rated- ▁dominant- ▁zealand- ▁appointment- ▁publishing- ▁subscriptions- ▁y- free- ▁pathway- ▁craft- ▁fish- au- ▁zones- ▁fe- ▁ron- pay- mic- ▁delinquenc- ▁speculate- ▁roof- ▁warranty- link- ious- ▁envision- ▁richard- ▁norway- ▁cas- ▁elected- ▁centered- ▁instances- ▁crucial- ▁compares- ▁poly- ▁settled- ▁hang- ▁integral- ▁modify- ▁streamlining- ▁quota- ▁fastest- ▁predicted- life- ica- ▁consist- ▁populations- ▁paint- ▁province- ▁isolation- ▁beach- ▁sir- ▁computer- ▁albeit- ▁entrant- ▁erosion- ▁relied- ▁licensed- ▁divestment- ▁restore- ▁basins- ▁rough- ▁cur- ▁elimination- ▁republic- ▁discover- ▁affordabilit- ▁band- ▁requests- ase- ▁opposite- ▁signature- ▁shaping- ▁transformative- ▁networking- ▁consume- lon- ▁midsingle- ▁annualize- ▁passionate- ▁decisionmaking- ▁five- ▁precisely- ▁stayed- ▁privilege- ▁shortfall- ▁treatments- ▁loaded- ▁drawing- ▁externally- ▁answered- ▁frozen- ▁ordinary- can- ▁ev- ▁accessible- pr- ▁wondered- ▁neighborhood- ▁implies- fs- ▁idle- ▁translates- ▁max- ▁practical- ▁charging- ▁accompanying- ▁validate- ▁illustrates- ▁tightly- ▁institute- ▁patience- ▁temporarily- ▁finishing- ▁hadnt- ▁accurately- ▁collaborate- ▁follows- ▁bro- ▁argue- ▁cha- ▁interpret- ▁leisure- ▁reception- ▁implant- ▁eligible- ▁dozen- ▁newest- ▁covers- ▁attached- ▁attracted- ▁atm- iness- ▁atlanta- ▁300- ▁navy- ▁annually- du- ▁sal- ▁liquids- ▁minus- ▁northwest- ▁vacation- ▁28- ▁namely- realized- ▁differentiating- ▁exploit- ▁sugar- ▁midmarket- mark- ▁thrive- ▁premature- ▁fraud- ▁pride- ▁tele- ▁invite- ism- ▁tank- ▁revisit- ▁revpar- ▁flash- ▁competenc- ▁restructure- ▁intervention- ▁cautioned- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁guy- specific- ▁convention- ▁syn- ▁highermargin- ▁pumping- ▁projecting- ▁observations- ▁supposed- ina- ▁character- ▁sudden- ▁fans- ▁bandwidth- ▁catastrophe- ▁midterm- ▁netherlands- ▁taste- ▁dual- ▁impression- ▁400- ▁dairy- ▁eager- ▁innovat- ▁rebuilding- ▁speeds- ▁renovations- ▁liberty- ory- dic- ▁oklahoma- ▁phasing- fer- ▁ke- ▁conclusions- ▁affiliates- ▁parks- ▁detect- ▁unemployment- ▁expands- ▁industrys- ▁durable- ▁pri- ▁analytical- ▁softening- ▁gu- ▁bolster- ▁tre- ▁simpler- ▁outages- ▁depressed- ▁pd- ▁alex- ▁appreciated- ▁outlet- ▁tony- ▁analog- ▁lender- pu- ▁liver- ▁cool- ▁blended- ▁men- ▁sorts- ▁valid- ▁king- ▁footwear- ▁injection- ▁mitigated- ▁modernize- ▁arizona- ▁repay- ▁competitively- ▁photo- mon- ▁pioneer- ▁emergency- ▁thesis- ▁portal- ▁crosssell- ▁contributors- ▁agriculture- ▁thermal- ▁gateway- '00000'- ▁builders- ▁causes- ▁composite- ▁casualty- ▁representatives- ▁hyper- ▁fan- ▁argument- ▁wellpositioned- ▁digest- ▁variance- ah- ▁retire- ▁compensated- ▁consumables- ▁relations- ▁crystal- ▁medication- ▁neither- ▁mega- ane- ▁trucking- ▁gearing- ▁excuse- ▁qualitative- ▁honor- ▁indian- ▁difficulties- ▁patents- ▁redesign- play- ▁determining- ▁michigan- ▁thereafter- ▁mirror- ▁manual- ▁diagnostics- ya- ▁arms- ▁highend- ▁command- ▁fruition- ▁subsequently- ▁45- ▁inherently- ▁los- ▁falls- ▁grant- ▁applies- ▁horizontal- ▁tailored- ▁occasions- ▁har- ▁pages- ▁variation- ▁suit- ▁headlines- ▁towers- ▁500- ▁repairs- ▁prepaid- ▁repricing- ▁assured- ▁queue- ▁indicating- ▁amended- tle- ▁fortunately- ▁observe- modal- cycle- value- ▁bold- ▁containers- ▁cms- ▁van- ▁heads- ▁automate- ▁inhibitor- ▁formed- ▁farms- ▁lineup- ▁meanwhile- ▁toronto- ja- gate- ▁revisions- ▁inclusive- ▁stopped- ▁27- ▁tu- ▁belt- ▁letting- ▁transformed- fu- ▁ps- ▁concluding- ▁pleasant- ▁configuration- ▁transferred- ▁26- ▁lumpi- ▁qualify- ▁laying- ▁believed- ▁digitally- bit- ▁desired- ▁outlets- ▁lens- ▁cook- ▁mitigation- ▁mens- ▁jay- ▁buffer- ▁clarification- ▁relocation- ▁protected- ▁sake- rus- pre- ▁convey- ▁parcel- ▁showcase- ▁intensive- ▁addresses- ▁personalization- ▁semi- ▁windows- centric- box- iconic- ▁robert- ria- ▁severance- ▁inbound- ▁craig- ▁counts- ▁hurdle- ▁workplace- ▁advised- ▁rationalize- duc- ▁samples- ▁inquiries- ▁drink- ▁concession- ▁outage- ▁trailing- ▁tenders- ▁dna- ▁suggesting- ▁snack- ▁bench- ▁midland- ▁shell- ▁highvalue- lance- ▁removing- ▁breakthrough- ▁chemistry- ▁energized- ▁bu- gar- ▁walking- ▁jon- ▁overly- long- ▁modified- ▁percentages- ▁reap- ▁lessons- ▁plate- ▁individually- ▁holders- ▁buckets- gn- ▁circle- ▁kitchen- ▁vacancy- ▁com- ▁stem- ▁cp- ▁phones- ▁bills- ▁capitalization- ▁portions- ▁manageable- ther- ram- ▁obtained- ▁transit- ren- ▁clearing- ivity- ▁plug- ▁fraction- ans- ▁recommendations- ▁stays- ▁span- ▁tighten- care- ▁keen- ▁phil- ▁revolution- ▁southwest- ▁seattle- ▁steep- ▁recapture- ▁submarket- ▁shorten- ▁scheduling- stock- ▁onsite- ▁sur- ▁advancement- ▁todd- ▁celebrate- ▁diabetes- ▁para- list- ▁employ- ▁frequent- ▁achievable- ▁bounce- ▁molecular- ▁quiet- ▁lie- ▁ramps- ▁algorithms- ▁cumulative- ▁module- ▁advise- ▁expire- ze- ▁capacities- ▁authorized- ▁bolton- ▁avenues- ▁threats- ▁comparability- ▁phenomenon- ▁ms- ▁pertain- ▁mc- ▁nation- ▁resiliency- ▁awful- ▁reseller- ▁contraction- ▁surprises- ▁pl- ▁clinicians- ▁dia- ▁structurally- ▁registered- ▁settlements- ▁participated- ▁pal- dding- ▁measuring- ▁pleasing- ▁text- ▁taxable- ▁relying- ▁validated- ▁whereby- ▁maturing- ▁rural- ▁survival- ▁issuing- rill- service- ▁resort- source- ken- ▁righthand- ▁heavier- ▁foster- ▁pra- ▁aiming- ▁prototype- ▁manufactured- ▁leaves- ▁trough- ▁ur- ▁rush- ▁tam- ▁lend- ▁merit- ▁designing- ▁mitigat- ▁bur- ▁cup- ▁universe- ▁shot- ▁salary- ▁findings- ▁organized- ▁hosted- ▁louisiana- ud- ▁interruption- tex- ▁acting- ▁ya- ▁cr- ▁hubs- ▁lies- ▁viewing- ▁surge- ▁robotics- vision- ▁chi- ▁flying- ▁somehow- ▁weakening- ▁passive- ▁marketleading- ▁noi- ▁hurdles- ▁seats- ▁jan- ▁credibility- ▁battle- form- sys- ▁fu- ▁streamlined- ▁involving- ▁suited- ▁arrive- ification- ▁nations- ay- ▁parking- ▁columbia- ▁ounces- ▁significance- ▁norm- ▁meal- ▁compromise- ▁feasibility- ▁mexican- ▁besides- ▁consequences- ▁educational- ▁owning- ▁cho- ▁sits- ▁england- ▁tobacco- ▁underpin- ▁pumps- ▁loading- ▁limiting- ki- ▁chicken- ▁dosing- ▁operates- ▁moreover- ▁dip- ▁billions- ▁justify- ▁african- ▁gauge- ▁ought- ▁monday- ▁archive- ▁programmatic- tish- ▁fuels- ▁clinically- building- ▁studio- ▁reinforces- ▁transitional- ▁interconnect- ▁answering- lapping- ▁remediation- ▁relaunch- ▁enforcement- ▁cooperation- ▁readiness- ▁fer- ▁meat- ▁films- ▁dictate- ▁legislative- ▁modular- ▁layers- head- ▁cushion- ▁voluntary- ▁documentation- ▁mer- ▁contemplate- ▁ec- ▁shoppers- ▁advancements- demand- ▁quantitative- ▁releasing- ▁roadmap- ▁ryan- ▁statutory- ▁chasing- ▁sellthrough- ▁alert- ▁till- ek- ▁styles- priced- ▁breast- ▁mortality- ▁scratch- ▁turbine- ▁james- ▁absent- ▁slot- ada- ▁crm- ▁apartment- ▁phenomenal- ▁75- ▁collected- ▁milk- ▁compound- ▁behaviors- ▁persistent- ▁highlevel- ▁radi- ▁pads- ▁unlocking- ▁missouri- ▁salaries- ▁minds- ▁deleverage- ▁recommend- ▁integrations- ▁tonnage- flow- pen- ▁appealing- ▁sam- ▁gp- ▁catalog- ▁martin- ▁automatically- ▁sharpen- ▁rank- ▁pos- ▁eat- ▁iv- ▁calculations- ▁minnesota- ▁wild- ▁mag- ▁requested- ▁strictly- ▁restructured- ▁bone- ▁corporations- ▁deficit- ▁chile- har- ▁receipt- ▁heating- responsibilities- ▁distance- ▁multinational- ▁opioid- ▁salespeople- mc- mis- ▁spine- ▁corp- ▁fra- ▁proximity- ▁tuckin- ▁compliant- ▁dilutive- ▁zero- ▁solidify- ▁routine- ▁variations- ▁notion- ▁incorporating- ▁migrating- ▁straightforward- fuse- ▁occasion- ▁mediumterm- ▁undergoing- ▁scalabilit- tec- mate- ▁specialists- ▁uni- ▁hy- ▁geopolitical- ▁solving- ▁uniform- ▁biotech- ▁ep- ▁attend- ▁ven- ▁landing- ▁articulated- ▁cer- dex- ▁intermediate- nu- gan- ▁nominal- ▁saudi- ▁stimulate- ▁angeles- ▁official- ▁underscore- ▁ki- ▁speculation- ▁freedom- ▁boot- ▁assay- ▁midteens- core- ▁shock- ▁distraction- ▁suffered- ▁mono- ▁tro- cat- ▁bre- ▁neuro- ▁nick- ▁downtown- ▁normalization- ▁critically- ▁collecting- ▁describing- ▁jewelry- ▁dealership- ▁obtaining- ▁bri- ▁salt- ▁representation- ▁cam- ▁attraction- ow- ▁dimension- ▁ambitions- ▁technically- ▁gasoline- ▁squeeze- ▁sleep- ▁mal- ▁gather- tru- ▁pur- ▁unmatch- ▁golf- ▁sprint- ▁irma- ▁bl- ▁removal- ▁wheel- ▁interior- ▁suffer- ▁attain- ▁accomplishment- ▁commercialize- ▁secret- ▁noninterest- ▁adam- ▁understands- ▁kansas- ▁consultation- ▁echo- wear- ▁midyear- ▁warrants- ▁modifications- ▁slate- ▁preserving- ▁crush- ▁onpremise- ▁ffo- ney- ▁panels- ▁promises- ▁associate- ▁widening- ▁commenting- nes- ▁forever- ▁absorbed- ▁fortune- ▁beef- ▁factoring- ▁approached- ▁batteries- ▁valve- ▁ferc- ▁realizations- len- ▁cro- gene- not- ▁prominent- ▁intra- ▁enrolled- ▁boat- ▁highway- ▁prescriptions- ker- ▁aero- stream- ▁liquidation- pack- ▁issuer- ▁independently- performance- ▁gi- ▁gear- ▁switzerland- ▁tweak- ▁needing- ▁extends- path- wise- ▁deepening- ▁champion- ▁wo- ▁consists- turn- ▁plastic- ▁truth- ▁malls- ▁var- uc- ▁gar- uestionandanswer- ▁horse- ▁gdp- ▁dropping- card- ▁bundled- ▁crops- ▁specialist- ▁temp- ▁shippers- ▁alpha- only- ▁omni- ▁fabrication- ▁propel- ▁insurers- ▁denver- ▁examine- ▁pin- oo- ▁cloudbased- ▁predicting- ▁publish- ▁lung- ▁camera- ev- ▁29- ▁observation- ▁continuum- ▁muscle- ▁unlimited- ▁teens- ▁kicked- ▁molecules- ▁referral- ▁dam- ▁underpinne- ▁renewing- ▁petrochemical- ▁spacing- ▁theaters- ▁lane- ▁enjoying- plan- '30'- train- ▁addon- site- tiv- ▁conflict- ▁noteworthy- ▁oversight- ▁nike- ▁intentions- ▁russian- ▁provisioning- ▁elections- ▁ob- ▁recommendation- ▁alaska- ▁prolonged- ug- ▁instrumental- ▁han- ▁36- ▁nearing- ▁molecule- ▁perspectives- ▁deferral- ▁radar- ▁semester- ▁goodwill- ▁destinations- ▁mandates- ▁laboratory- ▁pair- ▁isolated- ▁fueling- ▁reconcile- ▁meter- ▁authentic- ▁continuity- ▁dislocation- ep- ▁meets- bridge- sale- ▁prioritizing- ▁reservation- ▁fear- loc- ▁tanker- ▁originated- int- ▁bell- ▁ph- ▁chat- ▁approve- ▁georgia- ▁error- ▁boeing- ▁deserve- ▁fat- ▁spots- ▁continental- ▁digitalization- ▁smoothly- stor- ▁costreduction- ▁taiwan- ▁shall- ▁distinctive- ▁regime- ▁seasons- season- ▁equipped- ▁moderation- ▁tackle- ▁complain- ▁pools- ▁mainstream- ▁customary- ▁interpretation- size- ▁ski- ▁screens- ▁suffering- iti- right- ▁displays- ▁eventual- ▁translating- ▁desktop- ▁tireless- ▁congratulate- ▁flag- ▁penn- ▁directionally- lm- ▁sap- ▁nova- ▁suppose- ▁hr- ▁planet- men- ▁cra- build- ▁cb- ▁certified- ▁acres- ▁refund- sum- ▁checks- ▁succession- ▁seasoned- ▁essence- ▁reopen- ▁passthrough- ▁sixth- ▁footage- ▁cri- ▁shake- ▁mini- own- ▁intrinsic- ▁ireland- ▁bp- '50'- hu- ▁sharply- ▁flood- ▁processed- ▁visiting- ▁stat- ▁cleaning- ▁rewarding- ▁vaccine- ▁wireline- ▁carl- ▁eg- ▁resorts- ▁delight- ▁charts- ▁shrinking- ▁api- ▁houses- ▁dream- ▁embracing- ▁sterling- ▁lt- gas- ▁sim- ▁temperatures- ▁ingredient- ▁inputs- ▁outset- ▁readily- tory- ▁spare- ▁demo- ▁drawn- bar- ▁derisk- sensitive- ▁invoice- ▁nordic- bin- ▁shi- ▁shale- ▁harm- anticipated- ▁finaliz- ▁bruce- ▁identification- ▁pediatric- ▁chips- ▁actionable- ▁attach- ▁banners- ▁lin- ▁publication- ▁measurable- ▁steam- ▁innings- ▁playbook- ▁dram- ▁entirety- ▁camp- ▁generics- ▁float- ▁ds- ▁disciplines- ▁dock- ▁gm- cut- ▁defining- ▁prompt- ▁dimensions- ▁cart- ▁aligns- ▁budgeting- ▁dispose- ▁unpredictable- ▁hits- ▁trailer- ▁scaled- han- book- ▁cheap- ▁publishers- ▁investmentgrade- ▁encompass- ▁decisive- ▁extraordinarily- ▁quantities- ▁mask- ▁confirmation- ▁ot- ▁adapting- ▁rewarded- ▁cleaner- ▁evolves- ▁evenly- ▁lp- ▁object- ▁draft- ▁surpass- quarter- app- mat- ▁subsea- ash- ▁assessments- ▁architectural- ▁charles- ▁guard- ▁ngl- ▁performer- ▁coll- ▁tru- cast- ▁fail- ▁avenue- ▁surgeon- ▁escalation- ▁wine- ▁native- ▁adequately- ▁ring- ▁constructed- row- ▁confusion- ▁defensive- ▁rebalancing- ▁injury- ▁quantum- ▁patch- ▁promised- ▁monetiz- ▁subset- ▁infusion- ▁massachusetts- ▁reinforcing- ▁costly- ▁tactics- ▁deceleration- ▁printer- ▁strengthens- ▁reinforced- ▁devaluation- ▁methodical- ▁overhang- ▁foundations- quality- ▁compute- ▁meters- ▁ray- ▁ze- ▁varying- performing- ▁beautiful- ▁libor- ▁recipe- ▁homeowners- ▁roger- rp- ▁posting- '40'- ▁cm- ame- ▁forum- ▁robot- ▁yen- ▁backed- ▁highgrowth- ▁plastics- ▁governor- ▁rfp- generation- ▁cognizant- ▁column- ▁2000- ▁foundry- ▁honored- ▁marc- ▁comm- ▁constraint- ▁larry- ▁gre- ▁noticeable- bro- maker- ▁reveal- ▁promoted- ▁curves- ▁whi- ▁dealt- lim- ▁jurisdiction- ▁destocking- ▁sluggish- ▁transient- dis- ▁theater- lar- ▁smartphones- ▁telephone- ▁counting- ▁rod- atory- cell- ▁pursued- ▁crack- ▁tailor- ▁railroad- ▁shanghai- ▁unprofitable- ▁vintage- ▁wafer- ▁rv- ▁stocking- ▁kpi- view- ▁tree- ▁followon- ett- ▁reforms- ▁tasks- ▁apologize- ▁entitled- ▁library- ▁newspaper- ▁outreach- ▁profound- ▁affirm- ▁enroll- ▁tip- ik- ▁caribbean- ▁indepth- ▁knock- ▁occurrence- ▁venezuela- ▁refineries- ▁cornerstone- ▁handset- ▁catalysts- ▁sport- ▁supplying- ▁rf- ▁marketers- ▁pounds- ▁regimen- ▁appraisal- ▁bakken- ▁counsel- ▁routing- ▁mainland- ▁sections- test- ▁appliances- ▁epi- ▁vest- ▁assignment- ▁stroke- ▁suburban- ▁revaluation- ▁guaranteed- ▁prop- ▁powered- cost- ▁hey- ▁propane- ▁quoting- ▁conform- ▁incurring- ethane- lease- ▁accrued- ▁stone- ▁exits- place- ▁sensible- ▁specified- ▁wifi- gram- ▁ideally- than- ▁cohorts- ▁modeled- ugh- ▁pizza- ▁thousand- ▁railcar- ▁involvement- ▁tourist- ▁sto- ▁fixing- mont- ▁variances- ▁nex- ▁sch- ▁climb- ▁deciding- ▁thailand- ▁patrick- hen- ▁irr- ▁limitation- ▁analyzed- ▁makers- ▁largescale- ▁attractiveness- ▁builder- ▁robotic- ▁basics- ▁progressively- ima- ▁sme- ▁sar- ▁marginally- ening- ▁reshape- ▁italian- ▁tonnes- ▁brent- ▁friendly- ▁officially- ▁rebates- ▁stepup- lia- ▁everybodys- ▁doses- ▁oriented- ▁varies- ▁correlated- ▁settings- ▁reversed- vin- ▁investigators- ita- ▁ol- ▁motivation- ▁simplicity- ▁simulation- ▁fluctuation- step- eon- ▁satellites- ▁distinction- ▁receipts- ▁hunt- ▁sk- ▁ct- ▁convergence- ▁daytoday- ▁integrator- ▁sensing- ▁geared- ▁wouldve- ▁excel- ▁derive- van- ▁converge- ▁sought- ▁dress- ▁stood- ▁trim- tain- ▁runoff- funded- thanexpected- ▁backup- matic- ▁instant- ▁fighting- ▁stringent- ▁algorithm- gel- ▁tires- ▁np- spec- ▁mont- ▁dy- ▁belgium- ▁contingency- ▁vibrant- ▁feedstock- ▁sat- ▁gears- ▁comprise- ▁recycle- ▁sla- ▁chargeoffs- ▁deteriorate- ▁underneath- ▁prosper- ▁trump- ▁safer- ▁refinement- ▁embed- ▁habits- ▁enacted- ▁sticking- ▁neo- ▁ku- ▁cannabis- ▁depot- ▁advisors- store- ▁oe- ▁systemic- ▁visitors- ▁pros- ▁reits- week- ▁beds- ▁onshore- ▁tuesday- ▁wisconsin- ▁orlando- cam- ▁nationally- ▁prevention- ▁hike- ▁attacks- ▁strain- ▁clinics- ▁studios- ▁summarized- ▁telco- class- ▁relocate- ▁desirable- ▁widen- '0'- ▁sn- ▁surveys- ▁underwriter- ▁presumably- ▁retrofit- ▁underwrite- ▁apartments- ▁navigation- ▁antonio- ▁precious- ▁fold- ▁barrier- ▁protocols- ▁discovered- ▁augmented- low- print- ▁overtime- ▁sanction- ▁warehouses- ▁electro- town- ▁failed- ▁leaner- ▁coastal- ▁reactor- ▁kidney- ▁malaysia- ▁attitude- ▁wildfire- ▁stephen- ▁tuned- ▁fin- ▁assisted- ▁intensely- ▁underscores- ▁advocate- ▁keith- ▁reiterating- ▁nuance- ▁ranging- ▁baby- meter- nie- ▁pm- ▁stra- ▁generators- ▁lien- ▁genomic- ▁intuitive- ▁paradigm- ▁bottle- ▁entrepreneurial- ▁orange- ▁loop- ▁swings- logic- ▁standardized- ▁assembl- ▁cord- ▁venues- ▁households- ▁corridor- ▁alarm- disproportionate- works- ▁compounds- ▁behavioral- ▁embark- ▁thankful- ▁newness- ▁schemes- ▁innovator- ▁coordination- ▁summit- ▁grab- ▁leap- ▁accumulated- ▁midsized- ▁pressured- berg- segment- ▁benign- ▁overhaul- ▁resistance- ▁diego- '60'- ▁thin- ▁six- ▁lately- ▁trains- ▁accountable- ▁departure- ▁graduate- ▁nevada- ▁vietnam- ▁favorite- ▁appointed- ▁bonuses- ▁backend- ▁deliberately- ▁borrow- ▁sticky- ▁originate- ▁valuebased- read- ▁striv- ▁dozens- ▁minimizing- ▁brown- ▁wise- ▁borrower- ▁symptoms- ▁catching- ▁explaining- ▁behave- ▁deadline- ▁oak- ▁confirming- ▁oversee- ▁magic- rew- ▁generator- comm- ▁dec- ham- ▁col- ▁arc- ▁edit- mine- ▁permission- ▁sequencing- ▁warning- ▁repeating- ▁paris- ▁cent- ▁doctor- pic- ▁frontline- ▁wars- vant- ▁bars- ▁ranking- ▁tremendously- ▁restrict- ▁scan- ▁cab- ▁nut- ▁imported- ▁cannibalization- ▁choppy- ▁council- ▁surcharge- ▁discounted- ▁randy- ▁fox- ▁outsourced- growth- ▁reconciled- ▁hydrogen- cho- ▁overwhelming- ▁educating- ▁2013- ▁urgent- ▁perceived- ▁tea- ▁mutually- ▁consumed- ▁proceedings- ▁mat- ▁statistical- ▁combat- ▁enrich- ▁harness- ution- ▁mergers- ▁existed- ▁forest- lock- ▁aided- ily- ▁approximate- ▁kar- ▁rolls- corp- ▁entertain- ▁neighbor- ▁philippines- ▁dampen- ▁cabinet- ▁witnessed- ▁pacing- ▁dark- ▁valueadd- ▁duties- ▁automobile- ▁disney- ▁handled- ▁publications- ▁upwards- ▁consumable- ▁suddenly- ▁expression- ▁hell- share- ▁sequence- ▁distort- ▁finger- ▁suitable- ▁measurements- ▁temperature- ▁barrel- ▁referrals- ▁bundles- ▁journeys- ▁abate- ▁flatten- ▁biologics- ▁reserved- ▁snap- ▁magazine- ▁nasdaq- ▁outpatient- ▁platinum- ▁biomarker- ▁child- ▁classification- ▁nickel- ez- ▁benchmarks- ▁vic- ▁convince- cia- ▁amplify- ▁antibiotic- ▁century- ▁concentrating- ▁creativity- ▁underserved- ▁urge- ▁friend- ▁embarked- ▁sands- ▁accessing- ▁ott- ▁navigating- ▁slip- ▁govern- ▁charged- ▁immaterial- ▁swiss- ▁postpone- media- ▁lee- ▁selecting- ▁wash- ▁collaborat- ▁easiest- ▁manhattan- ▁olympics- ▁survive- ▁specialties- ▁sustainably- ▁deepwater- ola- ▁narrowing- ▁keenly- ▁banner- ▁incidents- ▁vertically- ▁catering- ou- ▁flooding- ob- figuring- ▁rev- ▁nonetheless- ▁universities- ▁afterwards- ▁batch- ▁visited- ▁venue- ▁assembled- ▁sean- directtoconsumer- ▁bundling- ▁conservatism- ▁fertilizer- ▁whatsoever- ▁cinema- ▁desk- ▁val- ▁movies- ▁whove- ▁touching- ▁alike- ▁inject- nex- ▁disclosing- ▁fastestgrowing- ▁matthew- ▁satisfactory- invest- ▁wake- ▁sending- ▁incoming- ▁containment- ▁ministry- ▁enduring- ▁synergistic- cha- ▁competency- oid- ▁systematic- ▁death- ▁emphasizing- ▁unparalleled- ▁insured- ▁verification- jo- ▁sessions- ▁saves- ▁impressions- ▁combines- ▁checking- ▁afraid- ▁cellular- ▁drought- ▁ethanol- ▁proppant- ▁spark- ▁revitaliz- ▁garner- ▁commencement- ▁tradeoff- ▁definitions- ▁ties- ▁alliances- ▁interestingly- ▁flavors- ▁commensurate- ▁vector- ▁veteran- ▁disorder- ▁groundwork- ▁consultant- ▁notification- tz- ▁odd- ▁ty- ▁lawsuit- ▁marcellus- ▁moderating- ▁arrow- ▁gun- ▁coin- ▁caps- ▁rem- aries- ▁emergenc- ▁transplant- ▁midsingledigit- ▁shore- ▁hyperscale- ▁bullet- ▁bound- ▁om- ▁packaged- ▁auctions- ▁def- ▁penetrating- ▁multichannel- ▁buck- ▁headroom- ▁formally- ▁directional- ▁breakout- ▁controller- elect- lc- ▁replenish- ▁arrival- ▁cubic- ▁ratabl- ▁campuses- ▁appliance- ino- ▁emerged- fold- ▁kentucky- ▁carries- ▁walked- ▁invent- ▁activate- stat- ▁sufficiently- ▁mt- ▁awaiting- ▁participant- ult- ▁logos- ▁passengers- ▁register- ▁privacy- ▁soybean- ▁suffice- ▁tackling- ▁candidly- ▁height- rtis- ▁landlords- ▁appeals- ▁embraced- ▁gig- ▁tension- first- ▁coincide- ▁egypt- ▁incorrect- ▁creep- ▁wound- ▁highperformance- ▁fallen- ▁article- ▁attended- ▁arr- yn- ▁concert- ▁actuarial- ▁widespread- ▁revert- ▁attachment- ▁boom- ▁catchup- ▁reallocate- ▁impaired- ▁listings- ▁winners- ▁refi- ▁accompany- ▁allowances- ▁tickets- ▁processors- ▁ear- ▁hikes- ▁administer- ▁anecdotal- ▁league- ▁backbone- ▁redeem- ▁presidential- ▁cure- ▁amortize- ▁boy- ▁fruits- ▁adjacenc- ▁certificate- ▁crowd- ▁suspension- ▁tranche- ▁initiation- ▁contrary- ▁stance- ▁intentionally- tar- ▁accessed- ▁trick- ▁airports- ▁confirms- ▁hair- ▁baker- ▁hum- ▁lit- ▁continent- ▁austin- ▁provincial- ▁unplanned- ▁vigilant- ▁pursuan- generative- ▁nodes- ▁terminated- ▁loose- ▁cameras- ▁analytic- nova- ▁kill- ▁datadriven- ▁breach- ▁diagnosis- ▁inception- ▁sponsorship- ▁visa- ▁duc- ▁oilfield- ▁exceeds- ▁restoration- ▁reside- ▁districts- ▁realities- ▁10000- ▁divisional- ▁extensively- ▁curtail- ▁cognitive- ▁cylinders- ▁metropoli- ▁tennessee- ▁abnormal- ▁exhaust- ▁spanish- ▁arising- ▁weakest- ▁prevailing- ▁financed- ▁ceiling- ▁envelope- ▁possess- ▁prevalent- ▁vancouver- ▁unitholder- ▁barry- ▁advantageous- ▁recommended- ▁warmer- ▁outsource- chem- ▁hat- ▁cooling- ▁files- mini- ▁smith- ▁arabia- ▁paramount- overquarter- ▁unwind- ▁buildup- ▁sym- ▁ports- ▁tag- weight- ▁illustrated- ▁aesthetic- ▁respiratory- ▁seismic- ▁wheat- ▁33- ▁missile- ▁municipalities- ▁anytime- ▁cooper- ▁footing- ▁architectures- ▁shopper- mu- idge- ▁squarely- ▁underperform- ▁reliant- ▁unclear- ▁vacant- ▁hesitate- ▁workloads- ▁seventh- ▁markdown- ▁distressed- ▁skewed- ▁featured- ▁modification- ▁resin- ▁rigor- ▁contemplating- ▁tourism- ▁fintech- ▁recycled- ▁reacting- ▁medi- ▁za- ▁likewise- ▁cel- ▁crazy- ▁policyholder- ▁angle- ▁presently- price- ough- ▁clubs- ▁halfway- ▁miami- ▁abroad- ▁digitization- ▁600- ▁army- ▁hole- iff- ▁inevitable- ▁bodies- ▁creek- ▁finland- ▁brew- home- ▁exercises- ▁frontend- ▁cf- ▁disrupted- ▁eco- ▁assessed- like- ▁minerals- ▁unfortunate- making- ▁antenna- ▁faith- ▁referencing- ▁underpinning- ▁initiating- ▁payoffs- ▁bidder- ▁tab- ▁brain- ▁epic- ▁blow- ways- ▁inspire- ▁growers- ▁disadvantage- ▁highmargin- ▁polish- ▁rebalance- ▁tractor- ▁sneak- ▁comfortably- ▁repeated- ▁repeatedly- roll- bio- ▁merge- ▁lam- stage- ▁jointly- ▁dakota- ▁roche- ▁truckload- ▁installment- ▁airplanes- ▁ted- ▁outpac- shop- friendly- ▁architect- ▁cruise- ▁entitlement- ▁exclusivit- ▁jonathan- ▁sampling- ▁teammates- ▁tumors- ▁peso- ▁committing- ▁haul- ▁spa- ▁logistic- ▁shed- ▁incorporates- ▁grants- connect- took- ▁applica- ▁electrification- ▁subsidies- ▁stu- ▁lagging- ▁supermarket- ▁validates- ▁establishment- ▁totality- ▁briefing- rick- ▁tablet- ▁beverages- ▁shoot- ▁triggered- ▁pla- ▁tan- worth- ▁football- ▁unveil- ▁deductible- ▁machinery- ▁sm- ▁bat- ▁mir- ▁repurchas- ▁reinvent- ▁tac- ▁dispatch- ▁reassess- ▁reliably- ▁roaming- ▁scientists- ▁bryan- ▁wrapping- ▁posture- ▁aspirations- located- ▁fred- lling- gro- ▁amendments- ▁chuck- ▁denmark- ▁lunch- ▁tendency- ▁sears- ▁prohibited- ▁encountered- ▁parents- ▁localized- ▁disaster- ▁disasters- ▁smallest- ▁matched- ▁organize- ▁lan- fire- ▁satisfying- ▁alleviate- ▁cardiac- ▁steadfast- ▁oftentimes- ▁hall- ▁traveling- ▁enabler- ▁sharebased- ▁merits- ura- ▁bla- ▁moderniz- count- ▁lessen- ▁ammonia- ▁captive- ▁housekeeping- ▁reluctant- ▁supreme- ▁costsaving- ▁complexities- ▁cancel- ▁inspired- ▁indiana- ▁arrived- ▁versions- ▁deb- ▁technicians- ▁ser- ▁intensify- ▁likeforlike- ▁marktomarket- ▁mechanics- ▁penalty- ▁umbrella- ▁uncover- ▁knowhow- ▁offense- ▁logo- ▁enduser- ▁permitted- ▁dead- ▁respected- ▁installing- ▁norms- ▁simon- grade- ▁setup- ▁tanks- ▁optimum- ▁stuck- ▁quest- ▁harsh- ▁nand- ▁msr- ▁tc- ▁absorbing- ▁acuit- ▁therapeutics- ▁compounded- ▁tightened- lp- ▁golden- ena- generating- ▁english- ▁louis- ▁necessity- ▁safeguard- ▁surveillance- ▁turnkey- ▁interval- ▁farmer- ▁coatings- ▁shutt- ▁citizens- ▁witness- ▁prescriber- ▁expressions- ▁peripheral- ▁responsibly- ▁substance- ▁potash- ▁filtration- ▁radical- ▁writeoff- ▁pathways- ▁viewers- ▁extrapolate- ▁seize- ▁unions- ▁struggled- body- ▁nat- ▁incentivize- ▁articulate- ▁fastgrowing- ▁theoretical- ▁grind- ▁accrue- ▁abilities- ▁longest- ▁lowercost- ▁eva- ▁gil- ▁companywide- through- ▁reprice- residential- ▁breath- ▁yearago- ▁preview- ▁josh- ▁william- equ- ▁admit- ▁trail- ▁mp- ▁introduc- ▁affairs- ▁ceramic- ▁probable- ▁sacrifice- ▁starbucks- ▁abandon- ▁moderately- ▁insert- umab- pass- ▁sounded- ▁permanently- brand- ▁crane- touch- ▁consuming- ▁mandatory- ▁pharmacies- ▁withstand- ▁vince- ▁justice- ▁cogs- ▁customization- ▁subcontractor- ▁exercised- ▁blocking- ▁bankruptcies- ▁hemisphere- ▁resolving- ▁singular- ▁structuring- ▁verizon- ▁cited- ▁headway- ▁logistical- ▁franchisee- tell- ▁cn- ▁admissions- ▁renegotiation- ▁revamp- ▁yourselves- ▁austria- ▁blind- ▁oregon- ▁royal- ▁refurbishment- ▁polymer- ▁brick- ▁pitch- ▁cranes- ▁refunds- ▁budgeted- ▁oled- force- ▁thresholds- ▁advertise- ▁pon- ▁undervalued- ▁backfill- ▁israel- ▁tube- ▁tightness- ▁55- ▁submissions- ▁dennis- ▁disposable- ▁interchange- ▁maritime- ▁overarching- ▁petroleum- ▁reject- ▁bleed- ▁wholly- ▁cc- ▁commissioned- ▁figured- ▁decor- ▁engineer- ▁broadest- ▁relentlessly- band- ▁vesting- ▁yard- ▁articles- ▁treasur- ▁arguably- ▁biometric- ▁rethink- ▁subdued- ▁arbitration- reclassification- ▁static- ▁periodically- ▁bumps- ▁cath- ▁occ- cloud- enabled- ▁binding- ▁cycling- ▁norwegian- ▁senate- ▁sophistication- ▁swedish- ▁telematics- ▁waiver- ▁ethylene- ▁dense- ▁tide- ▁peru- range- ▁pot- rel- facing- ▁perceive- ▁prep- ▁altogether- ▁featuring- ▁jerry- ▁philadelphia- ▁orphan- ▁assert- position- ▁atlas- ▁nda- logists- ▁abstract- ▁bureau- ▁earliest- ▁repatriation- ▁instructions- ▁sunday- ▁replenishment- ▁anomaly- ▁dominated- ▁customerfacing- ▁flattening- istic- ▁conservatively- ▁mary- ▁christi- ▁continual- '5000'- ▁fulfilling- ▁elevating- ▁rotation- ▁spectacular- ▁controllable- ▁betting- ▁onwards- ▁fedex- ▁mom- ▁dent- ▁tm- rich- ▁implication- ▁santa- ▁brickandmortar- ▁orientation- ▁giant- ▁pac- ▁virtue- ▁feebased- ▁delaying- cular- ▁swift- ▁shoes- ▁discern- ▁imbalance- ▁oversupply- ▁winwin- ▁sedar- ▁redirect- ▁alloy- ▁interconnection- unit- vy- ▁matches- ▁vein- forward- ▁lodging- ▁microphone- ▁unnecessary- ▁stockpile- ▁hook- ▁viability- ▁coordinated- ▁coil- ▁specifications- ▁travelers- ▁solved- ▁prioritized- ort- health- ▁boosted- ▁disappear- ▁cisco- ▁interview- ▁earth- ▁paydown- ▁versa- ▁compressed- ▁taper- ▁compounding- ▁landlord- ▁howard- ▁nerve- ▁spinoff- ▁biology- ▁reimbursed- ▁expiring- ▁nonperform- ▁standardization- ▁85- ▁tablets- ▁narrowed- ▁leaning- ▁biosimilar- ▁commoditiz- ▁connecticut- ▁untapped- ▁reconfigur- ▁matrix- ▁verify- ▁curtailment- ▁physically- ▁contra- ▁emission- ▁zo- ku- ▁prediction- ▁furnace- ▁immense- ▁drift- ▁painful- ▁terry- ▁lyn- ▁nearby- ▁bang- ▁harvesting- ▁yards- ▁dso- ▁holes- ▁palm- ▁blending- ▁closest- ▁cultivate- ▁ignore- ▁imminent- ▁inevitably- ▁obstacle- ▁cardiovascular- ▁stemming- ▁zinc- ▁panama- ▁favorability- ▁syndicated- ▁ow- ▁tooling- ▁tune- loaded- '80'- ▁hd- ▁placebo- ▁ef- ▁struck- ▁intersection- ▁48- ▁tempered- ▁wearable- ▁unrelated- ▁signaling- ▁korean- ▁aspiration- ▁steward- ▁feeding- ▁aforementioned- ▁narrative- ▁pandora- ▁pentup- ▁synthetic- ▁disappointment- ▁android- ▁philip- ▁rationalizing- ▁accompanied- ▁hourly- ▁emphasized- ▁migrated- ▁lapse- sproportionately- ▁biological- company- ▁contemporary- ▁deviation- ▁injuries- ▁lloyd- ▁reshaping- ▁undoubtedly- ▁unwavering- ▁burger- ▁flowthrough- ▁organ- ▁boats- ▁propose- ▁skew- ▁consortium- ▁jennifer- ▁shelves- ▁thanksgiving- ▁twitter- ▁fusion- ▁overlay- ▁supplied- ▁mother- ▁reorder- ▁rio- ▁imposed- ▁portable- ji- cept- ▁spo- ▁confidential- ▁surprisingly- space- ▁officials- ▁bolstered- hanging- ▁rp- ▁underline- ▁fiduciary- ▁rhythm- ▁paypal- ▁congratulations- ▁solicitation- ▁polar- ▁mapping- ▁landmark- ▁lucky- ▁unfolds- ▁canceled- ▁invited- ▁weaknesses- ▁pete- ▁sheer- ▁procure- ▁inspiration- ▁2012- ▁varied- ▁wrapped- ▁intimate- ▁romania- ▁indices- ▁broadened- ▁aspire- cade- ▁mold- ▁victory- ▁intentional- ▁deductions- rix- ▁blade- ▁pocket- ▁lc- ▁declare- ▁asphalt- ▁calculating- ▁occupied- ▁iphone- ▁smoke- ▁cybersecurity- ▁spill- ▁transferring- ▁instrumentation- ▁concurrently- ▁adopters- ▁md- ▁airplane- ▁cope- ▁staffed- ▁compromising- ▁ebay- ▁observing- ▁leak- ▁strat- ▁cater- ▁65- ette- ▁condo- ella- rock- ▁rand- ▁oc- ▁discretion- ▁disagree- ▁affinity- ▁degradation- ▁mississippi- ▁owe- uff- ▁distribut- ▁notified- ▁bc- ▁broke- ▁scenes- ▁kim- ▁tape- lining- ▁annuities- ▁ballpark- ▁dermatolog- ▁speculative- ▁striking- ▁stuart- ▁twin- ▁checkpoint- ▁gla- ▁excessive- ▁thoroughly- ▁megawatts- ▁richer- ▁plain- ▁clip- berry- ▁refreshed- ▁bottleneck- ▁credential- ▁nervous- ▁vegetable- ▁kelly- ▁outlay- ▁gray- ▁occasionally- ▁highvolume- ▁fitting- ▁rebranding- ▁activated- ▁creditors- ▁summariz- ▁isolate- ▁cosmetic- ▁reevaluate- ▁vascular- ▁trace- lake- wall- ▁nearest- ▁acquirer- ▁levered- ▁eating- ▁winner- ▁cigarette- ▁collapse- ▁confused- ▁scrubber- ▁tunnel- ▁assigned- ▁flush- ▁maria- ▁colon- ▁tel- ▁passage- ▁graphics- ▁stewards- ▁lump- person- ▁commonly- ▁gallons- flex- ▁elasticity- ▁specification- ▁specificity- ▁earnout- ▁interacting- dale- ▁cv- ▁virgin- ▁accelerator- ▁companion- ▁confusing- ▁dutch- ▁laboratories- ▁leather- ▁predicated- ▁emotional- ▁quo- ▁ppa- ▁speakers- developed- away- ▁automating- ▁colocation- ▁contingencies- ▁credible- ▁landfill- ▁scrutiny- ▁console- ▁hallmark- ▁prescribing- ▁systematically- ▁pullback- ▁competence- ▁enrolling- ▁instruct- ▁correlate- zi- ▁earthquake- ▁sunrise- ▁wrote- ▁exponential- ▁indoor- ▁drone- ▁reactivation- gl- ▁industrywide- ▁readers- ▁aged- ▁resident- ▁deduction- ▁reorganiz- ▁redefine- ▁charlotte- ▁circulation- ▁influencing- ▁marriott- ▁weakened- ▁backwards- ▁drew- ▁nc- ▁sage- ▁recruited- ▁prevail- ▁designation- ▁encounter- trans- intensive- watch- ▁blockchain- ▁boutique- ▁missioncritical- ▁quartile- ▁rubber- ▁speech- ▁transitory- ▁automatic- ▁denominator- ▁spur- ▁distracted- ▁todate- ▁diagnosed- ▁buses- ▁shy- ▁noble- ▁passes- ▁penetrated- ▁oh- ▁adherence- ▁estimation- ▁lincoln- ▁monetary- ▁preservation- ▁stimulation- ▁drain- ▁nashville- ▁rack- ▁amend- ▁declared- ▁viewpoint- ▁distributing- ▁hunting- ▁lifted- ▁reserv- ▁upturn- ▁ener- ▁enforce- ▁devastating- ▁independence- ▁multitude- ▁nowhere- ▁avoiding- ▁knee- ▁presume- ▁commend- ▁auditors- ▁avid- ▁accepting- ▁successor- ▁weighed- tek- ▁circumstance- ▁rebate- science- ▁nurses- ▁estimating- ▁fundraising- ▁gratitude- ▁hydraulic- ▁nafta- ▁anthem- ▁writedown- ▁layout- ▁warehous- ▁suspended- ▁stacked- ▁risen- '90'- ▁terminate- system- ▁evan- group- ▁junior- ▁phrase- ▁poultry- ▁repaid- ▁easing- ▁render- ▁toptier- ▁quantified- ▁scrapping- ▁attempting- burg- ▁rightsize- ▁wholesalers- ▁poll- ▁npl- ▁subside- ▁quoted- ▁mic- ▁genesis- tinib- ▁debit- ▁bike- ▁carol- ▁expired- ▁800- ▁coke- ▁thomas- ▁utica- ▁amenities- ▁airbus- ▁retrospective- ▁breakfast- ▁chair- ▁customercentric- ▁stating- ▁repurpos- written- ▁alcohol- ▁columbus- ▁gratifying- ▁inconsistent- ▁pellet- ▁rebroadcast- ▁yellow- ▁distill- ▁bowl- ▁uneven- ▁pulse- ▁sponsored- ▁hero- ▁granularit- ▁explicit- ▁nonoperat- ▁helicopter- ▁puzzle- ▁thursday- ▁mattress- ▁ebb- dium- ▁classroom- ▁05- ▁rigid- ▁nail- ▁cracker- ▁reorganized- ▁freeze- ▁lining- ▁dun- ▁remodeling- ▁origin- ▁designers- ▁judicious- ▁longevity- ▁nigeria- ▁singlefamily- ▁studied- ▁idaho- ▁antibody- ▁maryland- ▁tampa- ▁marty- ▁carryover- ▁exacerbated- ▁seal- ▁steri- ▁needless- ▁categorize- ▁duplicate- ▁insulation- ▁omidria- ▁propensity- ▁redundant- ▁shipyard- ▁anxious- ▁investigate- ▁minister- ▁originating- ▁bird- ▁acid- ▁accommodation- ▁divided- ▁compressor- ▁diy- ▁franc- ▁backoffice- ▁frustrating- ▁granite- ▁irrigation- ▁juncture- ▁iowa- ▁virus- ▁watt- ▁latestage- ▁hello- ▁remiss- ▁bt- ▁advertiser- ▁luck- ▁benchmarking- ▁abundant- ▁ambulatory- ▁condensate- ▁conversely- ▁dashboard- ▁netflix- ▁supervisor- ▁sidelines- ▁tailings- ▁allied- ▁hate- scape- ▁harmon- vel- ▁constellation- ▁empire- ▁feasible- ▁negligible- ▁outbound- ▁portugal- ▁preclude- ▁settling- ▁headset- ▁portland- ▁recur- ▁ram- ▁readout- jet- weighted- ▁entrepreneurs- ▁qualifying- ▁advisor- ▁700- ▁diet- ▁subsidy- ▁fierce- ▁conceptual- ▁motorcycle- ▁mount- ▁recast- ▁nash- ▁frontier- iq- ▁proportional- ▁customize- ▁concurrent- ▁mro- ▁accumulation- ▁beneficiary- ▁calgary- ▁hudson- ▁jamie- ▁restoring- ▁heels- ▁fre- ▁foodservice- ▁karen- ▁5000- ▁aaron- ▁illustration- ▁boss- ▁rally- ▁envi- ▁mb- ▁practically- ▁graphic- uel- ▁37- ▁150- ▁exhibited- ▁noncontroll- ▁sync- ▁refinanced- ▁nano- ▁arkansas- ▁balloon- ▁caveat- ▁village- ▁daniel- ▁oracle- ▁boundaries- ▁comcast- recapitalization- ▁maxim- ▁stopping- ▁rightsizing- ▁formular- ▁coating- awa- ▁scar- ▁educated- '70'- hill- ▁accu- rent- ▁obligat- ▁etf- ▁cleveland- ▁expansive- ▁hyatt- ▁pointofsale- ▁sandwich- ▁susan- trend- ▁timber- ▁prostate- factor- ▁arch- ▁concerted- ▁chem- ▁severely- label- ▁syndicate- ▁displace- ▁constituent- ▁czech- ▁rehabilitation- ▁recoup- ▁relax- ▁discharge- ▁monster- ▁plot- ▁methodolog- ▁bdc- ▁immuno- ▁overwhelmingly- ▁lengthy- ▁denominat- ▁cotton- ▁irrespective- ▁nonaccrual- ▁refranchising- ▁plateau- ▁dirt- ▁glenn- ▁marin- ▁johnson- ▁renovated- tron- track- ▁respectively- ▁validat- ▁sb- ▁afforded- ▁fragrance- ▁immunooncology- ▁lingering- ▁stellar- ▁syndication- ▁welcoming- ▁nominat- ▁substitution- ▁stan- ▁refill- ▁loe- center- tronics- look- selling- craft- ▁born- ▁academy- ▁athletic- ▁entail- ▁exclusion- ▁mutation- ▁preceding- ▁substantive- ▁brake- ▁julie- ensification- ▁gathered- ▁constrain- ▁habit- ▁reacted- ▁subscribe- ▁stagger- ▁expedite- ▁cease- ▁crossover- ▁persistence- ▁checkout- ▁insulated- ▁onset- ▁ul- ▁restated- ▁ranked- ▁amortiz- income- ▁apollo- ▁fossil- ▁identical- ▁leach- ▁lowermargin- ▁registry- ▁sacrificing- ▁utmost- ▁vacuum- ▁jean- ▁abuse- ▁macys- ▁temper- ▁statistically- drawn- ▁appreciative- ▁mentality- ▁procedural- ▁sydney- ▁pork- ▁azure- ▁shield- ▁injectable- ▁alive- ▁thermo- ▁pave- ▁neil- pla- ▁hone- ▁sporting- branded- ▁redo- working- genic- bell- ▁decommission- ▁nurture- ▁selfservice- ▁capita- ▁authentication- ▁hint- ▁expedited- ▁tying- ▁38- ▁fracture- ▁derisking- ▁employing- ▁fulfilled- ▁commercializing- ▁ameri- ▁transmit- break- ▁random- dequacy- ▁crossborder- ▁educator- ▁inclined- ▁samsung- ▁insulin- ▁inquiry- setting- ▁prescribed- ▁skip- ▁compress- ▁die- ▁coordinate- ▁anthony- ▁beijing- ▁counterparties- ▁festival- ▁nielsen- ▁proliferation- ▁subordinate- ▁staple- ▁thick- ▁boiler- ▁precedent- ▁timetable- ▁digging- ▁foothold- ▁contest- ▁tableau- ▁receptive- ▁hip- ▁explicitly- ▁salesforce- ▁shooting- ▁commenc- abilities- trade- ▁administrator- ▁congestion- ▁detriment- ▁episode- ▁hesitant- ▁hygiene- ▁scarcity- ▁smelter- ▁turmoil- ▁waterfall- ▁sweep- ▁standardize- ▁ranch- ▁advent- ▁smb- ▁influencer- utter- ▁95- ▁motivate- ▁accustomed- ▁chassis- ▁invaluable- ▁reestablish- ▁situated- ▁stimulus- ▁tandem- ▁volunteer- ▁prioritization- ▁compass- ▁scanner- ▁firewall- ▁blackstone- ▁crest- ▁cardio- ▁accessory- more- ▁steering- ▁cow- ▁marlin- ▁retired- ▁curate- ▁dean- ▁repo- ▁turk- ▁alternate- ▁analyses- ▁dialysis- ▁intensified- ▁penalties- ▁sensitivities- ▁worthwhile- ▁hazard- ▁remarkably- ▁blackrock- ▁agnostic- ▁cooperative- ▁lengthen- ▁steven- ▁formulate- ▁pv- ▁funeral- ▁ladder- ▁pinnacle- ▁postacute- ▁snapshot- ▁titanium- ▁brandnew- ▁shallow- ▁halo- ▁crown- zone- ▁railway- ▁slated- ▁await- ▁steer- ▁20000- yield- script- ▁caliber- ▁devoted- ▁eighth- ▁mouth- ▁postpaid- ▁aggregation- ▁cliff- ▁responsiveness- ▁string- ▁kin- ▁jones- ▁toughest- ▁char- ▁restored- ▁poster- ▁melt- ▁illustrat- ▁insider- mitted- ▁renovat- ▁renegotiate- ▁dinner- ▁reengineer- ▁thumb- ▁taxpayer- ▁arbitrage- ▁tipping- ▁stripping- ▁tapping- ▁mood- ▁dick- hub- sphere- ▁accumulate- ▁backtoschool- ▁orthopedic- ▁outweigh- ▁suppress- ▁reclassifie- ▁interestbearing- ▁choppi- ▁jackup- ▁popularity- ▁discoveries- hawk- ▁pam- ▁reallocat- ▁vulnerable- ▁sincerely- ▁trauma- ▁fellow- ▁warner- ▁capped- ▁seven- ▁centric- ▁earnest- ▁inspect- ▁pose- petition- ▁leaseup- ▁outgrow- volt- ▁digitize- ▁dedicate- ▁discontinue- ▁depreciate- ▁lithium- ▁philosophical- ▁framing- ▁cheese- ▁vending- ▁chegg- ▁clock- ▁purposeful- ▁cleanup- ▁knowledgeable- ▁cooperate- ▁cooler- ▁compliment- ▁dispense- ▁mathematical- ▁perimeter- ▁ralph- ▁retiring- ▁utah- ▁birth- ▁remediate- ▁laserfocused- ▁iteration- ▁tenet- ▁wisely- ▁renegotiated- ▁routinely- ▁nr- ▁buyout- code- ▁redesigned- ▁flor- ▁incent- ▁grocer- process- structure- ▁destiny- ▁underpenetrated- ▁busiest- ▁forthcoming- ▁virtuous- ▁plaza- ▁racing- eye- ▁3000- ▁payoff- ▁ortho- ▁merged- ▁inhibit- ▁vista- ▁watches- ▁deducti- charge- profit- energy- wind- ▁chemotherapy- ▁entrance- ▁facilitating- ▁happier- ▁legislature- ▁timeframe- ▁vacancies- ▁bargain- ▁lobby- ▁tokyo- ▁slope- ▁cedar- ▁specify- ▁protest- ▁roster- ▁voting- ▁withdrawal- ▁reallocation- ▁standby- ▁vale- ▁earlystage- ▁redevelop- ▁hp- ▁pest- front- ▁insist- beat- ▁alabama- ▁empty- ▁endorsement- ▁examining- ▁experiential- ▁rainfall- ▁separating- ▁iridium- ▁wellbeing- ▁liber- ▁recreational- ▁connector- ▁barge- ▁highgrade- ▁designated- ▁liquidate- ▁yo- action- ▁cpg- ▁suspend- ▁genuine- active- heim- utilized- ▁sma- ▁advocacy- ▁antibodies- ▁conservation- ▁hydrocarbon- ▁mismatch- ▁oxygen- ▁refractor- ▁unfair- ▁disability- ▁downgrade- ▁cabin- iston- ▁bolt- ▁120- suite- ▁enzyme- ▁hilton- ▁offensive- ▁testimony- ▁clothing- ▁restocking- ▁beacon- ▁defect- ▁nurse- ▁tal- ▁mixture- ▁dish- ▁activat- ▁pp- ▁citi- period- ▁inroads- ▁kroger- ▁vigorously- ▁2011- ▁pushback- ▁protective- ▁traders- ▁barn- ▁midsize- ▁increment- competitive- ▁fabulous- ▁hospice- ▁nitrogen- ▁practitioner- ▁restatement- ▁robinson- ▁segregat- ▁unconventional- ▁girl- ▁pbm- ▁instill- ▁loud- ▁characteristic- ▁realistically- ▁headquarter- ▁furnished- ▁highperforming- ▁amid- ▁flagged- ▁haynes- ▁problematic- ▁scoop- ▁sovereign- ▁voyage- ▁merely- ▁pinpoint- ▁prepay- ▁dependence- ▁marry- ▁lions- ▁superiority- megawatt- ▁excite- ▁jeremy- ▁refrigerated- ▁turbo- ▁unreasonable- ▁humble- ▁infant- ▁baking- ▁divert- ▁lte- ▁sharper- ▁colder- ▁monotherap- ▁consult- ▁correspond- ▁reinvigorate- platform- producing- order- check- resistant- ▁culinary- ▁flawless- ▁inherited- ▁nontraditional- ▁remeasurement- ▁wellknown- ▁winnebago- ▁revising- ▁lagged- ▁depict- ▁juice- ▁hypothesis- ▁dwell- ▁publisher- ▁reuse- hole- ▁heck- consolidated- built- prime- ▁depletion- ▁secondarily- ▁mlp- ▁weapon- ▁swiftly- ▁softened- ▁mil- ▁rainy- ▁blast- ▁coat- ▁expose- ▁furnish- wire- ▁bacteria- ▁baseball- ▁oxide- ▁prestigious- ▁stranded- ▁vantage- ▁slice- ▁thread- ▁michelle- ▁deduct- defined- ▁farther- ▁exhibition- scope- ▁bloom- ▁destroy- ▁plumbing- ▁reconsider- ▁unleash- ▁scanning- ▁parse- ▁clay- ▁personalize- neutral- ▁frustration- ▁highspeed- ▁targa- ▁kirk- ▁rescue- ▁subsidize- ▁steal- ▁mentor- ▁harris- ▁aspirational- ▁resale- borne- ▁deter- ▁pine- transmission- ▁onprem- ▁carriage- ▁invitation- ▁peace- ▁reconciling- ▁saturday- ▁selfhelp- ▁sulfur- ▁triumph- ▁escalate- ▁viral- ▁ethical- ▁ibm- ▁cameron- ▁sizing- ▁instantly- ▁creators- prong- ▁bull- ▁reaccelerat- ▁refurbish- ▁nascar- ▁retroactive- ▁unforeseen- ▁remix- ▁coding- ▁blueprint- ▁merging- ▁roast- arity- ▁existence- ▁resist- ▁assistant- ▁shaw- ▁technique- ▁genuinely- fast- ▁mobilize- ▁victoria- ▁interventional- axis- ▁soften- ▁tile- ▁attribution- ▁blockbuster- ▁insignificant- ▁literature- ▁qualities- ▁steroid- ▁terribly- ▁copies- ▁intercept- ▁welding- ▁tricky- sky- ▁scrip- ▁tec- munications- ▁nutritional- ▁nii- ▁tradition- economic- ▁kiosk- ▁pfizer- ▁unsustainabl- ▁buoy- ▁copyright- ▁elite- ▁rebuilt- ▁fcc- ▁midway- ▁sba- ▁offprice- plex- ▁distress- digit- appropriate- ▁interopera- ▁incidence- ▁jordan- ▁slippage- ▁calibrate- ▁shaft- ▁textile- ▁discontinuation- ▁confidentiality- ▁dump- ▁dropdown- ▁realworld- ▁chargeoff- ▁compact- ▁surround- ▁biopharma- ▁brilliant- ▁groundbreaking- ▁halloween- ▁microbiome- ▁migraine- ▁politics- ▁prestige- ▁pyramid- ▁synchroniz- ▁catheter- ▁advertisement- ▁revolutionary- ▁bread- ▁centre- ▁shoe- ▁parity- ▁withdraw- ▁albert- ▁50000- regulated- function- ▁acknowledging- ▁admittedly- ▁editorial- ▁mercury- ▁pragmatic- ▁stainless- ▁irrational- ▁illumina- ▁tmobile- ▁pullthrough- ▁classify- ▁highyield- ▁stockholder- ▁broadcasters- ▁fisher- ▁taco- ▁dilute- ▁deficiency- ▁influx- ▁occupy- ▁rehab- ▁reinsurer- ▁carpet- ▁hypothetical- ▁recalibrat- ▁lottery- ▁dyna- ▁marcus- ▁outlier- ▁reversion- ▁visitation- ▁guideline- stack- ▁peg- ▁bubble- ▁buffalo- ▁myriad- ▁bancorp- ▁leakage- ▁firing- ▁redeployment- ▁pole- smart- ddle- ▁epa- ▁basketball- ▁cohesive- ▁curriculum- ▁false- ▁greece- ▁lowmargin- ▁taylor- ▁unbelievabl- ▁tesco- ▁cascade- ▁darren- ▁clause- ▁hung- ▁strange- ▁tiny- ▁mediumsized- ▁irish- ▁professionalism- ▁adaptive- ▁stride- ▁joel- ▁aggregator- ▁redistribut- ▁probe- ▁bath- ▁remark- ▁chamber- ▁collision- ▁pervasive- ▁uncommon- ▁footnote- ▁youtube- ▁sick- ▁latency- ▁colleague- ▁extraction- motion- high- ▁msa- ▁antitrust- ▁asiapacific- ▁consummate- ▁hampered- ▁impediment- ▁receptor- ▁socalled- ▁plasma- ▁promo- ▁redundancy- ▁affo- ▁lenses- ▁gut- ▁immunotherap- ▁tall- ▁reactivate- ▁abundance- ▁acquisitive- ▁autumn- ▁cologuard- ▁infotainment- ▁refrigeration- ▁veterinary- ▁behaving- ▁diving- ▁booth- ▁halt- ▁radiation- ▁lisa- sense- ▁restriction- ▁revers- post- spoke- ▁underscor- ▁vocal- mobile- ▁charlie- ▁exterior- ▁hidden- ▁locomotive- ▁maturation- ▁cardinal- ▁orleans- ▁remedy- ▁traits- ▁instability- ▁originator- ▁marvel- ▁manpower- ▁quint- ▁heartland- rgus- ▁edition- ▁christian- ▁fractur- ▁divide- ▁glen- ▁ambassador- ▁arriving- ▁believing- ▁beneficiaries- ▁democrat- ▁detroit- ▁mortar- ▁turbulence- ▁dismiss- ▁geological- ▁seemingly- ▁pathogen- ▁tyler- ▁fireeye- ▁adhere- ▁lifo- ▁greenhouse- ▁opec- ▁hva- brook- ▁rework- ▁prohibit- ▁biomass- ▁costcutting- ▁excise- ▁proposing- ▁bunker- ▁fault- ▁brett- ▁cheapest- ▁garage- pharm- ▁yu- '06'- ▁buzz- ▁census- ▁delineation- ▁dependency- ▁evergreen- ▁exercising- ▁interference- ▁patterson- ▁referendum- ▁simplifies- ▁ninth- ▁recurrent- ▁campbell- ▁debut- ▁confront- ▁cream- ▁retin- nanometer- ▁photograph- ▁raj- ▁dominate- direct- ▁persistenc- ▁decentralized- ▁dissipate- ▁episodic- ▁latam- ▁mosaic- ▁petrobras- ▁resumption- ▁syndrome- ▁fixtures- ▁randomized- ▁reconstruction- ▁quant- ▁reinvention- leading- ▁simultaneous- ▁chocolate- ▁dangerous- ▁deteriorating- ▁inflammation- ▁laundry- ▁midatlantic- ▁parliament- ▁retool- ▁renal- ▁tolerance- ▁pollution- ▁timberland- operative- ▁ferro- ▁vitality- sharing- bury- ▁accessibility- ▁celebrating- ▁female- ▁frequencies- ▁hollywood- ▁relocating- ▁hinder- ▁spray- ▁leadingedge- ▁transpire- ▁goodbye- ▁macau- ▁poker- ▁eplex- ▁lapped- ▁wow- ▁juan- ▁insurer- ▁dell- ▁configure- ▁pile- ▁anomal- central- ▁phenomena- ▁appalachia- ▁cobalt- ▁cocacola- ▁lucrative- ▁slipped- ▁westinghouse- ▁vinyl- ▁organizing- ▁apex- ▁swim- ▁reactive- contract- supplied- ▁mitch- ▁attorney- ▁compatible- ▁conducive- ▁disparate- ▁explosive- ▁morris- ▁multifaceted- ▁wellestablished- ▁nucor- ▁displacement- ▁lauren- ▁noticing- ▁dust- ▁admission- ▁etsy- ▁biologic- ▁tear- ▁equip- ▁rocket- development- ▁criticized- ▁cuttingedge- ▁facilitator- ▁inaugura- ▁longhaul- ▁preempt- ▁prolific- ▁relapse- ▁unacceptable- ▁watson- ▁wyndham- ▁obsess- ▁overcoming- ▁vacate- ▁expare- ▁sensi- ▁recontract- ▁submitting- ▁aisle- ▁feat- ▁statistic- ▁heali- ▁30000- enhancing- ▁biopsy- ▁dublin- ▁exemplifie- ▁implicit- ▁peanut- ▁shadow- ▁submarine- ▁lawyers- ▁tubing- ▁misleading- ▁florence- ▁paving- ▁intermediary- ▁reagent- ▁thriving- ▁spanning- ▁dolby- ▁sweetener- ▁sweat- ▁alluding- ▁consultative- ▁drastically- ▁scarce- ▁merck- ▁resell- ▁peel- authorized- ▁contiguous- ▁counterparty- ▁decoupl- ▁desperate- ▁entrust- ▁examination- ▁hindsight- ▁remunerati- ▁valuecreation- ▁veterinarian- ▁walter- ▁wednesday- ▁whiskey- ▁knit- ▁expeditious- ▁linkage- ▁ltl- ission- ▁handicap- ▁bake- ▁ecom- ▁stead- foot- ▁faculty- ▁insufficient- ▁magnetic- ▁modalities- ▁quantification- ▁rotate- ▁correspondent- ▁farmland- ▁ccar- billed- ▁citizen- ▁culminat- ▁affluent- ▁amplified- ▁fibrosis- ▁inaccurate- ▁microchip- ▁resurgence- ▁stadium- ▁susceptible- ▁volkswagen- ▁coalition- ▁grasp- ▁unused- ▁ross- ▁moodys- ▁vault- ▁culmination- ▁canyon- ▁5050- ▁copay- ▁teva- ▁collaborator- ▁interrupt- grid- ▁ammunition- ▁celebration- ▁dispensing- ▁injunction- ▁nutrient- ▁phosphate- ▁predecessor- ▁splunk- ▁aftermath- ▁viewership- ▁delineate- ▁smile- ▁admin- ▁twofold- ▁crisp- tegra- ▁blip- eep- ▁locate- ▁definite- ▁wan- credit- ▁flotek- ▁henry- ▁adobe- ▁journalism- ▁kona- ▁inverse- ▁investigator- aze- ▁expedit- claim- ▁disturb- ▁equilibrium- ▁everchanging- ▁identifies- ▁nonstrategic- ▁triferic- ▁southeastern- ▁contend- ▁tolerated- ▁illegal- ▁focal- ▁lids- ▁dataset- ▁void- ▁gat- ngest- employ- screen- sheet- ▁bracket- ▁brokerdealer- ▁chipotle- ▁cushing- ▁exemption- ▁keppel- ▁omnipod- ▁propulsion- ▁prudence- ▁tournament- ▁sauce- ▁equate- ▁indebted- ▁suggestions- xcel- ▁imagery- ▁reoccurr- ▁cede- ▁revolve- ▁argentin- collect- ▁arrange- ▁compensating- ▁debenture- ▁formidable- ▁kratos- ▁police- ▁toxicity- ▁vitamin- ▁template- ▁valuing- ▁relieve- ▁dtc- ▁drawdown- ▁hack- glass- ▁shine- ▁iterate- scribed- ▁reimag- ▁biopharmaceutic- ▁brookfield- ▁clarified- ▁commonwealth- ▁hampshire- ▁influential- ▁protracted- ▁reassure- ▁resolute- ▁rotating- ▁styren- ▁alpine- ▁cultivating- ▁finite- ▁tommy- burn- ▁multiproduct- enberg- ▁nap- ▁noncomp- ▁decelerate- rrell- ▁rebrand- world- ▁michel- ▁immersive- ▁intermediaries- ▁methanol- ▁microcontroller- ▁overshadow- ▁reconfirm- ▁recurrence- ▁residence- ▁hungary- ▁tutor- ▁mobilization- ▁secretary- ▁duplication- ▁cake- ▁enact- ▁stakeholder- arables- ▁famous- ▁infringement- ▁marquee- ▁mezzanine- ▁oxford- ▁renegotiating- ▁attendee- ▁tilt- ▁jose- ▁linda- ▁decelerat- capitalized- ▁alumina- ▁approving- ▁consolidator- ▁elevation- ▁kathy- ▁offpremise- ▁pledge- ▁redetermination- ▁unintended- ▁honda- ▁punch- ▁multiply- ▁tuning- ▁cryo- ▁crystallize- ▁berlin- ▁forrester- ▁wellbore- ▁laura- ▁reimagine- ▁chatter- ▁cube- udge- ▁mario- ctive- earning- ▁autonomy- ▁expensing- ▁invoicing- ▁multimillion- ▁voucher- ▁acoustic- ▁craftsman- ▁remedies- ▁shelter- ▁britain- ▁deviate- ▁fastener- ▁montana- '500'- resuming- ▁atmosphere- ▁caustic- ▁consignment- ▁criminal- ▁infectious- ▁legitimate- ▁uranium- ▁scoring- ▁erode- ▁hungry- ▁ruble- ▁mint- organically- ▁harmonize- ▁cobrand- constrained- business- engine- ▁catastrophic- ▁circular- ▁finetune- ▁obsolete- ▁occupier- ▁securitize- ▁pruning- ▁surgeries- ▁sequel- ▁diameter- ▁combo- ▁technician- treated- ▁impair- ▁occupanc- ▁ethic- ▁drastic- ▁brothers- ▁celebrity- ▁deemphasiz- ▁destruction- ▁explosion- ▁freddie- ▁qualcomm- ▁scatter- ▁backhaul- ▁investigating- ▁encore- ▁geology- dollar- ▁victor- ▁subcontract- ▁receptiv- ferred- target- ▁eligibility- ▁energies- ▁entries- ▁expend- ▁gravitat- ▁ignite- ▁mifid- ▁refrain- ▁savvy- ▁terrible- ▁bondholder- ▁chlor- ▁aerial- ▁cattle- ▁potent- ▁exert- volume- managed- ▁averaging- ▁awesome- ▁cincinnati- ▁deficiencies- ▁delinquent- ▁knight- ▁varieties- ▁elegant- ▁flesh- ▁ourself- ▁theatrical- ▁subtract- ▁grace- ▁textbook- ▁elongat- ▁lull- structive- ground- ▁alzheimers- ▁coherent- ▁combustion- ▁franchising- ▁instagram- ▁prebuy- ▁requisite- ▁triangle- ▁wyoming- ▁reacceleration- ▁ltac- adjusted- mount- ▁grip- ▁computation- ▁accumulating- ▁carpenter- ▁cartridge- ▁escalating- ▁himself- ▁neurology- ▁trinity- ▁unmanned- ▁wolfcamp- ▁yeartoyear- ▁ubiquitous- ▁aetna- ▁blanket- capital- ▁solicit- ▁anxiety- ▁frankfurt- ▁judicial- ▁melbourne- ▁recompete- ▁tubular- ▁tuition- ▁zika- ▁custodia- ▁medallion- ▁socket- ▁repeal- ▁joseph- ▁panther- ▁verified- manufactur- ▁adhesive- ▁cockpit- ▁denim- ▁minneapolis- ▁multiplier- ▁substrate- ▁wisdom- ▁citrus- ▁esports- ▁brink- ▁inflated- ▁overrid- ▁retreat- ▁diagnose- ▁allegations- ▁brookdale- ▁derby- ▁edmonton- ▁marathon- ▁nowadays- ▁populated- ▁recipient- ▁roadshow- ▁seafood- ▁yelp- ▁diplomat- ▁envisage- ▁haptic- ▁handbag- ▁nokia- ▁relies- itude- ▁dominic- midst- ▁articulat- normal- ▁addiction- ▁deutsche- ▁explorator- ▁hiccup- ▁honeywell- ▁immigration- ▁mainframe- ▁metabolic- ▁compelled- horn- dependent- ▁appreciating- ▁confluence- ▁corrugated- ▁gambling- ▁inexpensive- ▁malibu- ▁pakistan- ▁privatization- ▁scandinavia- ▁unaudit- ▁orchard- ▁serial- ▁preleasing- ▁quebec- ▁societies- ▁wherewithal- ▁prince- ▁daytona- ▁trustees- ▁forensic- ▁fortify- ▁coronary- ▁sunset- ▁unrest- ▁immunolog- ▁distract- ▁appoint- quarteronquarter- ▁candid- represented- impact- ▁certify- ▁condominium- ▁coworkers- ▁epidemic- ▁gigabit- ▁kuwait- ▁sleeve- ▁turbulent- ▁verdict- ▁voltage- ▁upswing- ▁precede- ▁bridg- graphic- ▁fanni- ▁overwhelm- typical- ▁fascinating- ▁hurry- ▁impetus- ▁kilometers- ▁monarch- ▁orchestration- ▁politicians- ▁preopening- ▁repatriate- ▁stoppage- ▁tragic- ▁versatility- ▁enzo- ▁zoning- ▁salmon- ▁caterpillar- ▁halliburton- ▁indefinite- ▁parkinsons- ▁redefining- ▁uncomfortable- ▁valentine- ▁bmw- ▁outdated- ▁outstrip- ▁induce- style- ▁intersect- dilutive- ▁complacent- ▁disposing- ▁ethernet- ▁generous- ▁hesitation- ▁kingdom- ▁machining- ▁numerical- ▁richmond- ▁silhouette- ▁valuecreating- ▁yodle- ▁rasm- ▁charitabl- ▁tropica- ▁expir- ▁readjust- ▁cataract- ▁contamination- ▁deconsolidation- ▁demonstrabl- ▁divergence- ▁dubai- ▁escrow- ▁everincreasing- ▁inadequate- ▁pencil- ▁unwilling- ▁acumen- ▁debbie- ▁helix- ▁pulmon- ▁amenity- ▁tertiar- ▁ascend- ▁brush- ▁carveout- ▁centennial- ▁extrusion- ▁hispanic- ▁momentarily- ▁multitenant- ▁unaffected- ▁exaggerat- ntamina- ▁worsening- ▁allison- ▁symptom- ▁discontinu- ▁accommodati- propylene- ▁acknowledgment- ▁applaud- ▁binary- ▁boulder- ▁crossfunctional- ▁determinant- ▁grubhub- ▁lvt- ▁morbidit- ▁substation- ▁unencumber- ▁infinite- ▁cgm- constantcurrency- ▁brussels- ▁conduit- ▁countermeasure- ▁courage- ▁distant- ▁fragile- ▁melanoma- ▁motivating- ▁repetitive- ▁rhetoric- ▁smoking- ▁walgreen- ▁gordon- ▁recliner- ▁noisy- ▁angola- ▁rebid- ▁mobiliz- focus- financial- profile- ▁barclay- ▁convincing- ▁disseminate- ▁gratified- ▁intimacy- ▁ovarian- ▁savanna- ▁sierra- ▁storytelling- ▁thrust- ▁babies- ▁lilly- ▁capsule- ▁limb- ▁prescribe- ▁scene- ruct- ▁accru- ▁virtu- driving- monetization- ▁jewel- ▁dedicating- ▁gartner- ▁glimpse- ▁nutshell- ▁unbundl- ▁upholstery- ▁advising- ▁cocoa- ▁athena- ▁confine- ▁unlever- ntelo- deductible- region- ▁elastic- ▁abrupt- ▁appropriation- ▁elderly- ▁encryption- ▁gentleman- ▁graham- ▁halves- ▁invisalign- ▁mcdonalds- ▁opportune- ▁potato- ▁unanimous- ▁vascepa- ▁vulnerability- ▁xerox- ▁horr- milligram- ▁reinvigorat- ▁activi- soft- ▁prototyp- ological- ▁consequent- public- figure- licensing- ▁adjudicat- ▁amphenol- ▁anadarko- ▁calibration- ▁concentrator- ▁denial- ▁displacing- ▁eclipse- ▁headache- ▁obesity- ▁scotland- ▁vigor- ▁welfare- ▁blessed- ▁telephon- ography- '010'- ▁accentuate- ▁cannibalize- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_en_bpe10000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.7distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_en_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 38061dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_en_bpe10000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_en_bpe10000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev_4k/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- ▁to- ▁and- ▁of- ▁we- ▁in- ▁that- ▁our- ▁a- ▁is- ▁on- ▁for- ▁as- ▁are- ▁have- ▁you- ▁this- ▁with- ▁i- s- ▁be- ▁so- ▁it- ▁will- ▁were- ▁at- ▁quarter- ▁but- ▁year- ▁more- ▁from- ▁business- ▁think- ▁what- ▁not- ▁some- ▁us- ▁by- ▁or- ▁about- ▁well- ▁new- ▁growth- ▁can- ▁which- ▁its- ▁do- ▁was- ▁very- ▁an- ▁there- ▁these- ▁also- ▁market- ▁continue- ▁all- ▁going- ▁see- ▁would- ▁now- ▁just- ▁been- ▁has- ▁weve- ▁those- ▁over- ▁they- ▁if- ▁first- ▁time- ▁customers- ▁where- ▁into- ▁how- ▁like- ▁results- ▁out- ▁other- ▁really- ▁last- ▁their- ▁up- ▁expect- ▁one- ▁than- ▁your- ▁because- ▁look- ▁through- ▁when- ing- ▁any- ▁thats- ▁get- ▁call- ▁strong- ▁then- ▁sales- ▁good- ▁had- ▁second- ▁believe- ▁revenue- ▁company- ▁years- ▁performance- ▁product- ▁make- ▁lot- ▁much- ▁financial- ▁capital- ▁could- ▁both- ▁cost- ▁them- ▁terms- ▁future- ▁right- ▁dont- d- ▁impact- ▁forward- ▁next- ▁little- ed- ▁products- ▁want- ▁bit- ▁value- ▁customer- ▁work- ▁increase- ▁back- ▁number- ▁may- ▁take- ▁markets- ▁while- ▁higher- ▁end- ▁opportunities- ▁able- ▁half- ▁kind- ▁way- ▁during- ▁operating- ▁significant- ▁better- ▁most- ▁things- ▁cash- ▁know- ▁go- ▁still- ▁focus- ▁say- ▁statements- ▁part- ▁being- ▁im- ▁provide- ▁should- ▁point- ▁across- ▁lower- ▁made- ▁important- ▁opportunity- ▁2- ▁team- ▁theres- ▁third- ▁today- ▁need- ▁many- ▁rate- ▁line- ▁people- ▁fourth- ▁strategy- ▁looking- ▁down- ▁continued- ▁before- ▁no- ▁around- ▁youre- ▁level- ▁portfolio- ▁management- ▁working- ▁industry- ▁additional- ▁due- ▁price- ▁investment- ▁share- ▁thank- ▁great- ▁actually- ▁only- ▁even- ▁here- ▁give- ▁demand- ▁come- ▁seeing- ▁plan- ▁few- ▁costs- ▁progress- ▁overall- ▁further- ▁development- ▁same- ies- ▁service- ▁current- ▁different- ▁seen- ▁margin- ▁doing- ▁me- ▁services- ▁result- ▁technology- ▁coming- ▁data- ▁earnings- ▁change- ▁positive- ▁guidance- ▁key- ▁grow- ▁again- ▁drive- ▁start- ▁position- ▁process- ▁investments- ▁full- ly- ▁past- ▁forwardlooking- ▁3- ▁said- ▁high- ▁got- ▁did- ▁turn- ▁given- ▁within- ▁basis- ▁expected- ▁based- ▁increased- ▁who- ▁improve- ▁support- ▁sure- ▁my- ▁focused- ▁potential- ▁question- ▁environment- ▁pricing- ▁help- ▁sort- ▁businesses- ▁months- ▁large- ▁such- ▁making- ▁remain- ▁done- ▁maybe- ▁something- ▁production- ▁strategic- ▁information- ▁ability- ▁balance- ▁already- ▁platform- ▁program- ▁couple- ▁move- ▁side- ▁interest- ▁quarters- ▁best- ▁mentioned- ▁several- ▁talk- ▁operations- ▁each- ▁acquisition- ▁early- ▁expectations- ▁rates- ▁assets- ▁q- ▁changes- ▁put- ▁use- ▁feel- ▁pleased- y- ▁segment- ▁long- ▁experience- ▁certain- ▁tax- ▁period- ▁growing- ▁base- ▁including- ▁projects- ▁deliver- ▁place- ▁benefit- ▁ill- ▁continues- ▁improvement- ▁related- ▁commercial- ▁initiatives- ▁order- ▁companies- ▁areas- ▁activity- ▁driven- ▁factors- ▁margins- ▁model- ▁getting- ▁existing- ▁net- ▁levels- ▁big- ▁flow- ▁does- ▁income- ▁theyre- ▁term- ▁pretty- ▁after- ▁addition- ▁volume- ▁clients- ▁course- e- ▁capacity- ▁probably- ▁fact- ▁id- ▁thing- ▁might- ▁under- ▁build- ▁having- ▁day- ▁marketing- ▁mix- ▁always- ▁competitive- ▁risk- ▁global- ▁why- ▁release- ▁every- ▁prices- ▁actual- ▁solutions- ▁mean- ▁leverage- ▁quite- ▁project- ▁another- ▁saw- ▁brand- ▁yes- ▁top- ▁supply- ▁offset- ▁update- ▁core- ▁available- ▁recent- ▁moving- ▁earlier- ▁slide- ▁conference- ▁digital- ▁quality- ▁obviously- ▁between- ▁let- ▁efforts- ▁off- ▁todays- ▁shareholders- ▁area- ▁certainly- er- ▁far- ▁system- ▁prior- ▁building- ▁whether- ▁expenses- ▁group- ▁less- ▁credit- ▁world- ▁continuing- ▁trying- ▁real- ▁primarily- ▁operational- ▁understand- ▁amount- ▁retail- ▁questions- ▁success- ▁view- ▁low- ▁pipeline- ▁taking- ▁2017- ▁inventory- ▁range- ▁outlook- ▁consumer- ▁improved- ▁return- ▁ahead- ▁review- ▁companys- ▁revenues- ▁set- ▁major- ▁since- ▁fiscal- ▁risks- ▁expense- ▁profitability- ▁timing- ▁capabilities- ▁5- ▁partners- ▁materially- ▁increasing- ▁presentation- ▁4- ▁however- ▁benefits- ▁youve- ▁longterm- ▁confident- ▁ago- ▁hard- ▁2018- ▁increases- ▁acquisitions- ▁driving- ▁plans- ▁excited- ▁total- ▁expand- ▁own- n- ▁solid- ▁talked- ▁differ- ▁distribution- ▁china- ▁1- ▁particularly- t- ▁sheet- ▁consistent- ▁expansion- ▁stores- ▁approach- ▁invest- ▁space- ▁small- es- ▁keep- ▁asset- ▁bring- ▁compared- ▁structure- ▁debt- ▁sense- ▁programs- ▁patients- ▁numbers- ▁clear- ▁perspective- ▁improving- ▁versus- ▁needs- ▁add- ▁whats- ▁measures- ▁average- ▁10- ▁beginning- ▁close- ▁currently- ▁begin- ▁trends- ▁significantly- ▁care- al- ▁network- ▁2016- ▁open- ▁create- ▁points- ▁starting- ▁conditions- ▁please- ▁okay- ▁per- ▁together- ▁strength- ▁volumes- r- c- ▁energy- ▁scale- ▁specific- ▁decline- ▁anything- ▁brands- ▁throughout- ▁organization- ▁detail- ▁transaction- ▁execution- ▁towards- ▁contract- ▁run- ▁advantage- ▁profit- ▁remains- ▁include- ▁health- ▁gas- ▁tell- ▁systems- ▁larger- ▁greater- ▁efficiency- ▁material- ▁spend- ▁teams- ▁organic- ▁comments- ▁yet- ▁international- ▁uncertaint- ▁events- ▁store- ▁ongoing- ▁deal- ▁investors- ▁fully- ▁example- ▁longer- ▁cause- ▁control- ▁successful- ▁innovation- ▁returns- ▁power- ▁trend- m- ▁announced- ▁infrastructure- ▁everyone- ▁find- ▁once- ▁along- ▁discuss- ▁started- ▁europe- ▁oil- ▁talking- ▁recently- ▁reduce- ▁track- ▁difficult- ▁6- ▁later- ▁particular- ▁case- ▁achieve- ▁similar- ▁improvements- ▁allow- ▁lines- ▁momentum- ▁providing- ▁note- ▁become- ▁completed- ▁segments- ▁clearly- ▁press- ▁associated- ▁too- ▁try- ▁board- ▁guess- ▁activities- ▁discussed- ▁report- ▁beyond- ▁previously- ▁morning- ▁access- ▁manage- ▁impacted- ▁general- ▁confidence- ▁issues- ▁regarding- ▁equity- ▁remarks- ▁used- ▁meaningful- ▁anticipate- ▁decision- b- ▁offering- ▁adjusted- ▁sell- ▁against- ▁record- ▁delivering- ▁effect- ▁reduction- ▁launch- ▁economic- ▁offer- ▁positioned- ▁reason- ▁website- ▁money- ▁equipment- ▁using- ▁contracts- ▁subject- ▁finally- ▁pay- ▁items- ▁pressure- ▁integration- ▁cycle- ▁target- ▁slightly- g- ▁guys- ▁quickly- ▁although- ▁actions- ▁without- ▁selling- ▁leadership- ▁relative- ▁channel- ▁especially- ▁resources- ▁meet- a- ▁corporate- ▁construction- ▁comes- ▁re- ▁spending- ▁possible- ▁unique- ▁means- ▁manufacturing- k- ▁direct- in- ▁incremental- ▁remind- ▁facility- ▁percentage- ▁combination- ▁size- ▁online- ▁maintain- '1'- ▁details- ▁complete- ▁employees- ▁included- ▁execute- ▁front- ▁either- ▁taken- ▁multiple- ▁content- ▁local- ▁rest- ▁show- ▁ensure- o- ▁until- ▁thinking- ▁stock- ▁challenges- ▁transition- ▁annual- ▁job- ▁loan- ▁didnt- ▁various- ▁investing- ▁address- ▁color- ▁client- ▁whole- ▁free- ▁thanks- ▁type- ▁partner- ▁negative- ▁previous- ▁reflect- x- ▁wanted- ▁leading- ▁generate- ▁cloud- ▁exchange- ▁turning- ▁productivity- ▁month- ▁marketplace- ▁single- ▁relationships- ▁short- ▁regulatory- ▁public- ▁home- ▁attractive- ▁date- ▁stronger- ▁am- ▁bank- ▁solution- ▁ive- ▁issue- ▁happen- ▁deals- ▁largest- ▁committed- ▁consumers- ▁clinical- ▁thought- ▁ways- ▁goal- ▁discussion- ▁profitable- ▁despite- ▁sale- ▁relatively- ▁following- ▁delivered- ▁shift- ▁favorable- ▁anticipated- ▁savings- ▁likely- ▁life- ▁combined- ▁2019- ▁chain- ▁days- ▁youll- ▁transformation- ▁bottom- ▁provided- ▁underlying- ▁orders- ▁ebitda- ▁lead- ▁havent- ▁prepared- ▁cant- ▁delivery- ▁gives- '2'- ▁least- ▁nongaap- ▁serve- ▁highly- ▁though- ▁category- ▁comment- ▁government- able- ▁develop- ▁flexibility- ▁experienced- ▁moment- ▁closing- ▁generally- p- ▁respect- ▁portion- ▁dividend- ▁private- ▁built- ▁industrial- ▁majority- ▁quarterly- f- ▁entire- ▁agreement- ▁generation- ▁expanding- ▁hope- ▁18- ▁upon- ▁therefore- ▁everything- ▁specifically- ▁initial- ▁challenging- ▁effective- ▁provides- ▁efficient- ▁normal- ▁play- ▁situation- ▁accelerate- ▁currency- ▁flat- ▁- ▁doesnt- ▁property- ▁buy- ▁competitors- ▁season- ▁commitment- ▁strategies- ▁critical- ▁required- ▁answer- ▁country- ▁active- ▁un- ▁design- ▁competition- ▁step- ▁largely- ▁fair- ▁technologies- ▁12- ▁weeks- ers- ▁he- ▁hand- ▁lets- ▁software- ▁facilities- ▁pace- ▁near- ▁region- ▁state- ▁loss- ▁mobile- ▁securities- ▁final- ▁behind- l- ▁center- '4'- ▁smaller- ▁allows- ▁week- ▁extremely- re- ▁enhance- ▁insurance- ▁enough- ▁form- ▁his- ▁stable- ▁ourselves- ▁book- ▁came- ▁rather- ▁planning- ▁parts- ▁recovery- ▁safety- ▁reported- ▁ever- ▁happy- ▁makes- ▁sustainable- ▁includes- ▁times- ▁relationship- ▁unit- ▁patient- ▁sector- ▁accounts- ▁loans- ▁20- ▁away- ▁internal- ▁categories- ▁transactions- ▁enterprise- ▁reduced- ▁assumptions- ▁reach- ▁running- ▁wondering- ▁enable- ▁exactly- ▁contribution- ▁effort- ▁achieved- ▁estate- ▁account- ▁offerings- ▁metrics- or- ▁others- ▁gaap- ▁units- ▁above- ▁applications- ▁basically- ▁weather- ▁profile- ▁outside- '3'- ▁phase- ▁faster- ▁partially- ▁operate- ▁appropriate- ▁added- ▁discussions- ▁channels- ▁study- ▁accounting- ▁gain- ▁field- ▁reflects- ▁security- ▁efficienc- ▁decrease- ▁received- ▁seems- ▁exciting- ▁restructuring- ▁plant- ▁developing- ▁directly- ▁changed- ▁took- ▁middle- ▁consider- ▁investor- ▁ultimately- ▁integrated- ▁footprint- ▁platforms- ▁reasons- ▁shareholder- ▁changing- ▁adding- ▁joining- ▁decisions- ▁statement- ▁traffic- ▁community- ▁drivers- ▁typically- ▁ratio- ▁fleet- ▁premium- ▁substantial- ▁win- ▁capability- ▁january- ▁robust- ▁gains- ▁managing- ▁fund- ▁media- ▁creating- ▁options- ▁healthy- ▁17- ▁december- ▁tend- ▁8- ▁expectation- ▁purchase- ▁national- ▁almost- ▁processes- ▁news- ▁advertising- ▁importantly- ▁happening- w- ▁labor- ▁disconnect- ▁potentially- ▁natural- ation- ▁primary- ▁backlog- i- ▁understanding- ▁executing- ▁nature- ▁yield- ▁forecast- ▁water- ▁traditional- ▁food- ▁saying- ▁office- ▁meeting- ▁7- ▁bringing- ▁driver- ▁optimistic- ▁filings- ▁9- ▁planned- ▁limited- ▁excellent- ▁putting- ▁highlights- ▁mind- ▁effectively- ▁comfortable- ▁historical- ▁found- ▁needed- ▁cases- ▁march- ▁goes- ▁necessary- ▁research- ▁ask- ▁visibility- ▁targets- ▁million- ▁proud- ▁liquidity- ▁funding- ▁refer- ▁trade- ▁disciplined- ▁speak- ▁countries- ▁headwind- ▁main- ▁losses- ▁regions- ▁else- ▁comparable- ▁encouraged- ▁standpoint- ▁bigger- ▁land- ▁wouldnt- ▁15- ▁commission- ▁non- ▁recognize- ▁volatility- ▁launched- ▁page- ▁june- ▁financing- ▁maintenance- ▁never- ▁members- ▁september- ▁response- ▁extent- ▁remaining- ▁expanded- ▁obligation- ▁difference- ▁types- ▁approximately- ▁fixed- ▁late- ▁focusing- ▁asia- ▁utilization- ra- ▁takes- ▁path- ▁completion- ▁broader- ▁detailed- ▁perhaps- ▁test- ▁sold- ▁reducing- 'on'- ▁theyve- ▁economy- ▁properties- ▁ready- ▁30- ▁tremendous- ▁intend- ▁stay- ▁dollars- ▁operation- ▁partnership- ▁below- ▁direction- ▁medical- ▁fees- ion- ▁led- ▁acquired- ▁locations- ▁remainder- ▁gross- ▁capex- ▁ramp- ▁tools- ▁reflected- ▁went- co- ▁nice- ▁highlight- ▁individual- ▁engagement- ▁allocation- ▁simply- ▁legacy- ▁conversion- ▁2015- ▁biggest- ▁fairly- ▁stage- ▁successfully- ▁flows- ▁highest- ch- ▁increasingly- ▁inflation- ▁optimize- ▁fuel- ▁closely- ▁interesting- ▁shows- ▁broad- ▁history- ▁wont- ▁summary- ▁buying- ▁light- ▁requirements- ▁historically- ▁reporting- ▁commodity- ▁foundation- ▁force- ▁live- ▁pre- ▁shares- ▁opening- ▁necessarily- ▁somewhat- ▁giving- ▁goals- ▁outstanding- ▁drilling- ▁priority- ▁reconciliation- ▁19- ▁standard- ▁attention- ar- v- ▁talent- ▁periods- ▁remember- ▁dollar- ▁maintaining- ▁appreciate- th- ity- ▁expecting- ▁event- ▁mainly- ▁steps- ▁looks- ▁european- ▁trial- ▁closed- ▁factor- ▁proposition- ▁expertise- ▁capture- ▁funds- ▁exposure- ▁ones- le- ▁innovative- ▁paid- ▁b- ▁prospects- ▁hit- ▁cover- ▁present- ▁operator- ▁implementation- ▁materials- ▁itself- ▁everybody- ▁regard- ▁component- ic- ▁compensation- ▁role- ▁centers- ▁learning- ▁payments- ▁testing- ▁canada- ▁16- ▁south- ▁domestic- ▁developed- ▁approval- ▁definitely- ▁adoption- ▁priorities- ▁treatment- ▁lease- ▁true- ▁initiative- ▁safe- ▁foreign- ▁leader- ▁nothing- ▁piece- ▁policy- ▁analysis- ▁october- ▁april- ▁challenge- ▁banking- ▁created- ▁matter- ▁g- ▁realize- ▁strengthen- ▁franchise- ▁targeted- ▁noted- ▁advanced- ▁worked- ▁happened- ▁culture- ▁produce- ▁undertake- ▁application- ▁positions- ▁assume- ▁sec- to- ▁payment- ▁site- ▁resulting- ▁hold- ▁actively- ▁calls- ▁among- ▁described- ▁impacts- ▁resulted- ▁presence- ▁regional- ▁aggressive- ▁summer- ▁additionally- ▁emerging- ▁steady- ▁fall- ▁banks- ▁training- ▁context- us- ization- ▁helping- ▁retailers- ▁discipline- ▁dynamics- ▁models- ▁seasonal- ▁july- ▁mortgage- ▁road- ▁trading- ▁managed- ▁conclude- ▁designed- ▁generated- ▁huge- ▁relates- ▁leveraging- ▁players- ▁upside- ▁modest- ur- ▁coverage- ▁deposit- ▁reform- ▁car- ▁participation- ▁synerg- ▁becoming- ▁brazil- ▁idea- ▁follow- ▁evaluate- ▁speed- ▁otherwise- ▁developments- ▁f- ▁vision- ▁invested- ▁analytics- based- st- ▁absolutely- ▁de- en- ▁dynamic- ▁act- ▁complex- ▁heard- ▁implemented- it- ▁perform- ▁comp- ri- ▁yearoveryear- ▁50- ▁pursue- ▁gone- ▁wed- ▁measure- li- ▁federal- ▁room- ▁finance- ▁special- ▁providers- ▁schedule- ▁action- ▁relevant- h- ▁joint- ▁affected- ▁recognized- il- ▁effects- ▁story- ▁moved- ▁variety- ▁reminder- ▁wells- ▁reasonable- ▁adjustments- ▁helpful- ▁november- ▁reflecting- ▁must- ▁soon- ▁specialty- ▁reductions- ▁push- ▁technical- ▁enhanced- as- ▁s- ▁objectives- ▁generating- rs- ▁deep- ▁essentially- ▁source- ▁renewal- ▁compete- ▁states- ▁issued- ▁division- ▁often- ▁communities- ▁senior- ▁represents- ▁closer- ▁c- ▁advance- ▁face- ▁co- ▁demonstrate- ▁happens- ▁february- ▁performing- ▁fee- ▁users- ne- ▁decided- ▁easier- ▁america- ▁uncertainty- ▁read- ▁hear- ▁partnerships- z- ▁began- ▁california- ▁identified- ▁function- ▁east- ▁fast- ▁components- ▁engineering- ▁bookings- ta- ▁looked- ▁sites- ▁recognition- ▁fit- ▁york- year- ▁interested- ▁affect- ▁slow- ▁easy- q- ▁outcomes- ment- ▁identify- ▁independent- ▁cannot- ▁d- ▁stated- ▁pick- ▁represent- ▁established- ro- ▁drug- ▁operators- ▁underwriting- an- ▁consolidation- ▁common- ▁budget- ▁agreements- ▁video- ▁city- ▁helped- ▁smart- ▁consistently- ▁paying- ▁maximize- ▁excess- ▁achieving- ▁left- ▁frankly- ▁wins- ▁west- ▁provider- u- ▁repurchase- ▁estimate- ▁firm- ▁thoughts- ▁require- ▁compelling- ▁ground- ▁predict- ▁groups- ▁automotive- ▁raw- ▁aware- ▁double- ▁e- ▁penetration- com- ▁shown- ▁projections- ▁allowed- ▁mexico- ▁plants- ▁capitalize- ive- ▁t- ▁quick- ▁mark- ▁indicated- ▁toward- ▁presented- ▁transportation- ▁prudent- ▁roll- ▁law- ▁depending- ▁devices- ▁rapidly- ▁brought- ▁deploy- ▁supported- ▁touch- ▁folks- ▁encouraging- ▁demonstrated- ▁professional- ▁sequential- ▁recorded- ▁august- ▁outcome- ▁differentiated- ▁game- ▁degree- ▁accelerated- ▁residential- ▁auto- ▁filed- ▁occur- ▁rental- ▁receive- ▁curious- ▁grew- ▁seasonality- ▁welcome- ▁holiday- ▁extend- ▁considered- ▁deployment- ▁r- ▁showing- ▁problem- ▁substantially- ness- ▁excellence- ▁leasing- ▁suppliers- ▁option- ▁count- ▁concludes- ▁recover- ▁central- ▁drop- ▁elements- ▁remained- ▁lending- ▁consolidated- ▁conservative- ▁realized- ▁japan- ▁estimates- ▁dedicated- ▁retention- ▁canadian- ▁positioning- ▁spent- ▁correct- ma- ▁spot- ▁walk- ▁objective- ▁figure- ▁legal- ▁gets- ▁tough- ▁pro- ▁excluding- ▁supporting- ▁involved- ▁table- ▁sometimes- ▁leaders- ▁shared- ▁promotional- ▁nearly- ▁plus- ▁benefited- ▁claims- ▁feedback- ▁contributed- ▁comprehensive- ▁felt- ▁license- ▁rent- ▁subscription- ▁o- ▁truly- ▁processing- is- el- ▁section- ▁post- ▁choice- ▁wholesale- ▁contribute- ▁social- ▁card- ▁speaking- ▁involve- ▁chinese- ▁original- ▁taxes- ▁deposits- ▁whatever- ▁personal- ▁stuff- ▁spread- ▁vehicle- ▁traction- ▁external- ▁economics- ▁declines- ▁recall- la- ▁raise- ▁signed- ▁john- ▁isnt- ▁projected- ▁mike- ▁population- ▁macro- ▁aggressively- ▁proven- ▁availability- ter- ▁themselves- ▁allowing- ve- ▁seem- ▁geographic- ▁india- ▁staff- ▁creation- ▁recurring- ▁list- ▁optimization- ▁implement- ▁gave- ▁stages- ▁hopefully- ▁two- os- ▁north- ▁digits- ▁commentary- ▁internally- ▁studies- ▁updated- ▁conversations- ▁helps- ent- ▁afternoon- ▁financials- te- ▁enter- na- ▁announcement- ▁bill- ▁deferred- ▁respond- ▁collaboration- ▁location- ▁secure- ▁features- ▁known- ▁held- ▁picture- ▁acquire- ▁texas- ▁charge- ▁mostly- ▁engaged- ▁adjust- ▁air- ▁works- ▁finding- ate- ▁n- ▁fundamentals- ▁mid- ▁strengthening- ▁p- ▁explain- ▁name- ▁ladies- ▁posted- ▁completely- ▁storage- ▁shipments- up- ▁venture- ▁overview- ▁practices- ul- ▁user- ▁dividends- ▁pull- ▁accelerating- ▁efficiently- ▁keeping- ▁gentlemen- ▁housing- ▁globally- ▁mention- ▁lost- ▁called- ▁participating- ▁resource- ▁40- ▁sources- ▁meaning- ▁11- ▁spring- ▁worth- ▁ecommerce- ▁old- '00'- ▁slower- ▁alternative- ▁minutes- ▁indication- ▁constant- ▁slides- related- ▁manner- ▁trust- ▁performed- ▁calendar- ▁considering- ▁expressed- ▁journey- ▁standards- ▁contain- ▁frame- ▁reserve- est- ▁h- ▁signs- ▁compliance- ▁evaluating- ▁engage- ▁valuable- ▁element- ▁industries- ▁announce- ▁peak- ▁commitments- ▁merger- ▁peers- ▁awareness- ▁pressures- ▁strongly- ▁k- ▁con- ▁introduced- ▁enhancement- ry- ▁places- ▁launches- ia- ▁extended- ▁monitor- ▁proceeds- ▁assuming- de- ▁evolution- ▁offers- ▁upcoming- ▁superior- ▁contained- ▁contributions- ▁encourage- ▁vehicles- ▁profits- ▁evidence- ▁sharing- ▁forth- ▁comparison- ▁her- ▁pass- ▁bad- ▁multi- ▁pursuing- ▁chart- ▁provision- ▁wind- go- ▁parties- ▁networks- ▁acceleration- ▁charges- ▁broadly- ▁mining- ▁family- ▁organizations- ▁class- ▁shipping- ▁thus- ▁holding- ▁disease- ▁sign- ▁wait- ▁diversified- age- ▁stability- ▁connected- ▁starts- ▁american- ▁100- ▁break- ▁participate- ▁shopping- out- ally- ▁becomes- ▁balanced- ▁device- ▁disclosure- ce- ▁rising- ▁highlighted- ▁implementing- ▁ended- ▁reports- ▁hospital- ▁automation- ▁opposed- ▁enhancing- ▁separate- ▁willing- ▁asked- ▁shape- ▁concluded- ▁executed- ▁simple- ▁lots- ▁examples- ▁circumstances- ▁item- ▁knowledge- ▁words- ▁managers- ▁winter- ▁series- ▁geographi- ▁vertical- ▁matters- ▁wide- ant- ▁inside- ▁insight- ▁mine- ▁attract- ▁enables- ▁physicians- ▁roughly- ▁steel- ▁discussing- ▁heavy- ▁targeting- ▁publicly- ▁executive- ▁wasnt- ▁protection- ▁logistics- ▁internet- ▁exceptional- ▁concerned- ▁landscape- ▁engine- ▁aircraft- ▁slight- ▁weakness- ▁aspects- ▁yearend- se- ▁seek- ▁conclusion- um- ▁utility- ▁ownership- ▁integrate- ts- ▁search- ▁valuation- ▁structural- ▁reserves- ol- ton- ▁winning- at- ▁14- ▁approved- ▁chance- ▁curve- ▁loyalty- ▁evolving- ▁fundamental- ▁arent- ▁opened- ▁protect- ▁brief- ▁aligned- ▁agency- ▁negatively- ▁continuous- ▁enabling- ca- ▁she- ▁values- ▁travel- ▁subsequent- ▁variable- ▁label- ▁strategically- ▁rapid- ▁practice- ▁drove- ▁love- ▁begun- ▁australia- ▁views- ▁campaign- ▁typical- ▁ship- ▁connect- ▁education- ▁litigation- ▁employee- ▁importance- ti- ▁met- ▁coast- ▁origination- ▁rolling- ▁fashion- ▁officer- ▁yesterday- ▁germany- ▁13- ▁rigs- ▁trajectory- ▁mature- ▁60- ▁sounds- ▁learn- ▁mo- ▁mitigate- ▁reality- ▁secondly- ▁inventories- ▁yields- ▁deeper- ▁cautious- ▁floor- ting- ▁department- ▁mission- ▁florida- ▁carry- ▁et- ▁evolve- ▁flexible- ▁adjustment- ▁implied- ▁weak- ▁owners- ▁sustained- ▁movement- ▁repeat- ▁absolute- ▁lack- ▁harbor- ▁unless- ▁pieces- ▁updates- ▁western- ▁consecutive- ▁hearing- ▁restaurant- ▁caused- ▁replacement- lo- ▁occupancy- ▁bar- ▁rig- ▁opportunistic- ▁hotel- ▁steve- ▁determine- ▁latin- ▁freight- ▁cut- ▁exit- ▁enabled- ▁moderate- ▁agencies- ▁assortment- ▁finish- ating- ▁david- ▁paper- ▁reached- ▁sufficient- ▁underway- ▁therapy- ▁app- ▁vast- ▁sectors- ▁diversification- ▁setting- ▁leases- ▁gap- ▁stand- ▁replay- ▁except- ▁clarity- ▁utilize- ▁impacting- ▁brings- ▁rise- ▁export- ▁tool- ▁j- ▁heavily- ized- ▁human- ▁incentive- ▁outlined- ▁extra- ▁experiencing- ▁regards- ▁compare- ▁stakeholders- ▁physical- ▁cycles- ▁daily- ▁restaurants- ▁gotten- ▁retain- ▁oem- ▁imagine- ▁machine- ▁reimbursement- ▁trials- ▁environmental- ▁cancer- ▁optimiz- ▁figures- ▁x- ▁problems- ▁watch- ▁consumption- ▁depreciation- ▁dramatically- me- ▁latest- ▁2020- ▁insights- ▁provisions- ▁disruption- ▁st- va- ▁experiences- ▁wish- tic- ▁asking- ▁ex- ▁weaker- ▁consideration- ▁contributing- ▁clean- ▁collection- ▁shortterm- ▁discount- ▁entered- ▁chief- ▁returning- ▁guests- ▁upgrade- ▁depends- ▁choose- ▁framework- mo- ▁exceeded- ▁usage- ▁hiring- ▁sub- ▁introduce- ▁president- ▁apply- ▁carefully- ▁declined- ▁sequentially- ▁ma- ▁guide- ▁electric- et- ▁reference- ▁expenditures- ▁producing- ▁fresh- ▁communications- ▁managements- ▁occurred- line- ▁instead- ▁stream- ▁immediately- ▁v- ▁productive- ▁usually- ▁gold- ▁packaging- ba- ▁temporary- ▁downturn- ▁attributable- ▁communication- ▁settlement- ▁convert- ▁advantages- ▁coal- ▁grown- ▁requires- ▁connection- ▁ensuring- ▁originally- ▁cap- ▁shortly- ac- ▁gaining- ▁box- vi- ▁fill- ▁amounts- ▁se- ▁shop- ▁scope- ▁institutional- ▁complexity- ▁serving- ▁condition- ▁webcast- ▁ad- ▁medium- 'no'- ▁hasnt- am- ▁shifting- ▁homes- ▁bo- ▁handle- ▁powerful- ad- ize- ▁doubledigit- ▁rules- ▁introduction- ▁diverse- ▁leads- ▁supplier- ▁launching- ▁90- izing- ▁concept- ▁wealth- ▁behavior- ▁political- ▁wireless- ▁initially- ▁transfer- ▁delay- ▁balances- ex- ▁sit- ▁leave- ▁distributors- ▁manufacturers- ▁africa- ▁metric- ▁cars- ▁audience- ▁purpose- ▁hotels- ability- ▁monitoring- ▁followed- ▁attending- ▁carriers- ▁soft- ▁numerous- ▁transform- ▁tenants- ▁hedge- ▁alternatives- ▁street- ▁reliability- ▁ecosystem- ▁youd- ▁briefly- ▁moves- ▁hardware- ▁satisfaction- ▁w- ▁usual- ▁associates- ▁administration- ▁strongest- ▁elevated- ▁pension- ▁creates- ▁intelligence- ▁basin- ▁concern- ▁learned- ated- ▁proprietary- ▁merchandise- ▁laid- ▁addressing- ▁busy- con- ▁revise- ▁fewer- ▁jim- ▁dealers- ▁differences- ▁duration- ary- ▁scheduled- mi- ▁indications- ▁express- ▁fiber- ▁him- ▁vendors- ▁produced- ▁buyers- ▁hospitals- ▁caution- ▁message- ▁m- ▁agents- ▁extensive- ck- ▁theyll- ▁decide- ▁proportion- sh- ▁waiting- ▁feeling- ▁contact- ▁pilot- ▁installed- ▁facing- ▁minimum- ▁hours- ▁tariffs- ▁phone- ▁select- ▁decreased- ▁milestones- ▁normally- ▁sa- ▁reiterate- ▁positively- ▁package- ▁multiyear- ▁dependent- ▁deployed- ▁declining- ▁portfolios- ▁awards- ▁supplemental- ▁careful- ▁showed- ▁decade- ▁reinvest- ▁dedication- ▁regular- ▁match- ▁intended- ▁ramping- ▁secured- ▁personnel- id- ▁emphasis- ▁normalized- ▁vi- ▁immediate- ▁concerns- ▁americas- ▁negotiations- ▁cetera- ▁magnitude- ▁accretive- ▁house- ▁defense- ▁assessment- ▁delays- ▁depend- ▁via- ▁told- ▁somebody- ge- ine- ▁constantly- ▁policies- ▁stop- ▁assess- ▁extension- ▁covered- po- ▁tight- ▁align- ▁france- ▁lowest- ▁bought- ▁nicely- sa- ▁differentiate- ▁progressing- ▁quantify- ▁turnaround- ▁demonstrates- ▁deliveries- ▁enrollment- ▁map- ph- ▁prove- ▁purchases- ▁purchasing- ▁divisions- man- ▁suggest- ▁playing- ▁25- son- ▁court- ▁conversation- ▁heart- ▁super- ▁establish- ▁released- ▁lives- ▁adapt- ▁maintained- ▁liability- ▁agree- ▁benefiting- ▁students- im- ▁useful- ▁bid- ▁creative- ▁sand- ▁truck- ▁kinds- ▁puts- ▁solar- ▁competitor- ▁organizational- ▁incredibly- ▁werent- ▁player- ▁licensing- ▁topic- ▁tracking- ▁draw- ▁supplement- ▁volatile- ▁functions- ▁delayed- ▁crude- ▁explore- ▁aspect- ▁plays- ▁spectrum- ▁defined- ▁expensive- ▁hoping- ▁preferred- ▁rolled- ▁placed- ▁amortization- ▁relating- nt- ▁nearterm- ▁fire- ▁possibly- ors- ▁suite- ▁goods- ▁finished- ▁highquality- ▁status- ▁healthcare- ▁aim- ▁desire- ▁bulk- ▁longerterm- ▁embedded- ▁possibility- ▁drives- ▁concerning- ▁migration- ▁pacific- ▁emphasize- ▁describe- ▁assumption- ▁sourcing- ▁outperform- op- mp- ▁exceed- ▁simplify- ▁turned- ▁evaluation- ▁di- ▁drag- ▁completing- ▁sports- ▁tried- ▁pattern- ▁offshore- ▁lag- ▁tied- ▁organically- ▁participants- ▁consulting- ▁person- ▁breadth- ▁determined- ▁exploration- ▁slowdown- ▁comps- ▁sustain- ▁appear- ▁integrating- ms- ▁responsible- ▁promotions- ▁green- ▁replace- ▁aggregate- ▁solve- ▁wage- ▁scenario- ▁indicators- ▁depth- ▁milestone- ▁updating- ▁exact- ▁branch- ▁intent- ▁buyback- ▁surprised- pa- ▁pu- ▁pushing- ▁comparisons- ▁unusual- ▁drill- ▁dealing- ▁thirdparty- ▁incurred- ▁opinion- ▁regulations- ▁inter- ▁eye- ▁according- ▁utilities- ▁science- ▁impressive- ▁sets- ▁differently- ▁ideas- ▁hurricane- ▁tech- ian- ▁belief- ▁jobs- ▁criteria- ▁patterns- ▁games- ▁spreads- ▁filing- ▁cross- ▁accomplished- ▁unfavorable- ▁percent- ke- ▁en- ish- ▁churn- ▁houston- ▁split- ▁l- ▁buildings- ▁file- ▁accordingly- ▁seeking- ▁overhead- ci- ▁mass- ▁transparency- ▁head- ▁sustainability- ▁weighted- ▁contributor- ▁join- ▁unchange- ▁chris- ▁regulation- ▁institutions- ▁fx- ▁member- ▁bridge- ▁purposes- ▁lose- ▁age- ▁stress- ▁estimated- ▁mill- ▁couldnt- gen- ▁entering- ▁appears- ▁80- bo- ▁lift- per- ▁analysts- ▁guest- ▁partly- ▁acquiring- ▁reliable- ▁structures- tr- ▁resolution- ▁jeff- ▁northern- ▁applied- ▁laws- ▁selective- ▁southern- ▁followup- ▁sound- ▁retirement- ▁located- ▁monthly- em- ▁accomplish- vo- ▁verticals- ▁softness- ▁minimal- ▁living- ▁someone- ▁edge- ▁summarize- om- ▁square- ▁enjoy- ▁complement- ▁easily- ▁eventually- ▁impairment- ▁plenty- ▁em- ▁itll- ▁revised- ▁raising- ▁le- ▁switch- ▁fda- ll- ▁administrative- ▁functionality- ▁disclosed- ▁producers- ▁ceo- ▁entirely- da- ▁pure- ▁earn- ▁written- ▁newer- ▁diversity- ▁influence- ▁regulators- ▁notice- ▁ro- ▁thoughtful- time- ▁effectiveness- ▁rating- ▁prepare- ▁connectivity- ▁considerable- ▁rollout- ▁minute- ▁confirm- ▁globe- end- ▁tom- ▁intention- ▁pool- ▁dis- ▁stabilize- ▁colleagues- ▁servicing- ▁frequency- ▁rail- ▁introducing- ▁stack- ▁input- ▁index- ▁sitting- ▁maturity- ▁offsetting- ▁regardless- ▁doubt- ▁rule- ▁perfect- ted- ring- ▁cell- ▁adjusting- ▁approvals- ▁print- ▁newly- ▁borrowing- ▁capable- ▁manager- ▁books- ▁seasonally- ▁prime- ▁acreage- ▁factory- ▁diversify- ▁thousands- ▁indeed- ▁avoid- ▁hybrid- ▁entertainment- ▁dan- ▁owned- ▁tenant- ▁display- tion- ▁published- ▁0- ▁talented- ▁eps- ▁refinancing- ▁transmission- ▁repair- ▁knew- di- ▁upper- ▁reviewing- ▁proposed- ▁waste- ▁treat- ▁star- back- ▁retailer- ps- ▁characterize- ▁won- ▁round- ▁nor- ▁firms- ▁bear- ▁anybody- ▁deploying- ▁communicate- ▁older- ▁dramatic- ▁lean- ▁cable- ▁onetime- ▁incredible- ▁exception- ▁exclude- ▁seamless- ▁modeling- ous- ▁amazon- ▁utilizing- ▁wave- ▁tv- ▁wonderful- ▁dialogue- ▁skills- ▁specifics- ▁demonstrating- ▁reinsurance- ▁bio- be- ▁promotion- ▁legislation- ▁michael- ▁levers- ▁spoke- ▁millions- ▁scott- ▁indicator- ▁check- ▁synergy- ▁ratios- ▁horizon- ▁engaging- ▁entry- ▁70- ▁innovations- ▁concentration- ▁san- ▁reflection- ▁voice- ▁feature- ▁length- ▁damage- bi- ▁differentiation- ▁accordance- ▁workforce- ▁backdrop- ▁latter- ▁preparing- ▁menu- do- ▁streams- ▁candidates- ▁unfortunately- ot- ▁cities- ance- ▁referring- ▁facts- ▁headcount- ator- ▁committee- ▁dealer- ▁advisory- ▁fundamentally- ▁mr- ▁vessels- ha- ho- ▁continuously- ▁limit- ▁equal- ▁permian- ▁massive- ▁exist- ▁basic- ▁assist- ▁hands- ▁load- ▁translate- ▁micro- ▁worlds- ▁measured- ▁offices- ▁formal- ▁movements- ▁facilitate- ▁essential- ▁red- ▁installation- ▁gulf- j- ▁documents- ▁gaming- ▁procurement- ▁procedures- ▁heading- ▁incentives- ▁al- ▁competing- ▁fantastic- ▁dave- ▁bob- ▁appropriately- ▁greatest- ▁op- pe- ▁ca- ▁merchandising- ▁branches- ▁reaching- ▁advertisers- ▁ultimate- ▁electronic- ▁communicated- ▁night- ▁award- ▁beliefs- market- ▁block- ▁electronics- ▁exercise- ▁selected- ▁payers- ▁distributor- ▁physician- ▁fine- ▁web- ▁selection- ▁hundreds- ▁purchased- ▁uptick- ▁analyst- ▁dry- ▁none- ▁vary- he- nd- ▁door- ▁mode- ▁challenged- ▁modestly- ▁became- ▁faced- ▁adverse- ▁credits- ▁receiving- ▁park- ▁exclusive- ▁assurance- ▁recognizing- ▁proactive- ▁ho- ▁equally- bs- ▁campaigns- ▁hes- ▁extraordinary- ▁disposition- ▁promising- ▁affordable- ▁listening- ist- ▁jump- ▁achievements- ▁strengths- ▁terrific- ▁cadence- ▁combine- ▁succeed- ▁liabilities- ▁vendor- ▁harder- ▁save- ▁notable- ▁strengthened- ▁worldwide- ▁rich- ▁collections- ▁controls- ▁claim- ▁relate- ▁elaborate- ▁medicare- ▁wrong- ▁tests- ▁bunch- ▁disposal- ▁upfront- ▁staffing- ▁carrier- ▁extending- ▁promote- ▁responsibility- ig- ▁accurate- ▁lenders- ▁continually- ▁uses- ▁modern- ▁receivables- '9'- ▁ip- ▁rents- ▁euro- ▁surprise- ▁professionals- ▁served- ▁metal- ling- ▁predictable- ▁navigate- ▁bond- ▁initiated- ▁fed- ▁inform- ▁u- ▁pe- ▁advancing- ▁train- ect- ▁explained- ▁raised- net- ▁paul- one- ▁meetings- ▁grade- ▁uniquely- ▁blue- ▁tri- ▁agenda- ▁worse- ▁wants- ▁kick- ▁dose- ▁offered- ▁collect- ▁listen- ▁pain- ▁compression- ▁request- ▁beneficial- ▁convenience- ▁behalf- ▁rights- ▁individuals- ▁hedging- ▁sophisticated- ▁comfort- ▁anyone- ▁rebound- ▁preliminary- ▁environments- ▁format- ▁internationally- ▁anticipating- ▁innovate- ▁runway- ▁joined- ▁secondary- less- ▁realizing- ▁reset- ill- ▁announcements- ▁guarantees- land- ▁feed- ▁supports- ▁el- ▁es- ▁wrap- ▁consistency- ▁releases- ▁funded- ▁understood- ▁surface- ▁brian- ▁sea- ▁satisfied- ▁aerospace- ▁uncertain- ▁continuation- ▁acceptance- ▁sp- ▁minimize- ▁pending- ▁pharmaceutical- ▁principles- ▁branded- ▁black- ▁geography- ▁rock- ▁sellers- ▁affecting- ▁li- ▁indicate- ▁link- ▁agent- ng- ▁preparation- ▁discovery- ▁appeal- ▁efficacy- ▁architecture- ▁eliminate- ▁advisers- pro- ▁party- ▁occurring- ▁evident- ▁translation- ▁z- ▁telling- ▁stick- ▁excitement- ▁aftermarket- ▁lu- ▁identifying- ip- lu- ▁somewhere- ▁constraints- ▁drugs- month- ▁pushed- ▁watching- ▁characteristics- ▁equation- ▁bright- ▁picking- ▁alignment- ▁situations- ▁permanent- ▁anywhere- ▁conjunction- ▁fix- ut- ▁renewable- ▁london- ▁ne- ▁promise- ▁favor- ▁distributed- ▁analyze- ▁ebit- ▁optimal- ▁linked- ▁optimism- ▁obvious- ▁hopeful- ▁earning- ▁clarify- ful- ▁diligently- ▁respective- ▁visit- ▁broadcast- ▁fluctuations- ▁shifts- ▁marine- ▁agreed- ▁reverse- ▁pi- ▁noise- ▁contains- ▁trucks- ▁virtually- ▁divestiture- ▁reputation- over- ga- ▁cards- ▁hire- ▁constitute- und- ▁patent- ▁wood- ▁contracted- ▁pickup- ▁word- ▁interim- ▁requirement- ir- ▁slowing- ▁three- ▁assumes- ▁yeartodate- ▁eastern- ▁custom- ▁reliance- ▁joe- ▁feet- ▁enormous- ▁signing- ▁prefer- ▁families- ▁pipe- ▁openings- ▁ed- ea- ence- ▁notably- ▁currencies- ty- ▁define- ▁competitiveness- ▁liquid- ▁complicated- pi- ure- ▁booking- ▁represented- ▁stabilized- ▁variabilit- ▁rely- ▁disclose- ▁background- ver- ▁catch- ▁transparent- ▁deck- ▁gen- ▁alone- ▁exceeding- ▁ci- ▁calculation- ▁maximizing- ▁guarantee- ▁decades- tax- ▁school- ▁accomplishments- ▁burn- ▁nuclear- ▁notes- ▁unlock- ▁additions- ▁structured- ▁shorter- ▁appetite- ▁refine- ag- ▁consolidate- ▁philosophy- ▁instance- ▁hot- ▁television- ▁corresponding- ▁midpoint- ▁mixed- ▁sc- ▁unknown- ▁24- ▁staying- ard- ▁qualified- ▁relation- ▁hurricanes- ▁man- ▁ra- ▁smooth- ▁startup- ▁grid- ▁former- ris- ▁renewed- ▁personally- ▁accepted- ions- ▁gained- ▁terminal- ▁upgrades- ▁familiar- ▁la- ▁experts- cl- ▁commissions- ▁recruiting- ▁cat- ▁ticket- ▁virtual- ▁obligations- of- ▁sorry- ▁partnering- ▁corporation- ▁student- ▁opex- ▁complementary- ▁na- ▁memory- ▁method- ▁prospective- ▁gradually- ▁classes- un- ▁realization- ls- ▁prevent- ▁allocate- ▁exploring- '7'- ▁white- ▁formula- ▁lock- ▁passed- ▁proceed- ▁bidding- gu- ▁audit- ▁contractual- ▁closure- ▁addressed- ▁career- ▁macroeconomic- ▁math- hi- tro- ▁matt- ▁reaction- ▁straight- ▁appreciation- ▁carbon- ▁tangible- ▁inherent- ▁neutral- ▁election- ▁representing- ▁guided- ▁engines- ▁onto- gs- ▁entity- ▁beverage- ▁gathering- ys- gi- ▁self- ▁fronts- ▁language- ▁choices- ins- ▁vice- ▁franchisees- ▁fluid- ▁premiums- ▁stabilization- ▁financially- ▁rampup- ▁ta- ▁designs- ▁rob- ▁covenant- ▁kevin- ▁demands- ▁disclaim- ▁royalty- ▁burden- cs- ▁tim- ▁progression- ▁awarded- ▁softer- ▁weight- ▁forecasting- ▁adjacent- '8'- port- '6'- ven- ▁enterprises- ▁priced- ▁inflection- ▁generic- ▁picked- ▁noncash- ▁urban- ▁window- ▁refining- ▁sensitive- ▁version- ▁ri- ▁funnel- ▁chemical- ▁buyer- ▁adds- ▁code- ▁budgets- ▁sentiment- ▁reasonably- ▁converting- ab- ▁amazing- ping- mer- ▁constructive- ▁shouldnt- ▁wider- ▁booked- ▁timely- ▁mechanism- ▁pharma- ▁broaden- ▁reps- ▁proactively- ▁recycling- ▁subscribers- ▁downward- ▁ranges- ▁answers- ▁200- ▁gr- ier- ▁earned- ▁transport- ▁charter- ▁testament- ▁operated- ▁ni- '5'- ▁firmly- ial- ▁host- ▁developers- ▁animal- ▁russia- ▁pack- ▁boost- ▁arise- ▁meant- ▁sight- ▁frac- ▁refresh- ▁lay- ▁2014- ▁diligence- ▁referred- ie- ▁premier- ▁lowering- ▁fy- ▁row- ber- sp- ▁storm- ▁da- ▁totally- ▁wonder- ▁proposal- ▁barrels- ▁letter- ▁trending- tt- ▁indicative- ▁flex- ▁supportive- ▁acknowledge- ▁whilst- ▁shifted- ▁motor- ▁severe- ▁master- ▁traditionally- ▁downstream- ▁standing- ▁returned- red- ru- ▁definition- ▁shelf- ner- ▁heat- ▁consequence- ▁capturing- ▁registration- ▁achievement- ▁naturally- io- day- ▁pointed- ▁pa- ▁cyclical- ▁signal- ▁marked- ▁upward- ▁steadily- ▁react- ▁artificial- ▁applicable- ▁valueadded- ▁treated- ▁resilient- ny- ▁feels- ▁radio- ▁concentrated- ▁programming- ▁harvest- ▁anticipation- ▁properly- ▁greatly- 'off'- ▁tailwind- ▁ba- ▁bonds- ▁functional- ▁listeners- ▁furthermore- ▁ru- ▁serious- ▁commodities- by- ▁employment- ▁audio- ▁principal- ▁apparel- ▁entities- ▁membership- ▁ge- ▁ratings- ▁implications- ▁semiconductor- ▁visible- ▁leg- ▁owner- ▁fi- res- ▁composition- ▁authorities- ▁iot- ▁messaging- ni- ▁literally- ▁layer- fe- ▁warehouse- ▁resolved- ▁broadband- ▁write- ▁announcing- ▁equivalent- ▁repositioning- ▁indirect- ▁transactional- ▁monetize- ▁handling- ▁qu- ▁turnover- ▁historic- ▁economies- ▁spain- let- ▁assure- ▁united- ▁establishing- ns- ▁certainty- ▁greg- ▁kept- ging- ▁brexit- ▁italy- ▁regulated- ▁hired- ▁art- ▁discontinued- ▁separation- ▁sizes- all- ▁amongst- ▁beauty- ▁scientific- ▁territories- ▁lab- ▁import- ▁payroll- ▁redevelopment- ▁mar- ▁ii- ▁calling- ▁cautionary- ▁fits- ▁trans- ▁merchant- ▁military- driven- ger- ▁losing- ▁yourself- ▁fruit- ▁tier- ▁operationally- rate- ▁tariff- ▁dc- ▁po- ▁attracting- ▁adopted- ▁pet- fi- ▁ja- ▁technological- ▁endpoint- ▁cells- ▁afford- ▁responding- ▁bullish- pt- ical- ▁evidenced- ▁knowing- ▁reflective- ▁streamline- ▁copper- ▁predominantly- ▁absorb- ▁ti- ▁northeast- ▁quicker- ities- ▁strive- ▁hub- ▁southeast- ▁standalone- ▁attrition- ▁washington- ▁ha- ▁crop- ▁slowed- ▁differential- king- ▁therell- ▁database- ▁personalized- ▁balancing- ▁closures- ▁pharmacy- ▁assumed- ship- load- ▁highlighting- ▁pause- ▁overseas- ▁threat- ▁poor- tan- ▁hitting- ▁elsewhere- ▁precision- ▁machines- ▁ease- ▁handful- ▁beat- ▁cold- ▁swap- ▁arrangements- ▁allowance- ▁carolina- ▁va- ten- ▁territory- ▁medicine- ▁description- ens- ▁prospect- ▁sun- ▁meantime- ▁materialize- ▁adequate- ▁theme- ▁intellectual- ▁mobility- ▁transitioning- ▁controlling- ▁fortunate- ▁sizable- ▁samestore- ▁wall- ▁reinforce- ▁referenced- ▁chosen- ▁payout- ▁carried- ▁lo- ▁airlines- ▁deployments- ▁copy- ▁combining- ▁fa- ▁issuance- cu- ▁transforming- ▁contractors- gg- ▁speaks- ▁vote- ▁uk- ▁capitalized- ▁industryleading- ld- ▁alluded- den- ▁noncore- ▁upstream- ▁pulling- ▁decent- ▁receivable- ▁similarly- ▁ore- ▁sooner- ▁tender- ▁route- ▁contracting- ▁absorption- ▁appendix- ▁conducted- ▁definitive- ▁lifetime- ▁automated- ▁differentiator- ▁lumpy- ▁install- ▁conduct- ▁ka- top- ▁shut- ▁foot- od- ▁midstream- ▁improves- ▁adopt- ▁licenses- ▁shipment- ▁governance- ▁takeaway- ▁te- ▁electricity- ▁output- ology- ▁overcome- ▁lng- ▁scalabl- ▁validation- ▁convinced- cc- ▁maximum- ▁repayment- ▁ver- ▁intensity- ▁hong- ncy- ▁apple- ▁kong- ▁agile- ▁carrying- ▁separately- ▁ag- ▁jack- ▁surgical- ▁disappointed- les- ▁si- ▁port- ▁sum- ▁judgment- ▁undu- ell- ▁listed- ▁minor- ▁reviews- ▁cutting- ▁whereas- ▁billing- ▁workers- ▁remove- ▁governments- ▁played- ▁domain- ▁body- ▁german- way- ▁wa- ▁principally- ▁methodology- ▁dr- ▁ken- ▁schedules- ▁presenting- ▁therapeutic- ▁chicago- ▁presentations- ▁forms- ▁farm- ▁forecasts- ▁scaling- ▁spite- tu- tech- ▁korea- ▁email- ▁argentina- ▁turns- ▁rewards- ▁cfo- ▁therapies- ▁throughput- ▁lifestyle- ▁foreseeable- ▁pipelines- ▁observed- ▁applying- ▁fifth- ▁introductions- ▁merchants- ▁resolve- ▁er- ▁successes- ▁duty- ▁instore- ▁whom- ▁packages- bu- ▁catalyst- ▁ordering- ▁mu- ▁attack- ▁diesel- ▁cal- ▁satellite- ▁sensitivity- ▁proof- ▁approaches- ▁narrow- ▁battery- ka- ▁screen- ▁incur- board- ▁inflationary- ▁correctly- ▁manufacturer- ▁google- ▁investigation- ▁disruptive- ▁emerge- ▁covering- ▁luxury- ▁apart- ▁delaware- ▁doubled- ▁mi- ap- ▁31- nc- ▁billings- ▁securing- ▁intense- ▁panel- led- ▁image- ▁profitably- ▁underground- ▁noticed- ▁subscriber- ▁trusted- ▁decreases- ▁valuations- ▁laser- ▁identity- ▁delighted- ler- ▁strike- ▁measurement- ▁constrained- ▁telecom- ▁pulled- ▁bankers- ▁tail- ▁remote- ▁casino- ▁scenarios- fa- erto- ▁causing- ▁explanation- point- ▁downside- ▁ir- ▁slowly- ▁warm- ▁campus- ▁prepayment- ▁inhouse- ▁gradual- ▁approaching- ▁simultaneously- ▁par- med- ▁jurisdictions- ▁marks- ib- ▁interface- ▁favorably- ▁considerably- ▁expansions- state- ▁forecasted- lt- ▁worldclass- ▁hedges- ▁believes- ▁expenditure- ▁forma- ▁commerce- ▁niche- ▁exceptionally- ▁deeply- ▁myself- ▁flight- ▁completions- ▁utilized- fin- ix- ▁mindful- and- ▁shipped- ▁remarkable- the- ▁ingredients- tra- ▁moments- ▁reviewed- ▁finalized- ▁conventional- ▁engagements- ▁accommodate- ▁allocated- ▁divest- eg- ▁passion- ▁vessel- ▁rare- ▁graph- ▁ar- ▁destination- ▁saas- ▁weekend- ▁ample- ▁spec- ▁commented- ▁flu- ▁converted- ▁integrity- ▁monetization- side- ▁supplies- ▁renovation- ▁holidays- ▁bonus- ▁station- ient- ▁attributes- der- ▁nextgeneration- ▁surgery- ▁bi- ▁climate- ▁payable- ▁dive- ▁task- ▁airline- ▁anyway- ▁persist- ▁normalize- ▁progresses- ▁leaving- ▁obtain- ▁consultants- ▁attempt- ▁parallel- ▁fulfillment- ▁doctors- ▁enthusiasm- ▁rep- ▁relief- ▁sides- ative- ▁exists- ▁touched- ▁forces- ide- ▁delta- ible- ▁document- ▁ce- ▁yearonyear- ▁accept- ▁subsidiaries- ▁surrounding- ▁attributed- ▁deflation- ▁singledigit- ▁interact- ▁executives- ▁su- ▁sometime- ▁send- ▁ambition- ▁auction- ▁lateral- ▁tested- ists- ▁gene- ▁strides- ▁pump- ▁metro- ▁chose- ▁intelligent- ▁preserve- ▁conscious- ▁film- ▁instruments- ▁chemicals- ▁phases- ▁discounts- ▁young- ▁ran- ▁collaborative- ville- ▁association- ▁trigger- ▁recap- qui- ▁multifamily- ▁tons- ee- ▁container- ▁ships- ▁controlled- ▁topics- ▁frank- ▁acute- ▁flavor- ▁missed- ▁retaining- ▁resilience- ▁enthusiastic- ▁session- ▁tables- ▁everywhere- ▁aviation- ▁rico- ▁grows- ▁sharp- ▁submitted- ▁incorporate- ▁omnichannel- rt- ▁wi- ▁spirit- ▁fun- ▁informed- ▁calculated- ster- ▁popular- ▁outdoor- ▁array- ▁density- ▁assessing- ▁factories- ▁placement- ▁consolidating- ▁breakdown- ▁optionalit- ▁ventures- ▁accounted- ▁skilled- ▁mis- ▁rigorous- ▁easter- ▁club- ▁arm- ▁anchor- ▁predictions- ▁digit- ▁proper- ▁peter- ▁advice- ▁novel- ▁nonrecurring- ▁protein- ▁subsidiary- ▁distributions- ▁21- ▁fell- ify- ▁termination- ▁treasury- ▁inspection- ▁outperformance- ▁acceptable- ▁wanting- qua- ▁skill- ▁basket- ▁roles- ▁eu- ▁discrete- ▁velocity- ▁throw- ▁emea- ▁advances- ▁switching- ▁accountability- ▁recording- ▁shortage- ▁pivot- ified- av- ▁island- ▁empower- ▁tower- star- ▁loyal- ▁crisis- ▁proceeding- ron- ▁negotiation- ▁defend- ▁ball- ▁peer- ▁distinct- bl- ▁urgency- ▁ju- ▁responses- ▁tightening- ▁aimed- ▁electrical- if- ▁tra- ▁franchises- ▁reposition- ▁realistic- ▁connecting- ▁lighting- ight- ▁pleasure- ▁proxy- ▁failure- ▁womens- ▁blood- ▁derivative- ▁tougher- ▁extreme- ▁mornings- lan- ▁opt- ▁certification- ▁surgeons- ▁precise- ▁accident- ▁impressed- ▁discretionary- tics- ▁don- ▁survey- ▁recession- ▁ads- ▁arrangement- ▁interaction- ▁reading- ▁frequently- su- ▁ve- ▁viewed- ▁stockholders- ▁inclusion- ▁medicaid- ▁vegas- ▁glass- ▁authority- ▁reinvestment- ▁jv- ▁triple- ▁upgrading- ▁rebuild- ▁records- ▁spoken- ▁mutual- wood- ▁producer- ▁engineers- light- ▁brokers- ▁conversions- ▁diagnostic- ▁sku- ▁eagle- ▁jersey- ▁retained- ▁prioritize- ▁tighter- ▁counter- ▁unexpected- ▁exposed- ▁progressive- ▁drilled- ▁agility- ▁bestinclass- ▁alongside- ▁society- ▁worry- ▁proposals- si- ▁pat- ▁zone- ▁leased- ▁comparing- lin- ▁blocks- ▁deliberate- ▁outflow- ▁audiences- ▁pad- ▁corner- ▁geo- ▁settle- ▁preference- ▁breakeven- ▁christmas- ▁twice- ▁imaging- ▁goforward- ▁foods- ▁alberta- ▁iron- ▁perception- ec- ▁las- hold- ▁australian- ite- ▁visits- ▁influenced- ▁authorization- ▁concrete- ▁absence- ▁contemplated- ▁aside- ▁comparative- ▁negotiating- ▁pillars- ▁builds- ▁alliance- ley- ▁reduces- ▁guiding- ▁replacing- ▁stretch- ▁younger- sized- ▁replaced- log- ▁reg- ub- ▁stands- ▁collateral- ▁satisfy- ▁resume- ▁negotiate- ▁clinic- ▁diseases- ▁script- ▁commit- ▁regularly- ▁turkey- ▁fulfill- ▁whenever- ▁lever- ▁dilution- ▁pop- ▁war- ▁anniversary- ▁manufacture- ▁broker- ▁thereby- que- ▁parent- ▁serves- ▁imports- ▁computing- ▁confirmed- ▁asian- ▁incorporated- ▁stake- ▁river- ▁concepts- ▁contractor- ▁disappointing- ▁substitute- ▁specialized- air- ▁union- ▁oneoff- ▁wages- ▁th- ▁determination- ▁powder- ▁oncology- ▁falling- ▁tap- ▁japanese- tel- ▁spaces- ▁imply- ▁rationalization- ▁exiting- ▁cre- ▁preclinical- ▁undertaking- ▁finalize- ▁hospitality- ▁scores- ▁thrilled- ▁valley- ▁secular- ▁music- ▁honest- cr- ▁cultural- ▁holistic- ▁hurt- ▁lowcost- ▁rid- use- ▁log- ▁outline- ▁outsourcing- ▁adult- ▁whose- met- ▁reorganization- ▁unified- ably- ▁reservoir- ▁unable- ▁motion- ▁congress- ▁workflow- ▁title- ▁miss- ▁valued- ▁glad- ▁visual- ▁unlike- pac- ▁reit- ▁unlikely- ▁periodic- ▁academic- ▁interactions- ▁hydro- ▁cancellation- ▁diluted- ▁concentrate- ▁directors- ▁wherever- ▁deleveraging- ▁french- ran- val- ▁resonate- ▁tie- ▁pc- ▁benchmark- ▁simplification- ▁writing- ▁headquarters- ▁excludes- ▁district- ▁midwest- ▁recovered- ▁extract- ▁protecting- ▁fo- ome- ▁du- ▁university- ▁reward- ▁delivers- ▁brokerage- plus- fo- rd- ▁stations- ▁relevance- ▁spin- ▁quote- ▁flowing- ▁silver- ▁trained- ▁nav- ▁ai- ▁methods- ▁baseline- ▁payer- ▁ch- ▁boston- ▁migrate- ▁penetrate- ▁ideal- ▁doors- ▁sha- ▁bag- ▁discounting- ▁nobody- ▁construct- ▁augment- ▁references- ▁hu- ▁intangible- ▁storms- ▁pockets- ever- ▁pillar- ▁bankruptcy- ▁swing- ▁doug- ▁modernization- ▁cargo- bility- ▁midst- ▁wallet- ▁connections- pl- ▁representative- ▁revolving- ▁renew- ▁attribute- ▁miles- ▁mall- ▁aluminum- ▁stabilizing- ▁presents- ▁apps- ▁roi- ▁immune- ▁fight- rn- ▁redeploy- ▁coffee- ▁logic- ▁responded- ▁correction- act- ▁county- fl- focused- ▁procedure- ▁jo- ▁dates- ▁extensions- ▁evening- ▁sensor- ▁children- ▁pit- ▁bump- ▁knows- ▁formation- ium- ▁geographically- vis- ▁accretion- ▁reversal- dy- vers- ▁tissue- ▁tomorrow- ons- ▁predictive- ▁pan- press- ▁uplift- ▁nimble- for- ▁begins- ▁nevertheless- ▁revolver- ▁willingness- ▁realtime- ▁responsive- ▁convenient- ▁deterioration- ▁mandate- ▁capitalizing- ▁cuts- water- ▁contingent- ▁parameters- ▁pursuit- ▁deem- ▁rooms- ▁town- ▁root- ▁cyber- za- work- ▁lumber- ▁singapore- ▁costeffective- ▁gift- ▁arpu- our- ▁mail- ▁occurs- ▁suggested- ▁grand- ▁hour- ▁ipo- ▁viable- ▁borrowers- ▁convertible- ▁refined- ▁hires- ▁disruptions- ▁vo- ▁deepen- ▁refinance- ▁purely- ▁ocean- ▁airport- ▁timeline- ▁negotiated- ▁exports- quartertoquarter- ▁suspect- ▁mines- ▁employers- ▁possibilities- ▁solely- ▁brazilian- ▁partial- cor- ▁res- ▁missing- ▁experiment- ▁colorado- ▁ending- ▁recruit- ▁distribute- ▁foresee- ▁notwithstanding- ▁spike- ▁inefficienc- oc- ▁download- ▁analyzing- ▁says- ▁aid- ▁marginal- ▁whos- af- ▁adviser- ▁scrap- ▁relentless- ▁beta- ▁sensors- ▁scheme- ▁trip- ▁enjoyed- ▁maturit- ▁eliminating- ▁dev- ▁virginia- ff- ▁amendment- ▁accuracy- ▁redemption- ▁recruitment- ▁women- ▁score- ▁sponsor- wide- ▁click- ▁dig- ▁demographic- ▁pound- ▁involves- ▁broadbased- ▁restrictions- ▁guidelines- ▁additive- ▁grocery- power- sis- ▁chunk- ▁formulation- ▁difficulty- her- ▁corn- ▁cy- ▁hence- ▁honestly- ▁streaming- ▁silicon- ▁unprecedented- ▁lesser- ▁kids- ▁apparent- ▁stories- ▁variables- ▁captured- ▁names- ▁wire- ▁poised- iv- ▁anymore- ▁gary- ▁linear- ▁bids- cing- field- ▁gate- ▁gotomarket- ▁hawaii- ▁likelihood- ▁ter- ▁blend- ▁correlation- ▁qualification- ▁cor- ▁engineered- ▁22- yl- ward- ▁permit- ▁bucket- ▁farmers- ▁collective- ▁sustaining- product- ▁consequently- ▁offline- ks- ▁sl- ▁ice- ▁clo- ▁vital- ▁foremost- ▁consent- ▁fl- ▁colombia- ▁tactical- ▁forget- ▁household- ▁safely- ▁messages- ▁everyday- '95'- ▁ga- ▁affiliate- '20'- ▁permitting- ▁remodel- ▁healthier- ▁focuses- ▁mac- ▁medicines- ▁tick- ▁chains- ▁projection- ▁mechanical- ▁granted- ▁dial- ▁pilots- ▁style- ▁cu- ▁eric- ▁schools- ▁poland- ▁upgraded- ▁lake- ▁sh- ▁realignment- ▁refinery- ▁domestically- ▁tens- ▁metals- ▁mineral- ▁replicate- hand- ▁ramped- ▁doubling- ▁chairman- ▁restricted- ▁underperforming- ▁seemed- ▁ten- ▁rick- ▁stepping- pped- ▁contrast- ▁headed- efficient- ▁ontario- ▁submission- ▁mechanisms- ▁chip- ▁hoped- ▁sweet- ▁treating- ▁proving- ▁bus- ving- ▁municipal- ▁sent- ▁passing- ▁crossselling- ▁labs- ▁friday- ▁assistance- ▁exited- ▁candidate- ▁saving- rg- ▁brad- ▁worried- ▁seat- ▁excluded- level- ▁judge- ak- ▁rational- wa- ▁23- sol- ▁terminals- flows- ▁renewables- ▁35- ▁bay- ju- ▁greenfield- ▁motivated- ▁runs- ile- ▁consensus- ▁accessories- ▁diversifying- xi- ▁geographical- ▁broadening- ▁modules- ▁snow- ▁flagship- ▁segmentation- ▁hundred- ▁diamond- ▁forefront- ▁expiration- ▁generates- ▁revision- ▁foundational- ▁permits- ▁illustrate- ▁default- ▁grades- ▁considerations- ▁placing- ▁smarter- ▁holdings- ▁indicates- era- ▁boxes- ang- ▁progressed- bra- ▁clearance- ▁limits- ▁fields- ▁collectively- ▁multiples- cap- ▁choosing- ▁fluctuate- ▁attendance- ade- ▁evolved- we- ▁strip- ▁nim- ble- ▁dallas- ▁fragmented- ▁classified- ▁erp- ▁rationale- ware- ▁oral- ▁ifrs- ▁optical- ▁recovering- ▁passenger- ▁cement- ▁mills- ▁inorganic- scale- ▁chronic- ▁conviction- ▁demonstration- ▁struggling- ▁sky- ▁headline- ▁departments- ▁decreasing- ▁sweden- ▁broken- ▁hill- ▁educate- ▁ban- ▁sw- nic- ▁statistics- ▁selectively- ▁sciences- ▁heightened- ▁pennsylvania- ▁intake- ▁jet- ▁mortgages- ▁sample- ▁breaking- ▁genetic- ▁locally- ▁institution- ▁thorough- ▁incrementally- ▁themes- ▁evaluated- ▁reaffirm- pp- ▁removed- ▁downtime- ▁cautiously- ▁economically- ▁del- ▁anti- ▁prescription- ▁preferences- ise- ▁transact- ▁tumor- ▁dropped- ▁seriously- ▁transitions- ▁filling- ▁unsecure- ▁worst- ▁four- ▁friends- ▁conferences- ko- ▁trouble- ▁perpetual- ▁shops- ▁regulator- ▁nutrition- ▁walmart- ▁pulp- ▁signals- ▁caught- ▁pivotal- oriented- ▁che- ▁threshold- ▁lap- ▁1000- mar- ▁uptake- ▁unmet- ▁perfectly- ▁furniture- gra- ▁rec- ▁server- ▁pronounced- so- risk- ▁firstly- ▁traded- ▁ohio- ▁quantity- ▁mindset- ▁disclaimer- ▁boards- ned- ▁sil- room- ▁ends- ▁exclusively- ▁severity- ▁chase- ▁gaps- ▁factored- ▁mild- ▁branding- ▁debate- ▁cl- ▁cohort- ▁billion- ▁surprising- ▁resonat- ▁diminish- ▁shutdown- ▁flip- ▁riskadjusted- ▁opens- ▁circuit- ▁coach- ▁muted- cos- ▁initiate- ▁mile- ▁submit- ▁onboard- ▁autonomous- ▁shrink- ▁suggests- ▁mon- ▁ride- ▁formats- well- ▁fabric- ▁mistake- ▁rein- ▁trades- ▁seller- ▁ambitious- ▁dispute- stone- ▁fab- ▁probability- ▁residual- ▁border- rie- ey- ▁roe- ▁enhances- ▁grain- ▁bundle- ▁ko- ▁residents- ▁bra- run- bank- ▁cluster- ▁equities- ▁simplified- ▁disrupt- ▁commercially- ▁agricultural- ▁grateful- ▁harvey- ▁microsoft- ▁screening- ▁gal- serv- ▁floating- ▁fly- ▁strict- ▁employer- ▁profiles- ▁filled- ▁intact- ▁bearing- ▁outpace- ▁communicating- car- ▁customized- ▁instrument- ▁crews- ▁logical- ▁wellness- ▁exhibit- ▁annuity- ▁needle- ▁overlap- ▁calculate- ▁compensate- ▁lowered- ▁tire- ▁barriers- ▁payback- par- ifi- ▁requiring- ▁surplus- ▁dur- ▁weigh- ▁stocks- ▁interests- ▁aging- ▁movie- ▁concessions- cy- ▁demographics- ▁nu- ▁allocating- ▁facebook- ▁eliminated- ▁skin- ▁conducting- ▁embrace- ▁director- ▁limitations- ▁universal- ▁eyes- ▁jason- ▁alter- ▁bode- ▁pen- ▁teleconference- ▁minority- ▁commissioning- ▁installations- ▁proved- ▁buildout- ▁coupon- ▁race- ▁refocus- ▁elect- ▁ancillary- ▁civil- ▁garden- ▁restart- sign- ▁titles- ▁peoples- fr- ▁pr- ▁arena- ▁illinois- ▁subs- ▁incident- ▁protocol- ▁commence- ▁delever- ▁chapter- ▁impossible- ▁premise- ▁baked- ▁widely- cal- ▁commenced- ▁expert- ▁smartphone- house- owned- ▁emissions- ▁filter- ▁detection- ▁cla- ana- ▁elevate- ox- ▁warrant- ▁ash- ▁listing- ▁nursing- ▁rose- ▁employed- ▁techniques- ▁realign- ▁casual- ▁distinguish- ▁granular- ▁adversely- rc- ▁thatll- ▁friction- ▁cd- ▁named- max- ▁journal- ▁royalties- ▁interactive- tric- ▁adopting- ▁onboarding- ▁college- ▁longstanding- ▁overnight- tal- ▁endtoend- ▁incumbent- ▁locked- ▁centralized- ▁rain- ▁manifest- ▁millennial- ▁lifting- ▁developer- ▁derived- kin- ai- ▁lighter- ▁keeps- ▁regain- ▁dining- ▁printing- ▁impactful- ture- ▁imperative- ▁translated- ▁pie- ▁upsell- ▁aligning- ▁tells- ford- ▁andrew- '10'- ▁tenure- ▁exposures- my- ▁weekly- ▁shortages- ▁indonesia- ▁transcript- ▁promoting- ▁activation- ▁fitness- ▁era- ▁classic- ose- ▁ruling- tor- ▁assembly- type- ▁placements- ▁atlantic- ▁defer- ▁diligent- ▁unusually- ▁crew- ▁phoenix- ▁202- ▁comply- ▁fueled- ▁hi- ▁mentioning- ▁principle- ▁ultra- ▁cheaper- ▁predictability- ric- ▁sponsors- ▁unfold- ▁george- ▁propositions- ▁comprised- ▁dar- ▁affects- ▁struggle- ▁heritage- ▁teach- down- ▁matching- ▁routes- ▁demanding- ▁forced- ▁nationwide- ▁accrual- ▁cast- ▁clearer- via- ▁hosting- ▁kit- ▁british- ▁bias- part- ▁holds- ▁directed- ▁stepped- rated- ▁dominant- ▁zealand- ▁appointment- ▁publishing- ▁subscriptions- ▁y- free- ▁pathway- ▁craft- ▁fish- au- ▁zones- ▁fe- ▁ron- pay- mic- ▁delinquenc- ▁speculate- ▁roof- ▁warranty- link- ious- ▁envision- ▁richard- ▁norway- ▁cas- ▁elected- ▁centered- ▁instances- ▁crucial- ▁compares- ▁poly- ▁settled- ▁hang- ▁integral- ▁modify- ▁streamlining- ▁quota- ▁fastest- ▁predicted- life- ica- ▁consist- ▁populations- ▁paint- ▁province- ▁isolation- ▁beach- ▁sir- ▁computer- ▁albeit- ▁entrant- ▁erosion- ▁relied- ▁licensed- ▁divestment- ▁restore- ▁basins- ▁rough- ▁cur- ▁elimination- ▁republic- ▁discover- ▁affordabilit- ▁band- ▁requests- ase- ▁opposite- ▁signature- ▁shaping- ▁transformative- ▁networking- ▁consume- lon- ▁midsingle- ▁annualize- ▁passionate- ▁decisionmaking- ▁five- ▁precisely- ▁stayed- ▁privilege- ▁shortfall- ▁treatments- ▁loaded- ▁drawing- ▁externally- ▁answered- ▁frozen- ▁ordinary- can- ▁ev- ▁accessible- pr- ▁wondered- ▁neighborhood- ▁implies- fs- ▁idle- ▁translates- ▁max- ▁practical- ▁charging- ▁accompanying- ▁validate- ▁illustrates- ▁tightly- ▁institute- ▁patience- ▁temporarily- ▁finishing- ▁hadnt- ▁accurately- ▁collaborate- ▁follows- ▁bro- ▁argue- ▁cha- ▁interpret- ▁leisure- ▁reception- ▁implant- ▁eligible- ▁dozen- ▁newest- ▁covers- ▁attached- ▁attracted- ▁atm- iness- ▁atlanta- ▁300- ▁navy- ▁annually- du- ▁sal- ▁liquids- ▁minus- ▁northwest- ▁vacation- ▁28- ▁namely- realized- ▁differentiating- ▁exploit- ▁sugar- ▁midmarket- mark- ▁thrive- ▁premature- ▁fraud- ▁pride- ▁tele- ▁invite- ism- ▁tank- ▁revisit- ▁revpar- ▁flash- ▁competenc- ▁restructure- ▁intervention- ▁cautioned- ▁endeavor- ▁mountain- ▁securitization- ▁dental- ▁guy- specific- ▁convention- ▁syn- ▁highermargin- ▁pumping- ▁projecting- ▁observations- ▁supposed- ina- ▁character- ▁sudden- ▁fans- ▁bandwidth- ▁catastrophe- ▁midterm- ▁netherlands- ▁taste- ▁dual- ▁impression- ▁400- ▁dairy- ▁eager- ▁innovat- ▁rebuilding- ▁speeds- ▁renovations- ▁liberty- ory- dic- ▁oklahoma- ▁phasing- fer- ▁ke- ▁conclusions- ▁affiliates- ▁parks- ▁detect- ▁unemployment- ▁expands- ▁industrys- ▁durable- ▁pri- ▁analytical- ▁softening- ▁gu- ▁bolster- ▁tre- ▁simpler- ▁outages- ▁depressed- ▁pd- ▁alex- ▁appreciated- ▁outlet- ▁tony- ▁analog- ▁lender- pu- ▁liver- ▁cool- ▁blended- ▁men- ▁sorts- ▁valid- ▁king- ▁footwear- ▁injection- ▁mitigated- ▁modernize- ▁arizona- ▁repay- ▁competitively- ▁photo- mon- ▁pioneer- ▁emergency- ▁thesis- ▁portal- ▁crosssell- ▁contributors- ▁agriculture- ▁thermal- ▁gateway- '00000'- ▁builders- ▁causes- ▁composite- ▁casualty- ▁representatives- ▁hyper- ▁fan- ▁argument- ▁wellpositioned- ▁digest- ▁variance- ah- ▁retire- ▁compensated- ▁consumables- ▁relations- ▁crystal- ▁medication- ▁neither- ▁mega- ane- ▁trucking- ▁gearing- ▁excuse- ▁qualitative- ▁honor- ▁indian- ▁difficulties- ▁patents- ▁redesign- play- ▁determining- ▁michigan- ▁thereafter- ▁mirror- ▁manual- ▁diagnostics- ya- ▁arms- ▁highend- ▁command- ▁fruition- ▁subsequently- ▁45- ▁inherently- ▁los- ▁falls- ▁grant- ▁applies- ▁horizontal- ▁tailored- ▁occasions- ▁har- ▁pages- ▁variation- ▁suit- ▁headlines- ▁towers- ▁500- ▁repairs- ▁prepaid- ▁repricing- ▁assured- ▁queue- ▁indicating- ▁amended- tle- ▁fortunately- ▁observe- modal- cycle- value- ▁bold- ▁containers- ▁cms- ▁van- ▁heads- ▁automate- ▁inhibitor- ▁formed- ▁farms- ▁lineup- ▁meanwhile- ▁toronto- ja- gate- ▁revisions- ▁inclusive- ▁stopped- ▁27- ▁tu- ▁belt- ▁letting- ▁transformed- fu- ▁ps- ▁concluding- ▁pleasant- ▁configuration- ▁transferred- ▁26- ▁lumpi- ▁qualify- ▁laying- ▁believed- ▁digitally- bit- ▁desired- ▁outlets- ▁lens- ▁cook- ▁mitigation- ▁mens- ▁jay- ▁buffer- ▁clarification- ▁relocation- ▁protected- ▁sake- rus- pre- ▁convey- ▁parcel- ▁showcase- ▁intensive- ▁addresses- ▁personalization- ▁semi- ▁windows- centric- box- iconic- ▁robert- ria- ▁severance- ▁inbound- ▁craig- ▁counts- ▁hurdle- ▁workplace- ▁advised- ▁rationalize- duc- ▁samples- ▁inquiries- ▁drink- ▁concession- ▁outage- ▁trailing- ▁tenders- ▁dna- ▁suggesting- ▁snack- ▁bench- ▁midland- ▁shell- ▁highvalue- lance- ▁removing- ▁breakthrough- ▁chemistry- ▁energized- ▁bu- gar- ▁walking- ▁jon- ▁overly- long- ▁modified- ▁percentages- ▁reap- ▁lessons- ▁plate- ▁individually- ▁holders- ▁buckets- gn- ▁circle- ▁kitchen- ▁vacancy- ▁com- ▁stem- ▁cp- ▁phones- ▁bills- ▁capitalization- ▁portions- ▁manageable- ther- ram- ▁obtained- ▁transit- ren- ▁clearing- ivity- ▁plug- ▁fraction- ans- ▁recommendations- ▁stays- ▁span- ▁tighten- care- ▁keen- ▁phil- ▁revolution- ▁southwest- ▁seattle- ▁steep- ▁recapture- ▁submarket- ▁shorten- ▁scheduling- stock- ▁onsite- ▁sur- ▁advancement- ▁todd- ▁celebrate- ▁diabetes- ▁para- list- ▁employ- ▁frequent- ▁achievable- ▁bounce- ▁molecular- ▁quiet- ▁lie- ▁ramps- ▁algorithms- ▁cumulative- ▁module- ▁advise- ▁expire- ze- ▁capacities- ▁authorized- ▁bolton- ▁avenues- ▁threats- ▁comparability- ▁phenomenon- ▁ms- ▁pertain- ▁mc- ▁nation- ▁resiliency- ▁awful- ▁reseller- ▁contraction- ▁surprises- ▁pl- ▁clinicians- ▁dia- ▁structurally- ▁registered- ▁settlements- ▁participated- ▁pal- dding- ▁measuring- ▁pleasing- ▁text- ▁taxable- ▁relying- ▁validated- ▁whereby- ▁maturing- ▁rural- ▁survival- ▁issuing- rill- service- ▁resort- source- ken- ▁righthand- ▁heavier- ▁foster- ▁pra- ▁aiming- ▁prototype- ▁manufactured- ▁leaves- ▁trough- ▁ur- ▁rush- ▁tam- ▁lend- ▁merit- ▁designing- ▁mitigat- ▁bur- ▁cup- ▁universe- ▁shot- ▁salary- ▁findings- ▁organized- ▁hosted- ▁louisiana- ud- ▁interruption- tex- ▁acting- ▁ya- ▁cr- ▁hubs- ▁lies- ▁viewing- ▁surge- ▁robotics- vision- ▁chi- ▁flying- ▁somehow- ▁weakening- ▁passive- ▁marketleading- ▁noi- ▁hurdles- ▁seats- ▁jan- ▁credibility- ▁battle- form- sys- ▁fu- ▁streamlined- ▁involving- ▁suited- ▁arrive- ification- ▁nations- ay- ▁parking- ▁columbia- ▁ounces- ▁significance- ▁norm- ▁meal- ▁compromise- ▁feasibility- ▁mexican- ▁besides- ▁consequences- ▁educational- ▁owning- ▁cho- ▁sits- ▁england- ▁tobacco- ▁underpin- ▁pumps- ▁loading- ▁limiting- ki- ▁chicken- ▁dosing- ▁operates- ▁moreover- ▁dip- ▁billions- ▁justify- ▁african- ▁gauge- ▁ought- ▁monday- ▁archive- ▁programmatic- tish- ▁fuels- ▁clinically- building- ▁studio- ▁reinforces- ▁transitional- ▁interconnect- ▁answering- lapping- ▁remediation- ▁relaunch- ▁enforcement- ▁cooperation- ▁readiness- ▁fer- ▁meat- ▁films- ▁dictate- ▁legislative- ▁modular- ▁layers- head- ▁cushion- ▁voluntary- ▁documentation- ▁mer- ▁contemplate- ▁ec- ▁shoppers- ▁advancements- demand- ▁quantitative- ▁releasing- ▁roadmap- ▁ryan- ▁statutory- ▁chasing- ▁sellthrough- ▁alert- ▁till- ek- ▁styles- priced- ▁breast- ▁mortality- ▁scratch- ▁turbine- ▁james- ▁absent- ▁slot- ada- ▁crm- ▁apartment- ▁phenomenal- ▁75- ▁collected- ▁milk- ▁compound- ▁behaviors- ▁persistent- ▁highlevel- ▁radi- ▁pads- ▁unlocking- ▁missouri- ▁salaries- ▁minds- ▁deleverage- ▁recommend- ▁integrations- ▁tonnage- flow- pen- ▁appealing- ▁sam- ▁gp- ▁catalog- ▁martin- ▁automatically- ▁sharpen- ▁rank- ▁pos- ▁eat- ▁iv- ▁calculations- ▁minnesota- ▁wild- ▁mag- ▁requested- ▁strictly- ▁restructured- ▁bone- ▁corporations- ▁deficit- ▁chile- har- ▁receipt- ▁heating- responsibilities- ▁distance- ▁multinational- ▁opioid- ▁salespeople- mc- mis- ▁spine- ▁corp- ▁fra- ▁proximity- ▁tuckin- ▁compliant- ▁dilutive- ▁zero- ▁solidify- ▁routine- ▁variations- ▁notion- ▁incorporating- ▁migrating- ▁straightforward- fuse- ▁occasion- ▁mediumterm- ▁undergoing- ▁scalabilit- tec- mate- ▁specialists- ▁uni- ▁hy- ▁geopolitical- ▁solving- ▁uniform- ▁biotech- ▁ep- ▁attend- ▁ven- ▁landing- ▁articulated- ▁cer- dex- ▁intermediate- nu- gan- ▁nominal- ▁saudi- ▁stimulate- ▁angeles- ▁official- ▁underscore- ▁ki- ▁speculation- ▁freedom- ▁boot- ▁assay- ▁midteens- core- ▁shock- ▁distraction- ▁suffered- ▁mono- ▁tro- cat- ▁bre- ▁neuro- ▁nick- ▁downtown- ▁normalization- ▁critically- ▁collecting- ▁describing- ▁jewelry- ▁dealership- ▁obtaining- ▁bri- ▁salt- ▁representation- ▁cam- ▁attraction- ow- ▁dimension- ▁ambitions- ▁technically- ▁gasoline- ▁squeeze- ▁sleep- ▁mal- ▁gather- tru- ▁pur- ▁unmatch- ▁golf- ▁sprint- ▁irma- ▁bl- ▁removal- ▁wheel- ▁interior- ▁suffer- ▁attain- ▁accomplishment- ▁commercialize- ▁secret- ▁noninterest- ▁adam- ▁understands- ▁kansas- ▁consultation- ▁echo- wear- ▁midyear- ▁warrants- ▁modifications- ▁slate- ▁preserving- ▁crush- ▁onpremise- ▁ffo- ney- ▁panels- ▁promises- ▁associate- ▁widening- ▁commenting- nes- ▁forever- ▁absorbed- ▁fortune- ▁beef- ▁factoring- ▁approached- ▁batteries- ▁valve- ▁ferc- ▁realizations- len- ▁cro- gene- not- ▁prominent- ▁intra- ▁enrolled- ▁boat- ▁highway- ▁prescriptions- ker- ▁aero- stream- ▁liquidation- pack- ▁issuer- ▁independently- performance- ▁gi- ▁gear- ▁switzerland- ▁tweak- ▁needing- ▁extends- path- wise- ▁deepening- ▁champion- ▁wo- ▁consists- turn- ▁plastic- ▁truth- ▁malls- ▁var- uc- ▁gar- uestionandanswer- ▁horse- ▁gdp- ▁dropping- card- ▁bundled- ▁crops- ▁specialist- ▁temp- ▁shippers- ▁alpha- only- ▁omni- ▁fabrication- ▁propel- ▁insurers- ▁denver- ▁examine- ▁pin- oo- ▁cloudbased- ▁predicting- ▁publish- ▁lung- ▁camera- ev- ▁29- ▁observation- ▁continuum- ▁muscle- ▁unlimited- ▁teens- ▁kicked- ▁molecules- ▁referral- ▁dam- ▁underpinne- ▁renewing- ▁petrochemical- ▁spacing- ▁theaters- ▁lane- ▁enjoying- plan- '30'- train- ▁addon- site- tiv- ▁conflict- ▁noteworthy- ▁oversight- ▁nike- ▁intentions- ▁russian- ▁provisioning- ▁elections- ▁ob- ▁recommendation- ▁alaska- ▁prolonged- ug- ▁instrumental- ▁han- ▁36- ▁nearing- ▁molecule- ▁perspectives- ▁deferral- ▁radar- ▁semester- ▁goodwill- ▁destinations- ▁mandates- ▁laboratory- ▁pair- ▁isolated- ▁fueling- ▁reconcile- ▁meter- ▁authentic- ▁continuity- ▁dislocation- ep- ▁meets- bridge- sale- ▁prioritizing- ▁reservation- ▁fear- loc- ▁tanker- ▁originated- int- ▁bell- ▁ph- ▁chat- ▁approve- ▁georgia- ▁error- ▁boeing- ▁deserve- ▁fat- ▁spots- ▁continental- ▁digitalization- ▁smoothly- stor- ▁costreduction- ▁taiwan- ▁shall- ▁distinctive- ▁regime- ▁seasons- season- ▁equipped- ▁moderation- ▁tackle- ▁complain- ▁pools- ▁mainstream- ▁customary- ▁interpretation- size- ▁ski- ▁screens- ▁suffering- iti- right- ▁displays- ▁eventual- ▁translating- ▁desktop- ▁tireless- ▁congratulate- ▁flag- ▁penn- ▁directionally- lm- ▁sap- ▁nova- ▁suppose- ▁hr- ▁planet- men- ▁cra- build- ▁cb- ▁certified- ▁acres- ▁refund- sum- ▁checks- ▁succession- ▁seasoned- ▁essence- ▁reopen- ▁passthrough- ▁sixth- ▁footage- ▁cri- ▁shake- ▁mini- own- ▁intrinsic- ▁ireland- ▁bp- '50'- hu- ▁sharply- ▁flood- ▁processed- ▁visiting- ▁stat- ▁cleaning- ▁rewarding- ▁vaccine- ▁wireline- ▁carl- ▁eg- ▁resorts- ▁delight- ▁charts- ▁shrinking- ▁api- ▁houses- ▁dream- ▁embracing- ▁sterling- ▁lt- gas- ▁sim- ▁temperatures- ▁ingredient- ▁inputs- ▁outset- ▁readily- tory- ▁spare- ▁demo- ▁drawn- bar- ▁derisk- sensitive- ▁invoice- ▁nordic- bin- ▁shi- ▁shale- ▁harm- anticipated- ▁finaliz- ▁bruce- ▁identification- ▁pediatric- ▁chips- ▁actionable- ▁attach- ▁banners- ▁lin- ▁publication- ▁measurable- ▁steam- ▁innings- ▁playbook- ▁dram- ▁entirety- ▁camp- ▁generics- ▁float- ▁ds- ▁disciplines- ▁dock- ▁gm- cut- ▁defining- ▁prompt- ▁dimensions- ▁cart- ▁aligns- ▁budgeting- ▁dispose- ▁unpredictable- ▁hits- ▁trailer- ▁scaled- han- book- ▁cheap- ▁publishers- ▁investmentgrade- ▁encompass- ▁decisive- ▁extraordinarily- ▁quantities- ▁mask- ▁confirmation- ▁ot- ▁adapting- ▁rewarded- ▁cleaner- ▁evolves- ▁evenly- ▁lp- ▁object- ▁draft- ▁surpass- quarter- app- mat- ▁subsea- ash- ▁assessments- ▁architectural- ▁charles- ▁guard- ▁ngl- ▁performer- ▁coll- ▁tru- cast- ▁fail- ▁avenue- ▁surgeon- ▁escalation- ▁wine- ▁native- ▁adequately- ▁ring- ▁constructed- row- ▁confusion- ▁defensive- ▁rebalancing- ▁injury- ▁quantum- ▁patch- ▁promised- ▁monetiz- ▁subset- ▁infusion- ▁massachusetts- ▁reinforcing- ▁costly- ▁tactics- ▁deceleration- ▁printer- ▁strengthens- ▁reinforced- ▁devaluation- ▁methodical- ▁overhang- ▁foundations- quality- ▁compute- ▁meters- ▁ray- ▁ze- ▁varying- performing- ▁beautiful- ▁libor- ▁recipe- ▁homeowners- ▁roger- rp- ▁posting- '40'- ▁cm- ame- ▁forum- ▁robot- ▁yen- ▁backed- ▁highgrowth- ▁plastics- ▁governor- ▁rfp- generation- ▁cognizant- ▁column- ▁2000- ▁foundry- ▁honored- ▁marc- ▁comm- ▁constraint- ▁larry- ▁gre- ▁noticeable- bro- maker- ▁reveal- ▁promoted- ▁curves- ▁whi- ▁dealt- lim- ▁jurisdiction- ▁destocking- ▁sluggish- ▁transient- dis- ▁theater- lar- ▁smartphones- ▁telephone- ▁counting- ▁rod- atory- cell- ▁pursued- ▁crack- ▁tailor- ▁railroad- ▁shanghai- ▁unprofitable- ▁vintage- ▁wafer- ▁rv- ▁stocking- ▁kpi- view- ▁tree- ▁followon- ett- ▁reforms- ▁tasks- ▁apologize- ▁entitled- ▁library- ▁newspaper- ▁outreach- ▁profound- ▁affirm- ▁enroll- ▁tip- ik- ▁caribbean- ▁indepth- ▁knock- ▁occurrence- ▁venezuela- ▁refineries- ▁cornerstone- ▁handset- ▁catalysts- ▁sport- ▁supplying- ▁rf- ▁marketers- ▁pounds- ▁regimen- ▁appraisal- ▁bakken- ▁counsel- ▁routing- ▁mainland- ▁sections- test- ▁appliances- ▁epi- ▁vest- ▁assignment- ▁stroke- ▁suburban- ▁revaluation- ▁guaranteed- ▁prop- ▁powered- cost- ▁hey- ▁propane- ▁quoting- ▁conform- ▁incurring- ethane- lease- ▁accrued- ▁stone- ▁exits- place- ▁sensible- ▁specified- ▁wifi- gram- ▁ideally- than- ▁cohorts- ▁modeled- ugh- ▁pizza- ▁thousand- ▁railcar- ▁involvement- ▁tourist- ▁sto- ▁fixing- mont- ▁variances- ▁nex- ▁sch- ▁climb- ▁deciding- ▁thailand- ▁patrick- hen- ▁irr- ▁limitation- ▁analyzed- ▁makers- ▁largescale- ▁attractiveness- ▁builder- ▁robotic- ▁basics- ▁progressively- ima- ▁sme- ▁sar- ▁marginally- ening- ▁reshape- ▁italian- ▁tonnes- ▁brent- ▁friendly- ▁officially- ▁rebates- ▁stepup- lia- ▁everybodys- ▁doses- ▁oriented- ▁varies- ▁correlated- ▁settings- ▁reversed- vin- ▁investigators- ita- ▁ol- ▁motivation- ▁simplicity- ▁simulation- ▁fluctuation- step- eon- ▁satellites- ▁distinction- ▁receipts- ▁hunt- ▁sk- ▁ct- ▁convergence- ▁daytoday- ▁integrator- ▁sensing- ▁geared- ▁wouldve- ▁excel- ▁derive- van- ▁converge- ▁sought- ▁dress- ▁stood- ▁trim- tain- ▁runoff- funded- thanexpected- ▁backup- matic- ▁instant- ▁fighting- ▁stringent- ▁algorithm- gel- ▁tires- ▁np- spec- ▁mont- ▁dy- ▁belgium- ▁contingency- ▁vibrant- ▁feedstock- ▁sat- ▁gears- ▁comprise- ▁recycle- ▁sla- ▁chargeoffs- ▁deteriorate- ▁underneath- ▁prosper- ▁trump- ▁safer- ▁refinement- ▁embed- ▁habits- ▁enacted- ▁sticking- ▁neo- ▁ku- ▁cannabis- ▁depot- ▁advisors- store- ▁oe- ▁systemic- ▁visitors- ▁pros- ▁reits- week- ▁beds- ▁onshore- ▁tuesday- ▁wisconsin- ▁orlando- cam- ▁nationally- ▁prevention- ▁hike- ▁attacks- ▁strain- ▁clinics- ▁studios- ▁summarized- ▁telco- class- ▁relocate- ▁desirable- ▁widen- '0'- ▁sn- ▁surveys- ▁underwriter- ▁presumably- ▁retrofit- ▁underwrite- ▁apartments- ▁navigation- ▁antonio- ▁precious- ▁fold- ▁barrier- ▁protocols- ▁discovered- ▁augmented- low- print- ▁overtime- ▁sanction- ▁warehouses- ▁electro- town- ▁failed- ▁leaner- ▁coastal- ▁reactor- ▁kidney- ▁malaysia- ▁attitude- ▁wildfire- ▁stephen- ▁tuned- ▁fin- ▁assisted- ▁intensely- ▁underscores- ▁advocate- ▁keith- ▁reiterating- ▁nuance- ▁ranging- ▁baby- meter- nie- ▁pm- ▁stra- ▁generators- ▁lien- ▁genomic- ▁intuitive- ▁paradigm- ▁bottle- ▁entrepreneurial- ▁orange- ▁loop- ▁swings- logic- ▁standardized- ▁assembl- ▁cord- ▁venues- ▁households- ▁corridor- ▁alarm- disproportionate- works- ▁compounds- ▁behavioral- ▁embark- ▁thankful- ▁newness- ▁schemes- ▁innovator- ▁coordination- ▁summit- ▁grab- ▁leap- ▁accumulated- ▁midsized- ▁pressured- berg- segment- ▁benign- ▁overhaul- ▁resistance- ▁diego- '60'- ▁thin- ▁six- ▁lately- ▁trains- ▁accountable- ▁departure- ▁graduate- ▁nevada- ▁vietnam- ▁favorite- ▁appointed- ▁bonuses- ▁backend- ▁deliberately- ▁borrow- ▁sticky- ▁originate- ▁valuebased- read- ▁striv- ▁dozens- ▁minimizing- ▁brown- ▁wise- ▁borrower- ▁symptoms- ▁catching- ▁explaining- ▁behave- ▁deadline- ▁oak- ▁confirming- ▁oversee- ▁magic- rew- ▁generator- comm- ▁dec- ham- ▁col- ▁arc- ▁edit- mine- ▁permission- ▁sequencing- ▁warning- ▁repeating- ▁paris- ▁cent- ▁doctor- pic- ▁frontline- ▁wars- vant- ▁bars- ▁ranking- ▁tremendously- ▁restrict- ▁scan- ▁cab- ▁nut- ▁imported- ▁cannibalization- ▁choppy- ▁council- ▁surcharge- ▁discounted- ▁randy- ▁fox- ▁outsourced- growth- ▁reconciled- ▁hydrogen- cho- ▁overwhelming- ▁educating- ▁2013- ▁urgent- ▁perceived- ▁tea- ▁mutually- ▁consumed- ▁proceedings- ▁mat- ▁statistical- ▁combat- ▁enrich- ▁harness- ution- ▁mergers- ▁existed- ▁forest- lock- ▁aided- ily- ▁approximate- ▁kar- ▁rolls- corp- ▁entertain- ▁neighbor- ▁philippines- ▁dampen- ▁cabinet- ▁witnessed- ▁pacing- ▁dark- ▁valueadd- ▁duties- ▁automobile- ▁disney- ▁handled- ▁publications- ▁upwards- ▁consumable- ▁suddenly- ▁expression- ▁hell- share- ▁sequence- ▁distort- ▁finger- ▁suitable- ▁measurements- ▁temperature- ▁barrel- ▁referrals- ▁bundles- ▁journeys- ▁abate- ▁flatten- ▁biologics- ▁reserved- ▁snap- ▁magazine- ▁nasdaq- ▁outpatient- ▁platinum- ▁biomarker- ▁child- ▁classification- ▁nickel- ez- ▁benchmarks- ▁vic- ▁convince- cia- ▁amplify- ▁antibiotic- ▁century- ▁concentrating- ▁creativity- ▁underserved- ▁urge- ▁friend- ▁embarked- ▁sands- ▁accessing- ▁ott- ▁navigating- ▁slip- ▁govern- ▁charged- ▁immaterial- ▁swiss- ▁postpone- media- ▁lee- ▁selecting- ▁wash- ▁collaborat- ▁easiest- ▁manhattan- ▁olympics- ▁survive- ▁specialties- ▁sustainably- ▁deepwater- ola- ▁narrowing- ▁keenly- ▁banner- ▁incidents- ▁vertically- ▁catering- ou- ▁flooding- ob- figuring- ▁rev- ▁nonetheless- ▁universities- ▁afterwards- ▁batch- ▁visited- ▁venue- ▁assembled- ▁sean- directtoconsumer- ▁bundling- ▁conservatism- ▁fertilizer- ▁whatsoever- ▁cinema- ▁desk- ▁val- ▁movies- ▁whove- ▁touching- ▁alike- ▁inject- nex- ▁disclosing- ▁fastestgrowing- ▁matthew- ▁satisfactory- invest- ▁wake- ▁sending- ▁incoming- ▁containment- ▁ministry- ▁enduring- ▁synergistic- cha- ▁competency- oid- ▁systematic- ▁death- ▁emphasizing- ▁unparalleled- ▁insured- ▁verification- jo- ▁sessions- ▁saves- ▁impressions- ▁combines- ▁checking- ▁afraid- ▁cellular- ▁drought- ▁ethanol- ▁proppant- ▁spark- ▁revitaliz- ▁garner- ▁commencement- ▁tradeoff- ▁definitions- ▁ties- ▁alliances- ▁interestingly- ▁flavors- ▁commensurate- ▁vector- ▁veteran- ▁disorder- ▁groundwork- ▁consultant- ▁notification- tz- ▁odd- ▁ty- ▁lawsuit- ▁marcellus- ▁moderating- ▁arrow- ▁gun- ▁coin- ▁caps- ▁rem- aries- ▁emergenc- ▁transplant- ▁midsingledigit- ▁shore- ▁hyperscale- ▁bullet- ▁bound- ▁om- ▁packaged- ▁auctions- ▁def- ▁penetrating- ▁multichannel- ▁buck- ▁headroom- ▁formally- ▁directional- ▁breakout- ▁controller- elect- lc- ▁replenish- ▁arrival- ▁cubic- ▁ratabl- ▁campuses- ▁appliance- ino- ▁emerged- fold- ▁kentucky- ▁carries- ▁walked- ▁invent- ▁activate- stat- ▁sufficiently- ▁mt- ▁awaiting- ▁participant- ult- ▁logos- ▁passengers- ▁register- ▁privacy- ▁soybean- ▁suffice- ▁tackling- ▁candidly- ▁height- rtis- ▁landlords- ▁appeals- ▁embraced- ▁gig- ▁tension- first- ▁coincide- ▁egypt- ▁incorrect- ▁creep- ▁wound- ▁highperformance- ▁fallen- ▁article- ▁attended- ▁arr- yn- ▁concert- ▁actuarial- ▁widespread- ▁revert- ▁attachment- ▁boom- ▁catchup- ▁reallocate- ▁impaired- ▁listings- ▁winners- ▁refi- ▁accompany- ▁allowances- ▁tickets- ▁processors- ▁ear- ▁hikes- ▁administer- ▁anecdotal- ▁league- ▁backbone- ▁redeem- ▁presidential- ▁cure- ▁amortize- ▁boy- ▁fruits- ▁adjacenc- ▁certificate- ▁crowd- ▁suspension- ▁tranche- ▁initiation- ▁contrary- ▁stance- ▁intentionally- tar- ▁accessed- ▁trick- ▁airports- ▁confirms- ▁hair- ▁baker- ▁hum- ▁lit- ▁continent- ▁austin- ▁provincial- ▁unplanned- ▁vigilant- ▁pursuan- generative- ▁nodes- ▁terminated- ▁loose- ▁cameras- ▁analytic- nova- ▁kill- ▁datadriven- ▁breach- ▁diagnosis- ▁inception- ▁sponsorship- ▁visa- ▁duc- ▁oilfield- ▁exceeds- ▁restoration- ▁reside- ▁districts- ▁realities- ▁10000- ▁divisional- ▁extensively- ▁curtail- ▁cognitive- ▁cylinders- ▁metropoli- ▁tennessee- ▁abnormal- ▁exhaust- ▁spanish- ▁arising- ▁weakest- ▁prevailing- ▁financed- ▁ceiling- ▁envelope- ▁possess- ▁prevalent- ▁vancouver- ▁unitholder- ▁barry- ▁advantageous- ▁recommended- ▁warmer- ▁outsource- chem- ▁hat- ▁cooling- ▁files- mini- ▁smith- ▁arabia- ▁paramount- overquarter- ▁unwind- ▁buildup- ▁sym- ▁ports- ▁tag- weight- ▁illustrated- ▁aesthetic- ▁respiratory- ▁seismic- ▁wheat- ▁33- ▁missile- ▁municipalities- ▁anytime- ▁cooper- ▁footing- ▁architectures- ▁shopper- mu- idge- ▁squarely- ▁underperform- ▁reliant- ▁unclear- ▁vacant- ▁hesitate- ▁workloads- ▁seventh- ▁markdown- ▁distressed- ▁skewed- ▁featured- ▁modification- ▁resin- ▁rigor- ▁contemplating- ▁tourism- ▁fintech- ▁recycled- ▁reacting- ▁medi- ▁za- ▁likewise- ▁cel- ▁crazy- ▁policyholder- ▁angle- ▁presently- price- ough- ▁clubs- ▁halfway- ▁miami- ▁abroad- ▁digitization- ▁600- ▁army- ▁hole- iff- ▁inevitable- ▁bodies- ▁creek- ▁finland- ▁brew- home- ▁exercises- ▁frontend- ▁cf- ▁disrupted- ▁eco- ▁assessed- like- ▁minerals- ▁unfortunate- making- ▁antenna- ▁faith- ▁referencing- ▁underpinning- ▁initiating- ▁payoffs- ▁bidder- ▁tab- ▁brain- ▁epic- ▁blow- ways- ▁inspire- ▁growers- ▁disadvantage- ▁highmargin- ▁polish- ▁rebalance- ▁tractor- ▁sneak- ▁comfortably- ▁repeated- ▁repeatedly- roll- bio- ▁merge- ▁lam- stage- ▁jointly- ▁dakota- ▁roche- ▁truckload- ▁installment- ▁airplanes- ▁ted- ▁outpac- shop- friendly- ▁architect- ▁cruise- ▁entitlement- ▁exclusivit- ▁jonathan- ▁sampling- ▁teammates- ▁tumors- ▁peso- ▁committing- ▁haul- ▁spa- ▁logistic- ▁shed- ▁incorporates- ▁grants- connect- took- ▁applica- ▁electrification- ▁subsidies- ▁stu- ▁lagging- ▁supermarket- ▁validates- ▁establishment- ▁totality- ▁briefing- rick- ▁tablet- ▁beverages- ▁shoot- ▁triggered- ▁pla- ▁tan- worth- ▁football- ▁unveil- ▁deductible- ▁machinery- ▁sm- ▁bat- ▁mir- ▁repurchas- ▁reinvent- ▁tac- ▁dispatch- ▁reassess- ▁reliably- ▁roaming- ▁scientists- ▁bryan- ▁wrapping- ▁posture- ▁aspirations- located- ▁fred- lling- gro- ▁amendments- ▁chuck- ▁denmark- ▁lunch- ▁tendency- ▁sears- ▁prohibited- ▁encountered- ▁parents- ▁localized- ▁disaster- ▁disasters- ▁smallest- ▁matched- ▁organize- ▁lan- fire- ▁satisfying- ▁alleviate- ▁cardiac- ▁steadfast- ▁oftentimes- ▁hall- ▁traveling- ▁enabler- ▁sharebased- ▁merits- ura- ▁bla- ▁moderniz- count- ▁lessen- ▁ammonia- ▁captive- ▁housekeeping- ▁reluctant- ▁supreme- ▁costsaving- ▁complexities- ▁cancel- ▁inspired- ▁indiana- ▁arrived- ▁versions- ▁deb- ▁technicians- ▁ser- ▁intensify- ▁likeforlike- ▁marktomarket- ▁mechanics- ▁penalty- ▁umbrella- ▁uncover- ▁knowhow- ▁offense- ▁logo- ▁enduser- ▁permitted- ▁dead- ▁respected- ▁installing- ▁norms- ▁simon- grade- ▁setup- ▁tanks- ▁optimum- ▁stuck- ▁quest- ▁harsh- ▁nand- ▁msr- ▁tc- ▁absorbing- ▁acuit- ▁therapeutics- ▁compounded- ▁tightened- lp- ▁golden- ena- generating- ▁english- ▁louis- ▁necessity- ▁safeguard- ▁surveillance- ▁turnkey- ▁interval- ▁farmer- ▁coatings- ▁shutt- ▁citizens- ▁witness- ▁prescriber- ▁expressions- ▁peripheral- ▁responsibly- ▁substance- ▁potash- ▁filtration- ▁radical- ▁writeoff- ▁pathways- ▁viewers- ▁extrapolate- ▁seize- ▁unions- ▁struggled- body- ▁nat- ▁incentivize- ▁articulate- ▁fastgrowing- ▁theoretical- ▁grind- ▁accrue- ▁abilities- ▁longest- ▁lowercost- ▁eva- ▁gil- ▁companywide- through- ▁reprice- residential- ▁breath- ▁yearago- ▁preview- ▁josh- ▁william- equ- ▁admit- ▁trail- ▁mp- ▁introduc- ▁affairs- ▁ceramic- ▁probable- ▁sacrifice- ▁starbucks- ▁abandon- ▁moderately- ▁insert- umab- pass- ▁sounded- ▁permanently- brand- ▁crane- touch- ▁consuming- ▁mandatory- ▁pharmacies- ▁withstand- ▁vince- ▁justice- ▁cogs- ▁customization- ▁subcontractor- ▁exercised- ▁blocking- ▁bankruptcies- ▁hemisphere- ▁resolving- ▁singular- ▁structuring- ▁verizon- ▁cited- ▁headway- ▁logistical- ▁franchisee- tell- ▁cn- ▁admissions- ▁renegotiation- ▁revamp- ▁yourselves- ▁austria- ▁blind- ▁oregon- ▁royal- ▁refurbishment- ▁polymer- ▁brick- ▁pitch- ▁cranes- ▁refunds- ▁budgeted- ▁oled- force- ▁thresholds- ▁advertise- ▁pon- ▁undervalued- ▁backfill- ▁israel- ▁tube- ▁tightness- ▁55- ▁submissions- ▁dennis- ▁disposable- ▁interchange- ▁maritime- ▁overarching- ▁petroleum- ▁reject- ▁bleed- ▁wholly- ▁cc- ▁commissioned- ▁figured- ▁decor- ▁engineer- ▁broadest- ▁relentlessly- band- ▁vesting- ▁yard- ▁articles- ▁treasur- ▁arguably- ▁biometric- ▁rethink- ▁subdued- ▁arbitration- reclassification- ▁static- ▁periodically- ▁bumps- ▁cath- ▁occ- cloud- enabled- ▁binding- ▁cycling- ▁norwegian- ▁senate- ▁sophistication- ▁swedish- ▁telematics- ▁waiver- ▁ethylene- ▁dense- ▁tide- ▁peru- range- ▁pot- rel- facing- ▁perceive- ▁prep- ▁altogether- ▁featuring- ▁jerry- ▁philadelphia- ▁orphan- ▁assert- position- ▁atlas- ▁nda- logists- ▁abstract- ▁bureau- ▁earliest- ▁repatriation- ▁instructions- ▁sunday- ▁replenishment- ▁anomaly- ▁dominated- ▁customerfacing- ▁flattening- istic- ▁conservatively- ▁mary- ▁christi- ▁continual- '5000'- ▁fulfilling- ▁elevating- ▁rotation- ▁spectacular- ▁controllable- ▁betting- ▁onwards- ▁fedex- ▁mom- ▁dent- ▁tm- rich- ▁implication- ▁santa- ▁brickandmortar- ▁orientation- ▁giant- ▁pac- ▁virtue- ▁feebased- ▁delaying- cular- ▁swift- ▁shoes- ▁discern- ▁imbalance- ▁oversupply- ▁winwin- ▁sedar- ▁redirect- ▁alloy- ▁interconnection- unit- vy- ▁matches- ▁vein- forward- ▁lodging- ▁microphone- ▁unnecessary- ▁stockpile- ▁hook- ▁viability- ▁coordinated- ▁coil- ▁specifications- ▁travelers- ▁solved- ▁prioritized- ort- health- ▁boosted- ▁disappear- ▁cisco- ▁interview- ▁earth- ▁paydown- ▁versa- ▁compressed- ▁taper- ▁compounding- ▁landlord- ▁howard- ▁nerve- ▁spinoff- ▁biology- ▁reimbursed- ▁expiring- ▁nonperform- ▁standardization- ▁85- ▁tablets- ▁narrowed- ▁leaning- ▁biosimilar- ▁commoditiz- ▁connecticut- ▁untapped- ▁reconfigur- ▁matrix- ▁verify- ▁curtailment- ▁physically- ▁contra- ▁emission- ▁zo- ku- ▁prediction- ▁furnace- ▁immense- ▁drift- ▁painful- ▁terry- ▁lyn- ▁nearby- ▁bang- ▁harvesting- ▁yards- ▁dso- ▁holes- ▁palm- ▁blending- ▁closest- ▁cultivate- ▁ignore- ▁imminent- ▁inevitably- ▁obstacle- ▁cardiovascular- ▁stemming- ▁zinc- ▁panama- ▁favorability- ▁syndicated- ▁ow- ▁tooling- ▁tune- loaded- '80'- ▁hd- ▁placebo- ▁ef- ▁struck- ▁intersection- ▁48- ▁tempered- ▁wearable- ▁unrelated- ▁signaling- ▁korean- ▁aspiration- ▁steward- ▁feeding- ▁aforementioned- ▁narrative- ▁pandora- ▁pentup- ▁synthetic- ▁disappointment- ▁android- ▁philip- ▁rationalizing- ▁accompanied- ▁hourly- ▁emphasized- ▁migrated- ▁lapse- sproportionately- ▁biological- company- ▁contemporary- ▁deviation- ▁injuries- ▁lloyd- ▁reshaping- ▁undoubtedly- ▁unwavering- ▁burger- ▁flowthrough- ▁organ- ▁boats- ▁propose- ▁skew- ▁consortium- ▁jennifer- ▁shelves- ▁thanksgiving- ▁twitter- ▁fusion- ▁overlay- ▁supplied- ▁mother- ▁reorder- ▁rio- ▁imposed- ▁portable- ji- cept- ▁spo- ▁confidential- ▁surprisingly- space- ▁officials- ▁bolstered- hanging- ▁rp- ▁underline- ▁fiduciary- ▁rhythm- ▁paypal- ▁congratulations- ▁solicitation- ▁polar- ▁mapping- ▁landmark- ▁lucky- ▁unfolds- ▁canceled- ▁invited- ▁weaknesses- ▁pete- ▁sheer- ▁procure- ▁inspiration- ▁2012- ▁varied- ▁wrapped- ▁intimate- ▁romania- ▁indices- ▁broadened- ▁aspire- cade- ▁mold- ▁victory- ▁intentional- ▁deductions- rix- ▁blade- ▁pocket- ▁lc- ▁declare- ▁asphalt- ▁calculating- ▁occupied- ▁iphone- ▁smoke- ▁cybersecurity- ▁spill- ▁transferring- ▁instrumentation- ▁concurrently- ▁adopters- ▁md- ▁airplane- ▁cope- ▁staffed- ▁compromising- ▁ebay- ▁observing- ▁leak- ▁strat- ▁cater- ▁65- ette- ▁condo- ella- rock- ▁rand- ▁oc- ▁discretion- ▁disagree- ▁affinity- ▁degradation- ▁mississippi- ▁owe- uff- ▁distribut- ▁notified- ▁bc- ▁broke- ▁scenes- ▁kim- ▁tape- lining- ▁annuities- ▁ballpark- ▁dermatolog- ▁speculative- ▁striking- ▁stuart- ▁twin- ▁checkpoint- ▁gla- ▁excessive- ▁thoroughly- ▁megawatts- ▁richer- ▁plain- ▁clip- berry- ▁refreshed- ▁bottleneck- ▁credential- ▁nervous- ▁vegetable- ▁kelly- ▁outlay- ▁gray- ▁occasionally- ▁highvolume- ▁fitting- ▁rebranding- ▁activated- ▁creditors- ▁summariz- ▁isolate- ▁cosmetic- ▁reevaluate- ▁vascular- ▁trace- lake- wall- ▁nearest- ▁acquirer- ▁levered- ▁eating- ▁winner- ▁cigarette- ▁collapse- ▁confused- ▁scrubber- ▁tunnel- ▁assigned- ▁flush- ▁maria- ▁colon- ▁tel- ▁passage- ▁graphics- ▁stewards- ▁lump- person- ▁commonly- ▁gallons- flex- ▁elasticity- ▁specification- ▁specificity- ▁earnout- ▁interacting- dale- ▁cv- ▁virgin- ▁accelerator- ▁companion- ▁confusing- ▁dutch- ▁laboratories- ▁leather- ▁predicated- ▁emotional- ▁quo- ▁ppa- ▁speakers- developed- away- ▁automating- ▁colocation- ▁contingencies- ▁credible- ▁landfill- ▁scrutiny- ▁console- ▁hallmark- ▁prescribing- ▁systematically- ▁pullback- ▁competence- ▁enrolling- ▁instruct- ▁correlate- zi- ▁earthquake- ▁sunrise- ▁wrote- ▁exponential- ▁indoor- ▁drone- ▁reactivation- gl- ▁industrywide- ▁readers- ▁aged- ▁resident- ▁deduction- ▁reorganiz- ▁redefine- ▁charlotte- ▁circulation- ▁influencing- ▁marriott- ▁weakened- ▁backwards- ▁drew- ▁nc- ▁sage- ▁recruited- ▁prevail- ▁designation- ▁encounter- trans- intensive- watch- ▁blockchain- ▁boutique- ▁missioncritical- ▁quartile- ▁rubber- ▁speech- ▁transitory- ▁automatic- ▁denominator- ▁spur- ▁distracted- ▁todate- ▁diagnosed- ▁buses- ▁shy- ▁noble- ▁passes- ▁penetrated- ▁oh- ▁adherence- ▁estimation- ▁lincoln- ▁monetary- ▁preservation- ▁stimulation- ▁drain- ▁nashville- ▁rack- ▁amend- ▁declared- ▁viewpoint- ▁distributing- ▁hunting- ▁lifted- ▁reserv- ▁upturn- ▁ener- ▁enforce- ▁devastating- ▁independence- ▁multitude- ▁nowhere- ▁avoiding- ▁knee- ▁presume- ▁commend- ▁auditors- ▁avid- ▁accepting- ▁successor- ▁weighed- tek- ▁circumstance- ▁rebate- science- ▁nurses- ▁estimating- ▁fundraising- ▁gratitude- ▁hydraulic- ▁nafta- ▁anthem- ▁writedown- ▁layout- ▁warehous- ▁suspended- ▁stacked- ▁risen- '90'- ▁terminate- system- ▁evan- group- ▁junior- ▁phrase- ▁poultry- ▁repaid- ▁easing- ▁render- ▁toptier- ▁quantified- ▁scrapping- ▁attempting- burg- ▁rightsize- ▁wholesalers- ▁poll- ▁npl- ▁subside- ▁quoted- ▁mic- ▁genesis- tinib- ▁debit- ▁bike- ▁carol- ▁expired- ▁800- ▁coke- ▁thomas- ▁utica- ▁amenities- ▁airbus- ▁retrospective- ▁breakfast- ▁chair- ▁customercentric- ▁stating- ▁repurpos- written- ▁alcohol- ▁columbus- ▁gratifying- ▁inconsistent- ▁pellet- ▁rebroadcast- ▁yellow- ▁distill- ▁bowl- ▁uneven- ▁pulse- ▁sponsored- ▁hero- ▁granularit- ▁explicit- ▁nonoperat- ▁helicopter- ▁puzzle- ▁thursday- ▁mattress- ▁ebb- dium- ▁classroom- ▁05- ▁rigid- ▁nail- ▁cracker- ▁reorganized- ▁freeze- ▁lining- ▁dun- ▁remodeling- ▁origin- ▁designers- ▁judicious- ▁longevity- ▁nigeria- ▁singlefamily- ▁studied- ▁idaho- ▁antibody- ▁maryland- ▁tampa- ▁marty- ▁carryover- ▁exacerbated- ▁seal- ▁steri- ▁needless- ▁categorize- ▁duplicate- ▁insulation- ▁omidria- ▁propensity- ▁redundant- ▁shipyard- ▁anxious- ▁investigate- ▁minister- ▁originating- ▁bird- ▁acid- ▁accommodation- ▁divided- ▁compressor- ▁diy- ▁franc- ▁backoffice- ▁frustrating- ▁granite- ▁irrigation- ▁juncture- ▁iowa- ▁virus- ▁watt- ▁latestage- ▁hello- ▁remiss- ▁bt- ▁advertiser- ▁luck- ▁benchmarking- ▁abundant- ▁ambulatory- ▁condensate- ▁conversely- ▁dashboard- ▁netflix- ▁supervisor- ▁sidelines- ▁tailings- ▁allied- ▁hate- scape- ▁harmon- vel- ▁constellation- ▁empire- ▁feasible- ▁negligible- ▁outbound- ▁portugal- ▁preclude- ▁settling- ▁headset- ▁portland- ▁recur- ▁ram- ▁readout- jet- weighted- ▁entrepreneurs- ▁qualifying- ▁advisor- ▁700- ▁diet- ▁subsidy- ▁fierce- ▁conceptual- ▁motorcycle- ▁mount- ▁recast- ▁nash- ▁frontier- iq- ▁proportional- ▁customize- ▁concurrent- ▁mro- ▁accumulation- ▁beneficiary- ▁calgary- ▁hudson- ▁jamie- ▁restoring- ▁heels- ▁fre- ▁foodservice- ▁karen- ▁5000- ▁aaron- ▁illustration- ▁boss- ▁rally- ▁envi- ▁mb- ▁practically- ▁graphic- uel- ▁37- ▁150- ▁exhibited- ▁noncontroll- ▁sync- ▁refinanced- ▁nano- ▁arkansas- ▁balloon- ▁caveat- ▁village- ▁daniel- ▁oracle- ▁boundaries- ▁comcast- recapitalization- ▁maxim- ▁stopping- ▁rightsizing- ▁formular- ▁coating- awa- ▁scar- ▁educated- '70'- hill- ▁accu- rent- ▁obligat- ▁etf- ▁cleveland- ▁expansive- ▁hyatt- ▁pointofsale- ▁sandwich- ▁susan- trend- ▁timber- ▁prostate- factor- ▁arch- ▁concerted- ▁chem- ▁severely- label- ▁syndicate- ▁displace- ▁constituent- ▁czech- ▁rehabilitation- ▁recoup- ▁relax- ▁discharge- ▁monster- ▁plot- ▁methodolog- ▁bdc- ▁immuno- ▁overwhelmingly- ▁lengthy- ▁denominat- ▁cotton- ▁irrespective- ▁nonaccrual- ▁refranchising- ▁plateau- ▁dirt- ▁glenn- ▁marin- ▁johnson- ▁renovated- tron- track- ▁respectively- ▁validat- ▁sb- ▁afforded- ▁fragrance- ▁immunooncology- ▁lingering- ▁stellar- ▁syndication- ▁welcoming- ▁nominat- ▁substitution- ▁stan- ▁refill- ▁loe- center- tronics- look- selling- craft- ▁born- ▁academy- ▁athletic- ▁entail- ▁exclusion- ▁mutation- ▁preceding- ▁substantive- ▁brake- ▁julie- ensification- ▁gathered- ▁constrain- ▁habit- ▁reacted- ▁subscribe- ▁stagger- ▁expedite- ▁cease- ▁crossover- ▁persistence- ▁checkout- ▁insulated- ▁onset- ▁ul- ▁restated- ▁ranked- ▁amortiz- income- ▁apollo- ▁fossil- ▁identical- ▁leach- ▁lowermargin- ▁registry- ▁sacrificing- ▁utmost- ▁vacuum- ▁jean- ▁abuse- ▁macys- ▁temper- ▁statistically- drawn- ▁appreciative- ▁mentality- ▁procedural- ▁sydney- ▁pork- ▁azure- ▁shield- ▁injectable- ▁alive- ▁thermo- ▁pave- ▁neil- pla- ▁hone- ▁sporting- branded- ▁redo- working- genic- bell- ▁decommission- ▁nurture- ▁selfservice- ▁capita- ▁authentication- ▁hint- ▁expedited- ▁tying- ▁38- ▁fracture- ▁derisking- ▁employing- ▁fulfilled- ▁commercializing- ▁ameri- ▁transmit- break- ▁random- dequacy- ▁crossborder- ▁educator- ▁inclined- ▁samsung- ▁insulin- ▁inquiry- setting- ▁prescribed- ▁skip- ▁compress- ▁die- ▁coordinate- ▁anthony- ▁beijing- ▁counterparties- ▁festival- ▁nielsen- ▁proliferation- ▁subordinate- ▁staple- ▁thick- ▁boiler- ▁precedent- ▁timetable- ▁digging- ▁foothold- ▁contest- ▁tableau- ▁receptive- ▁hip- ▁explicitly- ▁salesforce- ▁shooting- ▁commenc- abilities- trade- ▁administrator- ▁congestion- ▁detriment- ▁episode- ▁hesitant- ▁hygiene- ▁scarcity- ▁smelter- ▁turmoil- ▁waterfall- ▁sweep- ▁standardize- ▁ranch- ▁advent- ▁smb- ▁influencer- utter- ▁95- ▁motivate- ▁accustomed- ▁chassis- ▁invaluable- ▁reestablish- ▁situated- ▁stimulus- ▁tandem- ▁volunteer- ▁prioritization- ▁compass- ▁scanner- ▁firewall- ▁blackstone- ▁crest- ▁cardio- ▁accessory- more- ▁steering- ▁cow- ▁marlin- ▁retired- ▁curate- ▁dean- ▁repo- ▁turk- ▁alternate- ▁analyses- ▁dialysis- ▁intensified- ▁penalties- ▁sensitivities- ▁worthwhile- ▁hazard- ▁remarkably- ▁blackrock- ▁agnostic- ▁cooperative- ▁lengthen- ▁steven- ▁formulate- ▁pv- ▁funeral- ▁ladder- ▁pinnacle- ▁postacute- ▁snapshot- ▁titanium- ▁brandnew- ▁shallow- ▁halo- ▁crown- zone- ▁railway- ▁slated- ▁await- ▁steer- ▁20000- yield- script- ▁caliber- ▁devoted- ▁eighth- ▁mouth- ▁postpaid- ▁aggregation- ▁cliff- ▁responsiveness- ▁string- ▁kin- ▁jones- ▁toughest- ▁char- ▁restored- ▁poster- ▁melt- ▁illustrat- ▁insider- mitted- ▁renovat- ▁renegotiate- ▁dinner- ▁reengineer- ▁thumb- ▁taxpayer- ▁arbitrage- ▁tipping- ▁stripping- ▁tapping- ▁mood- ▁dick- hub- sphere- ▁accumulate- ▁backtoschool- ▁orthopedic- ▁outweigh- ▁suppress- ▁reclassifie- ▁interestbearing- ▁choppi- ▁jackup- ▁popularity- ▁discoveries- hawk- ▁pam- ▁reallocat- ▁vulnerable- ▁sincerely- ▁trauma- ▁fellow- ▁warner- ▁capped- ▁seven- ▁centric- ▁earnest- ▁inspect- ▁pose- petition- ▁leaseup- ▁outgrow- volt- ▁digitize- ▁dedicate- ▁discontinue- ▁depreciate- ▁lithium- ▁philosophical- ▁framing- ▁cheese- ▁vending- ▁chegg- ▁clock- ▁purposeful- ▁cleanup- ▁knowledgeable- ▁cooperate- ▁cooler- ▁compliment- ▁dispense- ▁mathematical- ▁perimeter- ▁ralph- ▁retiring- ▁utah- ▁birth- ▁remediate- ▁laserfocused- ▁iteration- ▁tenet- ▁wisely- ▁renegotiated- ▁routinely- ▁nr- ▁buyout- code- ▁redesigned- ▁flor- ▁incent- ▁grocer- process- structure- ▁destiny- ▁underpenetrated- ▁busiest- ▁forthcoming- ▁virtuous- ▁plaza- ▁racing- eye- ▁3000- ▁payoff- ▁ortho- ▁merged- ▁inhibit- ▁vista- ▁watches- ▁deducti- charge- profit- energy- wind- ▁chemotherapy- ▁entrance- ▁facilitating- ▁happier- ▁legislature- ▁timeframe- ▁vacancies- ▁bargain- ▁lobby- ▁tokyo- ▁slope- ▁cedar- ▁specify- ▁protest- ▁roster- ▁voting- ▁withdrawal- ▁reallocation- ▁standby- ▁vale- ▁earlystage- ▁redevelop- ▁hp- ▁pest- front- ▁insist- beat- ▁alabama- ▁empty- ▁endorsement- ▁examining- ▁experiential- ▁rainfall- ▁separating- ▁iridium- ▁wellbeing- ▁liber- ▁recreational- ▁connector- ▁barge- ▁highgrade- ▁designated- ▁liquidate- ▁yo- action- ▁cpg- ▁suspend- ▁genuine- active- heim- utilized- ▁sma- ▁advocacy- ▁antibodies- ▁conservation- ▁hydrocarbon- ▁mismatch- ▁oxygen- ▁refractor- ▁unfair- ▁disability- ▁downgrade- ▁cabin- iston- ▁bolt- ▁120- suite- ▁enzyme- ▁hilton- ▁offensive- ▁testimony- ▁clothing- ▁restocking- ▁beacon- ▁defect- ▁nurse- ▁tal- ▁mixture- ▁dish- ▁activat- ▁pp- ▁citi- period- ▁inroads- ▁kroger- ▁vigorously- ▁2011- ▁pushback- ▁protective- ▁traders- ▁barn- ▁midsize- ▁increment- competitive- ▁fabulous- ▁hospice- ▁nitrogen- ▁practitioner- ▁restatement- ▁robinson- ▁segregat- ▁unconventional- ▁girl- ▁pbm- ▁instill- ▁loud- ▁characteristic- ▁realistically- ▁headquarter- ▁furnished- ▁highperforming- ▁amid- ▁flagged- ▁haynes- ▁problematic- ▁scoop- ▁sovereign- ▁voyage- ▁merely- ▁pinpoint- ▁prepay- ▁dependence- ▁marry- ▁lions- ▁superiority- megawatt- ▁excite- ▁jeremy- ▁refrigerated- ▁turbo- ▁unreasonable- ▁humble- ▁infant- ▁baking- ▁divert- ▁lte- ▁sharper- ▁colder- ▁monotherap- ▁consult- ▁correspond- ▁reinvigorate- platform- producing- order- check- resistant- ▁culinary- ▁flawless- ▁inherited- ▁nontraditional- ▁remeasurement- ▁wellknown- ▁winnebago- ▁revising- ▁lagged- ▁depict- ▁juice- ▁hypothesis- ▁dwell- ▁publisher- ▁reuse- hole- ▁heck- consolidated- built- prime- ▁depletion- ▁secondarily- ▁mlp- ▁weapon- ▁swiftly- ▁softened- ▁mil- ▁rainy- ▁blast- ▁coat- ▁expose- ▁furnish- wire- ▁bacteria- ▁baseball- ▁oxide- ▁prestigious- ▁stranded- ▁vantage- ▁slice- ▁thread- ▁michelle- ▁deduct- defined- ▁farther- ▁exhibition- scope- ▁bloom- ▁destroy- ▁plumbing- ▁reconsider- ▁unleash- ▁scanning- ▁parse- ▁clay- ▁personalize- neutral- ▁frustration- ▁highspeed- ▁targa- ▁kirk- ▁rescue- ▁subsidize- ▁steal- ▁mentor- ▁harris- ▁aspirational- ▁resale- borne- ▁deter- ▁pine- transmission- ▁onprem- ▁carriage- ▁invitation- ▁peace- ▁reconciling- ▁saturday- ▁selfhelp- ▁sulfur- ▁triumph- ▁escalate- ▁viral- ▁ethical- ▁ibm- ▁cameron- ▁sizing- ▁instantly- ▁creators- prong- ▁bull- ▁reaccelerat- ▁refurbish- ▁nascar- ▁retroactive- ▁unforeseen- ▁remix- ▁coding- ▁blueprint- ▁merging- ▁roast- arity- ▁existence- ▁resist- ▁assistant- ▁shaw- ▁technique- ▁genuinely- fast- ▁mobilize- ▁victoria- ▁interventional- axis- ▁soften- ▁tile- ▁attribution- ▁blockbuster- ▁insignificant- ▁literature- ▁qualities- ▁steroid- ▁terribly- ▁copies- ▁intercept- ▁welding- ▁tricky- sky- ▁scrip- ▁tec- munications- ▁nutritional- ▁nii- ▁tradition- economic- ▁kiosk- ▁pfizer- ▁unsustainabl- ▁buoy- ▁copyright- ▁elite- ▁rebuilt- ▁fcc- ▁midway- ▁sba- ▁offprice- plex- ▁distress- digit- appropriate- ▁interopera- ▁incidence- ▁jordan- ▁slippage- ▁calibrate- ▁shaft- ▁textile- ▁discontinuation- ▁confidentiality- ▁dump- ▁dropdown- ▁realworld- ▁chargeoff- ▁compact- ▁surround- ▁biopharma- ▁brilliant- ▁groundbreaking- ▁halloween- ▁microbiome- ▁migraine- ▁politics- ▁prestige- ▁pyramid- ▁synchroniz- ▁catheter- ▁advertisement- ▁revolutionary- ▁bread- ▁centre- ▁shoe- ▁parity- ▁withdraw- ▁albert- ▁50000- regulated- function- ▁acknowledging- ▁admittedly- ▁editorial- ▁mercury- ▁pragmatic- ▁stainless- ▁irrational- ▁illumina- ▁tmobile- ▁pullthrough- ▁classify- ▁highyield- ▁stockholder- ▁broadcasters- ▁fisher- ▁taco- ▁dilute- ▁deficiency- ▁influx- ▁occupy- ▁rehab- ▁reinsurer- ▁carpet- ▁hypothetical- ▁recalibrat- ▁lottery- ▁dyna- ▁marcus- ▁outlier- ▁reversion- ▁visitation- ▁guideline- stack- ▁peg- ▁bubble- ▁buffalo- ▁myriad- ▁bancorp- ▁leakage- ▁firing- ▁redeployment- ▁pole- smart- ddle- ▁epa- ▁basketball- ▁cohesive- ▁curriculum- ▁false- ▁greece- ▁lowmargin- ▁taylor- ▁unbelievabl- ▁tesco- ▁cascade- ▁darren- ▁clause- ▁hung- ▁strange- ▁tiny- ▁mediumsized- ▁irish- ▁professionalism- ▁adaptive- ▁stride- ▁joel- ▁aggregator- ▁redistribut- ▁probe- ▁bath- ▁remark- ▁chamber- ▁collision- ▁pervasive- ▁uncommon- ▁footnote- ▁youtube- ▁sick- ▁latency- ▁colleague- ▁extraction- motion- high- ▁msa- ▁antitrust- ▁asiapacific- ▁consummate- ▁hampered- ▁impediment- ▁receptor- ▁socalled- ▁plasma- ▁promo- ▁redundancy- ▁affo- ▁lenses- ▁gut- ▁immunotherap- ▁tall- ▁reactivate- ▁abundance- ▁acquisitive- ▁autumn- ▁cologuard- ▁infotainment- ▁refrigeration- ▁veterinary- ▁behaving- ▁diving- ▁booth- ▁halt- ▁radiation- ▁lisa- sense- ▁restriction- ▁revers- post- spoke- ▁underscor- ▁vocal- mobile- ▁charlie- ▁exterior- ▁hidden- ▁locomotive- ▁maturation- ▁cardinal- ▁orleans- ▁remedy- ▁traits- ▁instability- ▁originator- ▁marvel- ▁manpower- ▁quint- ▁heartland- rgus- ▁edition- ▁christian- ▁fractur- ▁divide- ▁glen- ▁ambassador- ▁arriving- ▁believing- ▁beneficiaries- ▁democrat- ▁detroit- ▁mortar- ▁turbulence- ▁dismiss- ▁geological- ▁seemingly- ▁pathogen- ▁tyler- ▁fireeye- ▁adhere- ▁lifo- ▁greenhouse- ▁opec- ▁hva- brook- ▁rework- ▁prohibit- ▁biomass- ▁costcutting- ▁excise- ▁proposing- ▁bunker- ▁fault- ▁brett- ▁cheapest- ▁garage- pharm- ▁yu- '06'- ▁buzz- ▁census- ▁delineation- ▁dependency- ▁evergreen- ▁exercising- ▁interference- ▁patterson- ▁referendum- ▁simplifies- ▁ninth- ▁recurrent- ▁campbell- ▁debut- ▁confront- ▁cream- ▁retin- nanometer- ▁photograph- ▁raj- ▁dominate- direct- ▁persistenc- ▁decentralized- ▁dissipate- ▁episodic- ▁latam- ▁mosaic- ▁petrobras- ▁resumption- ▁syndrome- ▁fixtures- ▁randomized- ▁reconstruction- ▁quant- ▁reinvention- leading- ▁simultaneous- ▁chocolate- ▁dangerous- ▁deteriorating- ▁inflammation- ▁laundry- ▁midatlantic- ▁parliament- ▁retool- ▁renal- ▁tolerance- ▁pollution- ▁timberland- operative- ▁ferro- ▁vitality- sharing- bury- ▁accessibility- ▁celebrating- ▁female- ▁frequencies- ▁hollywood- ▁relocating- ▁hinder- ▁spray- ▁leadingedge- ▁transpire- ▁goodbye- ▁macau- ▁poker- ▁eplex- ▁lapped- ▁wow- ▁juan- ▁insurer- ▁dell- ▁configure- ▁pile- ▁anomal- central- ▁phenomena- ▁appalachia- ▁cobalt- ▁cocacola- ▁lucrative- ▁slipped- ▁westinghouse- ▁vinyl- ▁organizing- ▁apex- ▁swim- ▁reactive- contract- supplied- ▁mitch- ▁attorney- ▁compatible- ▁conducive- ▁disparate- ▁explosive- ▁morris- ▁multifaceted- ▁wellestablished- ▁nucor- ▁displacement- ▁lauren- ▁noticing- ▁dust- ▁admission- ▁etsy- ▁biologic- ▁tear- ▁equip- ▁rocket- development- ▁criticized- ▁cuttingedge- ▁facilitator- ▁inaugura- ▁longhaul- ▁preempt- ▁prolific- ▁relapse- ▁unacceptable- ▁watson- ▁wyndham- ▁obsess- ▁overcoming- ▁vacate- ▁expare- ▁sensi- ▁recontract- ▁submitting- ▁aisle- ▁feat- ▁statistic- ▁heali- ▁30000- enhancing- ▁biopsy- ▁dublin- ▁exemplifie- ▁implicit- ▁peanut- ▁shadow- ▁submarine- ▁lawyers- ▁tubing- ▁misleading- ▁florence- ▁paving- ▁intermediary- ▁reagent- ▁thriving- ▁spanning- ▁dolby- ▁sweetener- ▁sweat- ▁alluding- ▁consultative- ▁drastically- ▁scarce- ▁merck- ▁resell- ▁peel- authorized- ▁contiguous- ▁counterparty- ▁decoupl- ▁desperate- ▁entrust- ▁examination- ▁hindsight- ▁remunerati- ▁valuecreation- ▁veterinarian- ▁walter- ▁wednesday- ▁whiskey- ▁knit- ▁expeditious- ▁linkage- ▁ltl- ission- ▁handicap- ▁bake- ▁ecom- ▁stead- foot- ▁faculty- ▁insufficient- ▁magnetic- ▁modalities- ▁quantification- ▁rotate- ▁correspondent- ▁farmland- ▁ccar- billed- ▁citizen- ▁culminat- ▁affluent- ▁amplified- ▁fibrosis- ▁inaccurate- ▁microchip- ▁resurgence- ▁stadium- ▁susceptible- ▁volkswagen- ▁coalition- ▁grasp- ▁unused- ▁ross- ▁moodys- ▁vault- ▁culmination- ▁canyon- ▁5050- ▁copay- ▁teva- ▁collaborator- ▁interrupt- grid- ▁ammunition- ▁celebration- ▁dispensing- ▁injunction- ▁nutrient- ▁phosphate- ▁predecessor- ▁splunk- ▁aftermath- ▁viewership- ▁delineate- ▁smile- ▁admin- ▁twofold- ▁crisp- tegra- ▁blip- eep- ▁locate- ▁definite- ▁wan- credit- ▁flotek- ▁henry- ▁adobe- ▁journalism- ▁kona- ▁inverse- ▁investigator- aze- ▁expedit- claim- ▁disturb- ▁equilibrium- ▁everchanging- ▁identifies- ▁nonstrategic- ▁triferic- ▁southeastern- ▁contend- ▁tolerated- ▁illegal- ▁focal- ▁lids- ▁dataset- ▁void- ▁gat- ngest- employ- screen- sheet- ▁bracket- ▁brokerdealer- ▁chipotle- ▁cushing- ▁exemption- ▁keppel- ▁omnipod- ▁propulsion- ▁prudence- ▁tournament- ▁sauce- ▁equate- ▁indebted- ▁suggestions- xcel- ▁imagery- ▁reoccurr- ▁cede- ▁revolve- ▁argentin- collect- ▁arrange- ▁compensating- ▁debenture- ▁formidable- ▁kratos- ▁police- ▁toxicity- ▁vitamin- ▁template- ▁valuing- ▁relieve- ▁dtc- ▁drawdown- ▁hack- glass- ▁shine- ▁iterate- scribed- ▁reimag- ▁biopharmaceutic- ▁brookfield- ▁clarified- ▁commonwealth- ▁hampshire- ▁influential- ▁protracted- ▁reassure- ▁resolute- ▁rotating- ▁styren- ▁alpine- ▁cultivating- ▁finite- ▁tommy- burn- ▁multiproduct- enberg- ▁nap- ▁noncomp- ▁decelerate- rrell- ▁rebrand- world- ▁michel- ▁immersive- ▁intermediaries- ▁methanol- ▁microcontroller- ▁overshadow- ▁reconfirm- ▁recurrence- ▁residence- ▁hungary- ▁tutor- ▁mobilization- ▁secretary- ▁duplication- ▁cake- ▁enact- ▁stakeholder- arables- ▁famous- ▁infringement- ▁marquee- ▁mezzanine- ▁oxford- ▁renegotiating- ▁attendee- ▁tilt- ▁jose- ▁linda- ▁decelerat- capitalized- ▁alumina- ▁approving- ▁consolidator- ▁elevation- ▁kathy- ▁offpremise- ▁pledge- ▁redetermination- ▁unintended- ▁honda- ▁punch- ▁multiply- ▁tuning- ▁cryo- ▁crystallize- ▁berlin- ▁forrester- ▁wellbore- ▁laura- ▁reimagine- ▁chatter- ▁cube- udge- ▁mario- ctive- earning- ▁autonomy- ▁expensing- ▁invoicing- ▁multimillion- ▁voucher- ▁acoustic- ▁craftsman- ▁remedies- ▁shelter- ▁britain- ▁deviate- ▁fastener- ▁montana- '500'- resuming- ▁atmosphere- ▁caustic- ▁consignment- ▁criminal- ▁infectious- ▁legitimate- ▁uranium- ▁scoring- ▁erode- ▁hungry- ▁ruble- ▁mint- organically- ▁harmonize- ▁cobrand- constrained- business- engine- ▁catastrophic- ▁circular- ▁finetune- ▁obsolete- ▁occupier- ▁securitize- ▁pruning- ▁surgeries- ▁sequel- ▁diameter- ▁combo- ▁technician- treated- ▁impair- ▁occupanc- ▁ethic- ▁drastic- ▁brothers- ▁celebrity- ▁deemphasiz- ▁destruction- ▁explosion- ▁freddie- ▁qualcomm- ▁scatter- ▁backhaul- ▁investigating- ▁encore- ▁geology- dollar- ▁victor- ▁subcontract- ▁receptiv- ferred- target- ▁eligibility- ▁energies- ▁entries- ▁expend- ▁gravitat- ▁ignite- ▁mifid- ▁refrain- ▁savvy- ▁terrible- ▁bondholder- ▁chlor- ▁aerial- ▁cattle- ▁potent- ▁exert- volume- managed- ▁averaging- ▁awesome- ▁cincinnati- ▁deficiencies- ▁delinquent- ▁knight- ▁varieties- ▁elegant- ▁flesh- ▁ourself- ▁theatrical- ▁subtract- ▁grace- ▁textbook- ▁elongat- ▁lull- structive- ground- ▁alzheimers- ▁coherent- ▁combustion- ▁franchising- ▁instagram- ▁prebuy- ▁requisite- ▁triangle- ▁wyoming- ▁reacceleration- ▁ltac- adjusted- mount- ▁grip- ▁computation- ▁accumulating- ▁carpenter- ▁cartridge- ▁escalating- ▁himself- ▁neurology- ▁trinity- ▁unmanned- ▁wolfcamp- ▁yeartoyear- ▁ubiquitous- ▁aetna- ▁blanket- capital- ▁solicit- ▁anxiety- ▁frankfurt- ▁judicial- ▁melbourne- ▁recompete- ▁tubular- ▁tuition- ▁zika- ▁custodia- ▁medallion- ▁socket- ▁repeal- ▁joseph- ▁panther- ▁verified- manufactur- ▁adhesive- ▁cockpit- ▁denim- ▁minneapolis- ▁multiplier- ▁substrate- ▁wisdom- ▁citrus- ▁esports- ▁brink- ▁inflated- ▁overrid- ▁retreat- ▁diagnose- ▁allegations- ▁brookdale- ▁derby- ▁edmonton- ▁marathon- ▁nowadays- ▁populated- ▁recipient- ▁roadshow- ▁seafood- ▁yelp- ▁diplomat- ▁envisage- ▁haptic- ▁handbag- ▁nokia- ▁relies- itude- ▁dominic- midst- ▁articulat- normal- ▁addiction- ▁deutsche- ▁explorator- ▁hiccup- ▁honeywell- ▁immigration- ▁mainframe- ▁metabolic- ▁compelled- horn- dependent- ▁appreciating- ▁confluence- ▁corrugated- ▁gambling- ▁inexpensive- ▁malibu- ▁pakistan- ▁privatization- ▁scandinavia- ▁unaudit- ▁orchard- ▁serial- ▁preleasing- ▁quebec- ▁societies- ▁wherewithal- ▁prince- ▁daytona- ▁trustees- ▁forensic- ▁fortify- ▁coronary- ▁sunset- ▁unrest- ▁immunolog- ▁distract- ▁appoint- quarteronquarter- ▁candid- represented- impact- ▁certify- ▁condominium- ▁coworkers- ▁epidemic- ▁gigabit- ▁kuwait- ▁sleeve- ▁turbulent- ▁verdict- ▁voltage- ▁upswing- ▁precede- ▁bridg- graphic- ▁fanni- ▁overwhelm- typical- ▁fascinating- ▁hurry- ▁impetus- ▁kilometers- ▁monarch- ▁orchestration- ▁politicians- ▁preopening- ▁repatriate- ▁stoppage- ▁tragic- ▁versatility- ▁enzo- ▁zoning- ▁salmon- ▁caterpillar- ▁halliburton- ▁indefinite- ▁parkinsons- ▁redefining- ▁uncomfortable- ▁valentine- ▁bmw- ▁outdated- ▁outstrip- ▁induce- style- ▁intersect- dilutive- ▁complacent- ▁disposing- ▁ethernet- ▁generous- ▁hesitation- ▁kingdom- ▁machining- ▁numerical- ▁richmond- ▁silhouette- ▁valuecreating- ▁yodle- ▁rasm- ▁charitabl- ▁tropica- ▁expir- ▁readjust- ▁cataract- ▁contamination- ▁deconsolidation- ▁demonstrabl- ▁divergence- ▁dubai- ▁escrow- ▁everincreasing- ▁inadequate- ▁pencil- ▁unwilling- ▁acumen- ▁debbie- ▁helix- ▁pulmon- ▁amenity- ▁tertiar- ▁ascend- ▁brush- ▁carveout- ▁centennial- ▁extrusion- ▁hispanic- ▁momentarily- ▁multitenant- ▁unaffected- ▁exaggerat- ntamina- ▁worsening- ▁allison- ▁symptom- ▁discontinu- ▁accommodati- propylene- ▁acknowledgment- ▁applaud- ▁binary- ▁boulder- ▁crossfunctional- ▁determinant- ▁grubhub- ▁lvt- ▁morbidit- ▁substation- ▁unencumber- ▁infinite- ▁cgm- constantcurrency- ▁brussels- ▁conduit- ▁countermeasure- ▁courage- ▁distant- ▁fragile- ▁melanoma- ▁motivating- ▁repetitive- ▁rhetoric- ▁smoking- ▁walgreen- ▁gordon- ▁recliner- ▁noisy- ▁angola- ▁rebid- ▁mobiliz- focus- financial- profile- ▁barclay- ▁convincing- ▁disseminate- ▁gratified- ▁intimacy- ▁ovarian- ▁savanna- ▁sierra- ▁storytelling- ▁thrust- ▁babies- ▁lilly- ▁capsule- ▁limb- ▁prescribe- ▁scene- ruct- ▁accru- ▁virtu- driving- monetization- ▁jewel- ▁dedicating- ▁gartner- ▁glimpse- ▁nutshell- ▁unbundl- ▁upholstery- ▁advising- ▁cocoa- ▁athena- ▁confine- ▁unlever- ntelo- deductible- region- ▁elastic- ▁abrupt- ▁appropriation- ▁elderly- ▁encryption- ▁gentleman- ▁graham- ▁halves- ▁invisalign- ▁mcdonalds- ▁opportune- ▁potato- ▁unanimous- ▁vascepa- ▁vulnerability- ▁xerox- ▁horr- milligram- ▁reinvigorat- ▁activi- soft- ▁prototyp- ological- ▁consequent- public- figure- licensing- ▁adjudicat- ▁amphenol- ▁anadarko- ▁calibration- ▁concentrator- ▁denial- ▁displacing- ▁eclipse- ▁headache- ▁obesity- ▁scotland- ▁vigor- ▁welfare- ▁blessed- ▁telephon- ography- '010'- ▁accentuate- ▁cannibalize- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "authors": [ + { + "name_en": "Shinji Watanabe", + "name_zh": "Shinji Watanabe" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1614873600000, + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-4.0", + "file_size_mb": 878.73, + "file_size_bytes": 921414555, + "download_count": 0, + "visit_count": 1, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4590907", + "cstr": "", + "pid": "", + "title": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000_valid.acc.ave, fs=16k, lang", + "title_en": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000_valid.acc.ave, fs=16k, lang", + "title_zh": "ESPnet2 pretrained model, Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000_valid.acc.ave, fs=16k, lang", + "description": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout cd8b84dc705e49796f2c8940d4aecf8f923f9976pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Mon Mar 8 23:43:09 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.7.1`- Git hash: `cd8b84dc705e49796f2c8940d4aecf8f923f9976` - Commit date: `Fri Mar 5 10:41:31 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|95631|94.9|4.5|0.6|0.5|5.5|61.6||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|948632|94.9|4.5|0.6|0.5|5.5|61.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|554413|98.8|0.6|0.6|0.4|1.6|61.6||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|5502566|98.8|0.6|0.6|0.5|1.6|61.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|112276|95.5|2.8|1.7|1.0|5.6|61.6||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|1114651|95.5|2.8|1.7|1.1|5.6|61.4|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 33274dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nulldetect_anomaly: falsepretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/train/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/train/text_shape.bpevalid_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/valid/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/train_nodev_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/train_nodev_unnorm/text - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- ▁in- ▁that- ''''- ▁a- ▁our- s- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁this- ▁be- ▁We- ▁And- ▁will- re- '-'- ▁year- ▁quarter- ▁at- ▁more- ▁So- ▁from- ▁business- ▁think- ▁what- t- ▁not- ▁some- ▁us- ▁by- ▁about- ▁there- ve- ▁growth- ▁can- ▁was- ▁which- ▁new- ▁very- ▁or- ▁do- '?'- ▁an- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁been- ▁all- ▁just- ▁has- ▁these- ▁so- ▁well- ▁those- ▁over- ▁now- ▁time- ▁customers- ▁into- ▁where- ▁like- ▁first- ▁results- ▁out- ▁But- ▁really- ▁other- ▁how- ll- ing- ▁if- d- ▁their- ▁up- ▁forward- ▁expect- ▁company- ▁were- ▁than- ▁last- ▁your- ▁look- ▁through- ▁get- ▁any- ▁because- ▁one- ▁call- ▁strong- ▁had- ▁believe- ▁sales- ▁when- ▁This- ▁then- ▁As- ▁good- ▁second- ▁In- ▁revenue- m- ▁performance- ▁product- ▁make- ▁lot- ▁cost- n- ▁much- ed- ▁years- ▁Our- ▁could- ▁financial- ▁capital- ▁terms- ▁don- ▁future- ▁both- ▁impact- ▁right- ▁value- ▁them- ▁It- ▁today- ▁little- ▁want- ▁customer- ▁next- ▁bit- ▁back- ▁work- ▁increase- ▁products- ▁take- ▁number- ▁end- ▁higher- ▁opportunities- ▁able- ▁half- ▁markets- ▁kind- ▁way- ▁may- ▁significant- ▁know- ▁operating- ▁better- ▁go- ▁cash- ▁say- ▁things- ▁still- ▁focus- ▁most- ▁statements- ▁provide- ▁should- ▁being- ▁point- ▁part- ▁team- ▁across- ▁lower- ▁made- ▁opportunity- ▁need- ▁important- ▁third- ▁2- ▁during- ▁rate- ▁line- ▁long- ▁people- ▁fourth- ▁down- ▁strategy- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁around- ▁portfolio- ▁working- ▁management- ▁share- ▁price- ▁investment- ▁due- ▁additional- ▁actually- ▁give- ▁only- ▁come- ▁while- ▁seeing- ▁high- ▁demand- ▁no- ▁few- ▁plan- ▁same- ▁looking- ▁progress- ▁here- ▁great- ▁costs- ▁even- ▁development- ▁different- ▁margin- ▁result- ▁current- ▁seen- ▁doing- ly- ▁grow- ▁further- ▁start- ▁change- ▁coming- ▁guidance- ▁positive- ▁service- ▁me- ▁earnings- ▁data- ▁drive- ▁technology- ▁position- ▁process- ▁key- ▁full- ▁investments- looking- ▁past- ▁That- ▁said- ▁who- ▁turn- ▁overall- ▁basis- ▁expected- ▁improve- ▁increased- ▁support- ▁again- ▁question- ▁3- ▁within- ▁focused- ▁sort- ▁services- ▁got- ▁environment- ▁potential- ▁help- ▁before- ▁businesses- ▁large- ▁pricing- ▁months- ▁These- ▁remain- ▁making- ▁done- ▁balance- ▁something- ▁ability- ▁interest- ▁strategic- ▁move- ▁already- ▁production- ▁sure- ▁side- ▁based- ▁platform- ▁best- ▁program- ▁such- ▁information- ▁mentioned- er- ▁acquisition- ▁Now- ▁Q- ▁talk- ▁expectations- ▁maybe- ▁early- ▁several- ▁operations- ▁use- ▁put- ▁given- ▁segment- ▁feel- ▁deliver- ▁assets- ▁rates- ▁pleased- ▁changes- ▁experience- ▁period- ▁my- ▁each- ▁couple- ▁growing- ▁You- ▁base- ▁benefit- ▁including- ▁place- ▁improvement- ▁projects- ▁tax- ▁order- ▁certain- ▁model- ▁related- ▁initiatives- term- ▁areas- ▁companies- ▁activity- ▁driven- ▁build- ▁continues- ▁getting- ▁existing- ▁A- ▁margins- ▁flow- ▁its- ▁levels- ▁addition- ▁term- ▁commercial- ▁pretty- ▁volume- ▁fact- ▁thing- ▁income- ▁course- S- ▁capacity- ▁big- ▁factors- ▁quarters- y- ▁might- ▁clients- ▁probably- ▁net- ▁mix- ▁always- ▁does- ▁competitive- ▁There- ▁under- ▁release- ▁mean- ▁risk- ▁marketing- ▁brand- ▁Thank- ▁quite- ▁prices- ▁saw- al- ▁update- ▁offset- ▁top- ▁why- ▁project- ▁every- ▁supply- ▁available- ▁off- ▁world- ▁leverage- ▁having- e- ▁With- ▁recent- ▁after- ▁between- ▁efforts- ▁core- ▁global- ▁quality- ▁conference- ▁area- ▁shareholders- ▁earlier- ▁real- ▁far- ▁less- ▁understand- ▁let- ▁low- ▁prior- ▁expenses- ▁trying- ▁actual- ▁credit- ▁primarily- ▁continuing- ▁building- ▁amount- ▁another- ▁system- ▁While- ▁certainly- ▁digital- ▁view- ▁whether- ▁solutions- ▁operational- ▁success- ▁questions- ▁pipeline- ▁day- ▁inventory- ▁outlook- ▁return- ▁range- ▁Or- ▁ahead- ▁taking- ▁improved- ▁review- ▁set- ▁expense- ▁If- ▁thank- ▁major- ▁retail- ▁profitability- ▁fiscal- ▁capabilities- ▁timing- ▁risks- ▁expand- ▁materially- ▁group- ▁presentation- ▁increasing- ▁confident- ▁ago- ▁consumer- ▁obviously- ▁revenues- ▁excited- ▁benefits- ▁hard- ▁For- ▁driving- ▁own- ▁moving- ▁What- ▁acquisitions- ▁On- ▁plans- ▁talked- ▁differ- ▁non- ▁solid- ▁partners- ▁- ▁increases- ▁China- ▁sheet- ▁expansion- ▁perspective- in- ▁particularly- ▁4- ▁distribution- ▁keep- ▁approach- ▁invest- ▁bring- ▁S- ▁add- ▁structure- ▁Yes- ▁space- ▁They- ▁debt- ▁stores- ▁sense- ▁small- ▁total- ▁versus- ▁compared- ▁asset- ▁programs- ▁improving- ▁begin- ▁measures- ▁clear- ▁numbers- ▁longer- ▁specific- ▁patients- ▁close- ▁needs- ▁significantly- ▁consistent- ▁average- ▁open- ▁create- ▁trends- ▁beginning- ▁scale- ▁run- C- ▁currently- ▁re- ▁strength- ▁conditions- ▁network- r- ▁tell- ▁decline- ▁since- ▁organization- ▁points- ▁5- ▁detail- ▁transaction- ▁volumes- ▁include- ▁execution- ▁anything- ▁profit- ▁towards- ▁per- ▁deal- ▁contract- ▁together- ▁cause- ▁larger- ▁starting- ▁remains- ▁However- ▁advantage- ▁material- ▁spend- ▁efficiency- ▁uncertainties- ▁comments- ▁throughout- ▁example- ▁fully- ▁ongoing- ▁greater- ▁organic- ▁yet- ▁events- ▁store- ▁care- ▁1- ▁trend- ▁successful- ▁2017- ▁announced- ▁brands- ▁morning- ▁returns- ▁started- ▁Europe- ▁discuss- ▁find- ▁gas- or- ▁control- ▁difficult- ▁innovation- ▁reduce- ▁talking- ▁particular- ▁track- ▁At- ▁achieve- ▁case- o- ▁allow- ▁short- ▁become- ▁infrastructure- ▁access- ▁decision- ▁later- ▁momentum- ▁providing- ▁recently- ▁Okay- ▁completed- ▁improvements- c- ▁press- ▁along- ▁associated- ▁oil- ▁too- ▁sell- ▁discussed- ▁guess- ▁try- ▁activities- es- ▁systems- ▁manage- ▁impacted- p- 'on'- ▁lines- ▁note- ▁report- ▁previously- ▁everyone- ▁2018- ▁similar- ▁confidence- ▁anticipate- ▁used- ▁remarks- ▁issues- ▁offering- ▁pressure- ▁6- ▁U- ▁effect- to- ▁reduction- ▁integration- ▁record- ▁health- ▁teams- ▁pay- ▁segments- ▁offer- ▁reason- ▁board- ▁positioned- ▁Before- ▁delivering- ▁launch- ▁meet- ▁investors- ▁energy- ▁economic- ▁website- ▁equity- ▁against- ▁cycle- ▁subject- ▁2016- ▁contracts- ▁items- ▁slightly- ▁percentage- ▁stock- ▁quickly- ▁using- ▁guys- ▁power- ▁money- ▁single- ▁Slide- ▁actions- ▁beyond- ▁adjusted- ▁front- ▁international- ▁selling- ▁leadership- ▁To- ▁equipment- ▁channel- ▁clearly- ▁target- ▁especially- ▁possible- ▁spending- ▁unique- ▁relative- ▁direct- ▁once- ▁size- ▁remind- ▁comes- ▁means- ▁general- ▁combination- ▁incremental- ▁maintain- ▁without- ▁facility- ▁manufacturing- ▁execute- ▁multiple- ▁rest- ▁complete- ers- ▁employees- ▁resources- ▁One- ▁either- year- ▁ensure- ▁client- ▁near- ▁job- up- ▁thinking- ▁issue- ▁details- ▁taken- ▁online- ▁challenges- ▁included- ▁content- ▁local- ▁show- ▁loan- ▁reflect- ▁investing- ▁various- ▁generate- ▁type- ▁regarding- ▁leading- ▁month- G- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁wanted- ▁whole- ▁meaningful- g- ▁date- ▁attractive- ▁New- ▁F- ▁B- ▁productivity- ▁relationships- ▁happen- ▁corporate- ▁transition- ▁stronger- ▁free- ▁regulatory- ▁solution- ▁largest- ▁committed- ▁All- ▁thought- ▁partner- ▁goal- ▁government- ▁marketplace- ▁deals- ▁profitable- M- ▁sale- ▁discussion- ▁relatively- ▁delivered- ▁cloud- ▁shift- ▁clinical- ▁portion- P- ▁anticipated- ▁likely- ▁annual- ▁favorable- ▁savings- ▁chain- ▁public- ▁Well- ▁EBITDA- ▁provided- ation- ▁ways- ▁When- ▁respect- ▁consumers- ▁lead- GAAP- ▁prepared- ▁serve- ▁least- ▁bottom- ▁comment- ▁days- ▁highly- a- ▁underlying- ▁transformation- ▁delivery- ▁category- le- T- ▁develop- ▁moment- ▁flexibility- ▁combined- ▁Let- ▁gives- ▁experienced- ▁address- ▁orders- ▁dividend- ro- ▁First- ▁closing- able- ▁E- ▁season- ▁built- ▁haven- ▁majority- ▁C- ▁entire- ur- ▁Can- u- ▁slide- ▁quarterly- ▁design- ▁agreement- ▁expanding- ▁hope- ▁situation- ▁challenging- ▁step- D- ▁though- ▁efficient- ▁effective- ▁accelerate- ▁commitment- ▁generation- ▁upon- ▁initial- ▁generally- ▁answer- ▁home- ▁buy- ▁doesn- ▁required- ▁strategies- ▁play- ▁competitors- ▁currency- ▁During- ▁normal- ▁country- ▁critical- ▁provides- ▁everything- ▁region- ▁largely- ▁hand- ▁facilities- ▁active- ▁week- ▁competition- ▁loss- ▁pace- ▁enhance- ▁T- ▁profile- ▁bank- ▁extremely- ▁smaller- ▁behind- ▁patient- ▁weeks- ▁enough- ▁e- ▁property- ▁ourselves- ▁flat- ▁allows- ▁stable- ▁book- ▁relationship- ▁Please- ri- ▁following- ▁sector- ▁operate- E- ▁sustainable- ▁came- ▁ever- ▁planning- ▁reported- end- ▁fair- ▁categories- ▁am- ▁final- ▁includes- ▁happy- ▁away- ▁specifically- ▁software- B- ▁recovery- b- ▁assumptions- ▁unit- ▁internal- ▁effort- ▁reduced- ▁loans- ▁his- R- ▁running- ▁contribution- ▁transactions- ▁accounts- ▁reach- ▁ramp- ▁achieved- ▁rather- ▁life- O- ▁he- ▁enable- l- ar- ▁technologies- ▁wondering- ▁exactly- ▁account- ▁GAAP- ▁metrics- I- ▁follow- ▁offerings- ▁parts- ▁state- ▁above- A- L- K- ▁faster- ▁units- ▁makes- ▁applications- ▁appropriate- ▁added- ▁mobile- ▁gain- ▁decrease- ▁un- ▁won- ▁G- ▁efficiencies- ▁weather- th- ▁received- ▁10- ▁safety- ▁private- ▁reflects- ▁basically- ▁channels- ▁exciting- ▁estate- ion- ra- ▁directly- ▁seems- ▁changed- ▁discussions- ▁study- ▁partially- ▁consider- ▁industrial- over- ▁developing- ▁took- ▁insurance- ▁accounting- ▁outside- ▁field- ▁footprint- '1'- ity- ▁restructuring- ▁plant- ▁shareholder- ▁ratio- ▁statement- ▁P- ▁changing- ▁reasons- x- ▁center- ▁substantial- ▁Thanks- '2'- ▁joining- ▁capability- en- ▁January- ▁decisions- ▁traffic- ▁integrated- ▁mind- ▁expectation- ▁robust- ▁adding- ▁drivers- ▁win- ▁despite- ▁times- ▁purchase- ▁December- ▁enterprise- ▁tend- ▁creating- ▁healthy- ▁options- ▁gains- ▁processes- ▁platforms- ▁happening- ▁12- ▁managing- based- ▁disconnect- ▁therefore- ▁potentially- ▁forecast- ▁typically- ▁premium- ▁backlog- ▁community- ▁Just- ▁ultimately- ▁advertising- ▁speak- ▁executing- ▁primary- ▁driver- ▁understanding- ▁saying- ▁almost- ▁fund- ▁optimistic- ▁nature- ▁others- ▁exchange- ▁traditional- il- ▁s- ▁trade- ▁filings- ▁planned- ▁bringing- ▁security- ▁comfortable- ▁historical- ▁needed- ▁effectively- ▁goes- ▁found- ▁necessary- ▁D- ▁million- ▁ask- ▁highlights- ▁mid- ▁please- ▁putting- ▁excellent- ▁office- ▁2019- ▁labor- ▁stay- ▁visibility- ▁proud- ▁cases- ▁refer- ▁limited- ▁Asia- ▁countries- ▁disciplined- ▁liquidity- ▁natural- la- ▁losses- ▁else- ic- ▁encouraged- ▁standpoint- ▁de- ▁food- ▁targets- f- ▁bigger- ▁double- ▁funding- ▁comparable- ▁late- ▁launched- ▁recognize- ▁obligation- ▁June- ▁volatility- ▁difference- ▁September- it- ment- ▁extent- ▁March- ▁never- co- ▁remaining- ▁financing- ▁expanded- ▁response- i- ▁main- ▁maintenance- ▁How- ▁broader- ▁types- ▁land- ▁utilization- ▁regions- ▁members- ▁Do- ▁detailed- an- ▁completion- ▁fleet- ▁sold- ▁yield- ▁focusing- ▁broad- ▁Because- ▁fixed- ▁partnership- ▁meeting- ▁tremendous- ▁reducing- ▁operation- ▁intend- ▁path- ▁although- ▁ready- el- ▁approximately- ▁direction- F- ▁economy- ▁research- ▁acquired- li- ▁remainder- ▁dollars- ▁locations- ▁Turning- ▁test- ▁cover- ▁fees- ▁CapEx- ▁properties- ▁went- ▁reflected- ▁media- ▁highlight- ent- ▁9- ▁interesting- ▁below- ▁O- est- ▁finally- ▁allocation- ▁2015- ▁fuel- ▁7- k- ▁conversion- ▁biggest- ▁nice- ▁foundation- ▁fairly- ▁engagement- '4'- ▁takes- ▁tools- ▁individual- ▁highest- ▁Re- ▁successfully- ▁perhaps- ▁H- ▁phase- ▁closely- ▁hit- ▁present- ▁inflation- ▁pre- ▁summary- ▁stage- ▁Looking- ▁led- ▁requirements- ▁buying- ▁history- ▁increasingly- ▁opening- ▁Good- ▁water- ▁legacy- ▁necessarily- ▁Finally- ▁shows- ▁commodity- ▁reporting- ▁standard- ▁flows- ▁outstanding- ▁attention- ▁somewhat- ▁giving- ▁simply- ▁priority- V- ▁everybody- ▁strengthen- ▁goals- ▁news- ▁expecting- ▁talent- ▁force- ▁proposition- ▁mainly- ▁European- '3'- ▁trial- ▁exposure- ▁maintaining- ▁20- ▁expertise- ▁capture- ▁Some- ▁lease- ▁closed- ▁appreciate- ▁factor- ▁fall- ch- ▁steps- ▁regard- ization- ▁prospects- ▁itself- ▁paid- us- ▁shares- ▁component- ▁event- ▁innovative- ▁periods- ▁implementation- ▁drilling- ▁role- ▁gross- ▁dollar- ▁discipline- ▁franchise- ▁policy- ▁light- ▁Canada- ▁approval- ▁national- ▁8- ▁developed- ▁Although- ▁priorities- ▁testing- ▁yes- ▁live- ▁adoption- ry- ▁piece- ▁initiative- ▁funds- ▁historically- ter- ▁leader- ▁compensation- ▁treatment- ▁10-- ▁definitely- ate- ▁2017.- ▁Also- ▁October- ▁optimize- ▁April- ▁speed- ▁matter- ▁created- ▁co- ▁M- ▁realize- ul- ▁challenge- ne- ▁noted- ▁centers- ▁worked- ▁assume- ▁happened- ▁payments- rs- ▁true- ▁importantly- at- ▁produce- ▁perform- ▁foreign- ▁targeted- ▁actively- ▁culture- ▁operator- ▁context- ▁described- ▁analysis- ▁resulting- ▁domestic- ▁resulted- ▁N- ▁hold- ▁Given- ▁site- ▁presence- ▁aggressive- ▁application- ▁SEC- ▁medical- ▁comp- ▁No- ▁payment- ▁steady- et- ▁helping- ▁p- ▁conclude- ▁July- ive- lo- ▁remember- ▁read- ▁summer- ▁training- ▁generated- ▁designed- H- ▁nothing- ▁middle- ▁huge- ▁positions- ▁relates- ▁looks- ▁upside- ▁Are- ▁dynamics- ▁seasonal- ▁modest- ▁coverage- ▁participation- ▁players- ▁Brazil- ▁becoming- ▁idea- ▁evaluate- ▁retailers- te- ▁Day- ▁emerging- ▁R- ▁synergies- ▁South- ▁invested- ▁L- ▁safe- ▁among- ▁regional- ▁Additionally- ▁2018.- ▁trading- ▁push- ▁fee- ▁deposit- ▁heard- ▁implemented- ▁models- ▁measure- ▁dynamic- ▁leveraging- ▁pursue- ▁30- ▁materials- ▁May- ▁gone- ▁advanced- com- ▁road- ▁complex- ▁affected- ▁K- ▁relevant- ▁mortgage- ▁America- ▁impacts- ▁Over- ▁recognized- ▁schedule- ▁room- ▁variety- ▁managed- ▁reminder- ▁moved- ▁Securities- ▁reasonable- ▁providers- ol- ▁November- ▁story- ated- ▁Overall- ▁soon- ▁helpful- ▁adjustments- ▁otherwise- ▁Services- w- ▁action- ▁ones- ▁effects- ▁joint- ▁Second- ▁count- ▁enhanced- ▁compete- ▁developments- ▁objectives- ▁issued- ▁must- ▁budget- age- ▁generating- ▁demonstrate- ▁calls- ▁My- ▁reflecting- ▁face- ▁reductions- ▁closer- ▁special- ▁communities- ▁represents- ▁vision- ▁common- ▁February- ▁banking- ▁headwinds- ▁function- ▁source- ▁often- ▁banks- ▁firm- ▁decided- ▁performing- ▁absolutely- ▁easier- ▁charge- ▁California- ▁analytics- ▁began- ▁identified- ▁hear- ▁uncertainty- ▁fast- de- ▁happens- ▁technical- ▁looked- ▁extend- ▁undertake- ▁advance- ▁roll- ▁essentially- ▁affect- ▁York- ▁table- ▁recognition- ▁interested- ▁deep- ▁turning- ▁investor- ▁slow- ▁represent- ▁finance- ▁users- ▁identify- ally- ▁c- ▁cannot- ▁sites- ▁pick- ▁bookings- ▁car- ▁stated- ▁outcomes- ▁established- ▁form- ta- ▁helped- ▁underwriting- ▁easy- ▁require- ▁estimate- ▁division- ▁consolidation- ▁maximize- ▁paying- ▁consistently- ▁components- ▁partnerships- ▁left- ant- ▁compelling- ▁Commission- ▁excess- ▁conservative- ▁spot- ▁provider- ▁touch- out- ▁independent- ▁figure- ▁predict- ▁agreements- ▁aware- ▁drug- ▁operators- ▁penetration- ▁allowed- ▁Mexico- ▁W- ▁Moving- ▁capitalize- ▁fit- ▁wins- ▁engineering- ▁thoughts- as- ▁projections- ▁shown- Q- ▁indicated- ▁achieving- N- ▁raw- ▁presented- ▁learning- ig- ating- ▁rapidly- ▁brought- ▁toward- ▁game- ▁East- ▁deploy- ▁'17- ▁reform- ▁ground- ▁demonstrated- ▁video- ▁folks- ▁outcome- ▁tough- ▁August- ▁occur- ▁differentiated- ▁encouraging- ▁drop- U- ▁supported- ▁recorded- ▁problem- ▁plants- ▁sequential- ▁degree- ▁filed- ▁receive- ▁deployment- ▁grew- ▁frankly- ▁section- ▁finding- digit- ▁considered- ▁option- ▁seasonality- ▁showing- ▁accelerated- ▁multi- h- ▁From- na- ▁federal- ▁devices- ▁law- ▁West- ▁substantially- ▁remained- ▁quick- ies- ▁concludes- ▁objective- ▁senior- ▁suppliers- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁holiday- ▁positioning- ▁Form- ▁curious- ▁realized- ▁elements- se- ▁retention- X- ▁estimates- ▁Those- ia- ▁staff- ▁Group- ▁involved- ▁dedicated- ▁walk- ▁securities- ▁benefited- ▁contributed- ▁18- ▁professional- ▁promotional- ▁felt- ge- ▁wells- ▁consolidated- ▁post- ▁supporting- ▁license- ▁comprehensive- ▁leaders- ▁shared- ▁involve- ▁Today- ▁legal- time- ▁rental- ▁He- ▁claims- ▁contribute- ▁leasing- ▁specialty- ▁subscription- id- ▁feedback- ▁Chinese- ▁truly- ▁pass- ▁taxes- ize- ▁rent- ▁reconciliation- ▁Exchange- ▁excellence- ▁correct- ▁residential- ▁stuff- ▁original- ▁traction- ac- ▁nearly- ▁John- ▁signed- ness- ▁raise- ine- line- ▁Mike- ▁projected- ▁wholesale- ▁deposits- ▁aggressively- ▁external- ▁population- ▁merger- ▁cross- ▁themselves- ▁spread- ▁proven- ▁India- ▁whatever- ▁allowing- ▁pull- ▁availability- ▁stand- ▁automotive- ▁Again- ▁lending- ▁gave- ▁implement- ▁macro- ad- ▁2016,- ▁economics- ▁By- ru- ▁Page- ▁digits- ▁15- ▁name- ▁announcement- ▁social- ▁vehicle- ▁V- ▁card- ▁commentary- ▁holding- ▁afternoon- ▁declines- ▁recurring- ▁location- ▁stages- ▁updated- ▁'18- ▁studies- ▁processing- ▁respond- ▁geographic- ▁seem- ▁held- ▁conversations- ▁optimization- ▁Texas- ▁deferred- ▁Co- ce- ▁Of- ▁creation- ▁features- ▁acquire- ▁speaking- ▁list- ▁user- ▁engaged- ting- ▁picture- ▁known- ▁page- ▁adjust- ▁Obviously- ▁explain- ▁collaboration- ▁mostly- ▁transportation- ▁welcome- ▁posted- market- ▁chart- ▁enter- ▁journey- ▁completely- ▁overview- ▁internally- ▁strengthening- ke- ▁choice- um- ▁efficiently- ▁constant- ▁fundamentals- ▁practices- ▁wide- ck- ▁IT- ▁gentlemen- ▁called- ▁mention- ▁venture- ▁lost- ▁con- ▁participating- ▁indication- ▁accelerating- ▁secure- ▁shipments- va- ▁personal- related- ▁contain- ▁states- ▁slower- ▁sources- ▁manner- ▁performed- ▁keeping- ▁dividends- ▁minutes- ▁expressed- ▁auto- ▁curve- ▁recall- ▁helps- ▁sometimes- ▁worth- ▁calendar- ▁After- ▁frame- ▁globally- ▁alternative- ma- ▁evaluating- ▁smart- ▁superior- ▁valuable- ▁signs- ▁b- ▁announce- ▁st- ure- ▁strongly- ▁peers- ▁gets- ▁Financial- ton- ▁introduced- ▁launches- ▁awareness- is- ▁resource- ▁storage- ▁housing- ▁comparison- ▁compliance- ▁hopefully- ▁De- ▁Investor- ▁knowledge- ▁however- ▁monitor- ▁encourage- ▁upcoming- ▁extended- ca- ▁contained- ▁evolve- ▁brief- ▁slides- ▁commitments- ▁forth- ▁parties- ▁element- ▁engage- ▁sharing- ▁pursuing- ▁pressures- ▁old- W- ▁wait- ▁break- ▁evidence- ▁prudent- z- ▁peak- ▁provision- ▁t- ▁proceeds- ▁acceleration- ▁plus- ▁standards- ▁inside- ▁meaning- ▁contributions- ▁Could- ▁'19- ▁disease- ▁evolution- ▁charges- ▁Management- ▁broadly- ▁'16- ▁participate- ▁vehicles- ▁American- ▁stability- commerce- ▁carry- ▁2019.- ▁offers- ▁thanks- ▁exit- ▁willing- ▁Based- vi- ▁highlighted- ▁diversified- ▁considering- ▁ended- ▁opposed- pe- ▁Any- ▁medium- ▁asked- ▁balanced- ▁pro- ▁profits- ▁shipping- ▁concluded- ▁implementing- ance- v- ▁setting- ▁executed- ▁bad- ▁enhancing- ▁circumstances- ▁separate- go- ▁Since- ▁J- ▁geographies- ▁sign- ▁device- ▁attract- ▁reserve- ▁shape- ▁discussing- ex- ▁becomes- ▁places- ▁shopping- ▁simple- ▁item- ▁targeting- ▁renewal- ▁vertical- ▁publicly- ▁works- ▁financials- ▁concerned- ▁exceptional- ▁conclusion- ▁seek- ▁protect- ▁rising- ▁roughly- ▁landscape- ▁words- ized- ▁slight- ▁matters- ▁weakness- ▁enables- ▁aspects- ▁managers- ▁insight- ▁integrate- ▁An- ▁mission- ▁settlement- ▁valuation- ▁industries- ▁Steve- di- per- ▁mining- ▁reports- ▁trust- ▁automation- ▁approved- ▁ownership- ▁winter- ▁heavy- ▁fundamental- ▁Most- ▁aircraft- ▁Then- ▁recover- 'off'- ▁structural- ▁behavior- ▁leave- ▁chance- ▁aligned- ▁negatively- lu- ▁mine- ▁physicians- ▁Ma- ▁assuming- ▁winning- ▁reserves- ▁tool- ▁evolving- ▁enabling- ▁wind- ▁starts- ▁Energy- ▁drove- ▁Despite- ▁Australia- ▁begun- un- ▁physical- ▁campaign- ▁travel- izing- ▁variable- ▁rise- log- uch- ▁engine- ▁opened- ▁importance- ▁hospital- ho- ▁Mark- ▁family- ▁continuous- ▁Internet- ▁typical- ▁Germany- ▁practice- ▁trajectory- ▁Act- con- ▁mature- ▁organizations- ▁mitigate- ▁lack- ▁sit- ▁rig- ▁learn- ling- ▁spring- ▁rolling- ▁cautious- ▁reality- ▁employee- ▁label- ▁deeper- ▁Florida- ▁examples- ▁rigs- am- ▁strategically- po- ▁adjustment- ▁app- ▁10%- ▁Solutions- ▁implied- ▁two- ▁inventories- ▁connected- ▁ship- tra- ▁consecutive- ▁loyalty- ▁50- ▁love- ▁sustained- ▁movement- ▁floor- ▁sounds- ary- ▁caused- im- ▁opportunistic- ▁weak- ▁views- ▁yields- ▁Latin- ▁subsequent- ▁utility- ▁commission- ▁determine- ▁steel- ▁pieces- ▁flexible- ▁assortment- ▁search- ▁fashion- ▁enabled- ted- ▁replacement- ▁delay- ▁hearing- ▁groups- ▁agencies- ▁Both- ▁sufficient- ▁underway- ist- ▁reached- ▁cut- ▁rapid- ▁utilize- ▁owners- ▁David- ▁occupancy- ▁her- ▁impacting- ▁extra- ▁ex- ▁heavily- ▁protection- ▁outlined- ▁Ca- ▁compare- do- ▁incentive- be- ▁experiencing- ▁vast- ▁excluding- ▁diversification- ▁absolute- tion- ▁stakeholders- ▁leases- ▁restaurant- ▁export- ▁thus- ▁gotten- ▁therapy- mi- land- ▁Al- ▁retain- ▁clarity- ▁replay- ▁Last- ▁North- ▁regards- ▁networks- ▁International- ▁disruption- ▁Bank- ▁reimbursement- ▁dramatically- ▁repurchase- ▁2020- ▁Con- ▁f- ▁latest- ▁finish- ▁consideration- ▁logistics- ▁yesterday- ▁watch- 'no'- ▁sectors- ▁updates- ie- ▁consumption- ▁discount- ▁asking- ▁weaker- ▁she- ▁machine- ▁entered- ▁depend- store- ▁figures- ▁guide- ▁Sure- ▁trials- ▁upgrade- ▁Ladies- ▁soft- ▁met- ▁align- ▁Capital- ▁restaurants- ▁depreciation- ▁brings- ▁provisions- ▁problems- ▁exceeded- ▁choose- ▁wish- ▁Pro- ▁assessment- ▁Actual- ▁City- ba- ▁usage- ▁cycles- ▁daily- ▁introduce- ▁apply- ▁imagine- ▁package- ▁carefully- ▁Middle- ▁reference- ▁declined- ▁hiring- ▁depends- ▁class- ▁guests- ▁occurred- ish- quality- ▁proportion- ▁producing- man- ▁contributing- ▁expenditures- ir- ▁framework- tic- ▁productive- ▁Z- ▁Coast- ▁agency- sh- ▁returning- ▁downturn- ▁attributable- ▁Western- ▁freight- ▁sub- ▁insights- ▁gap- ▁Another- ▁unless- ▁St- ▁i- ▁convert- ▁temporary- ▁11- ▁clean- ▁aren- ▁collection- ▁gaining- ▁hotel- ▁Have- ▁connect- ▁immediately- ▁fill- ▁series- ▁originally- ▁stream- ▁scope- ▁lots- ▁requires- ▁sequentially- ▁grown- ▁complexity- ▁ensuring- ▁repeat- ▁bid- ▁handle- ▁powerful- ▁introduction- ▁serving- and- ti- op- ▁values- way- ni- ▁concept- ▁communication- ▁usually- ▁condition- ▁launching- ▁rules- ▁experiences- ▁connection- ty- ▁metric- ▁supplier- ▁X- ▁diverse- ▁education- ▁shortly- ▁advantages- ▁exceed- ▁Africa- ▁Mo- ▁cancer- ▁purpose- ▁webcast- ▁Tom- ▁et- ▁attending- ▁followed- ▁political- ▁Chief- ▁cap- ▁human- ▁Officer- ▁paper- ▁bar- ▁concern- ▁distributors- ▁Not- Y- ▁usual- ▁ecosystem- ▁coupled- ▁emphasize- ▁strongest- ▁coal- ▁learned- ▁laid- ▁reliability- ▁revise- ▁elevated- ▁leads- ▁busy- ▁transfer- ▁amounts- ▁satisfaction- ▁briefly- ▁monitoring- ▁optimizing- ▁alternatives- ▁Next- he- ▁Jim- ▁manufacturers- ▁Even- ▁carriers- ▁environmental- ▁numerous- ▁suggest- ▁Business- ▁message- ▁dis- ▁addressing- ▁tenants- ▁duration- ▁scheduled- ▁fewer- ▁proprietary- ▁produced- class- ▁20%- ▁transform- ▁earn- ▁executive- ▁Health- ▁initially- ▁caution- ▁decide- ▁harbor- ▁check- ence- ▁intention- ning- ical- ▁extensive- ▁waiting- ▁indications- '5'- ▁installed- ▁vendors- ▁file- me- ▁pension- ▁Great- ▁exercise- ▁merchandise- io- ▁differences- ▁facing- ▁feeling- ▁phone- ▁central- ▁pilot- ▁hardware- ▁minimum- ▁Hav- ▁dealers- ▁decade- ▁except- ▁reiterate- ▁hours- ▁tariffs- ▁associates- ▁deployed- ▁dependent- ▁him- ▁institutional- ▁draw- ▁decreased- ▁moderate- ▁positively- vo- ▁milestones- ▁showed- ▁declining- ▁dedication- ▁act- ▁careful- ▁creates- ▁agents- ▁intended- ▁Chris- ens- ▁input- ▁regular- ▁President- ▁ramping- ▁100- ous- ▁Global- ▁5%- ▁hotels- ▁emphasis- party- ▁Other- ▁buyers- ▁supplemental- ▁secured- ▁magnitude- ▁competitor- ▁cetera- ▁immediate- ▁hospitals- ▁contact- ▁More- ▁balances- ▁cars- ▁normalized- ▁told- ▁pool- ▁adapt- ite- ▁personnel- ▁accretive- ▁constantly- ▁audience- ▁concerns- ng- ▁assess- ▁covered- ▁policies- bo- ▁homes- ▁enhancements- ▁negotiations- ▁delays- ▁mo- ability- ab- ok- ▁electric- ▁bought- ▁nicely- ▁sound- ▁lowest- ▁differentiate- ▁confirm- ▁progressing- ▁match- ut- ▁administration- ▁Many- ▁normally- ▁Power- ▁tight- ▁somebody- ▁quantify- os- ▁extension- ▁conversation- ▁stop- ▁France- ▁moves- ▁length- ▁turnaround- ▁prove- ▁packaging- ▁deliveries- ▁playing- ▁awards- ▁shifting- ▁wireless- ▁shop- ▁establish- ▁purchasing- ▁okay- ▁maintained- ▁demonstrates- ▁useful- of- ▁agree- ber- ▁incredibly- ▁benefiting- ▁v- ▁aspect- ▁lift- ▁Therefore- ▁instead- ▁intelligence- ct- ▁volatile- ▁liability- ▁player- ▁released- ▁expensive- ▁tracking- ▁delayed- ot- ▁purchases- ▁organizational- ▁headwind- ▁Ar- ▁placed- ▁defined- ▁assumption- ▁lives- ▁fiber- ▁fresh- ▁amortization- ▁desire- ring- ▁Pu- ▁hoping- ▁science- ▁enrollment- ▁finished- ▁possibility- ▁topic- ▁relating- ▁map- ▁describe- ▁possibly- ▁select- ors- ▁Life- ▁status- ▁influence- one- ▁turned- ▁students- ci- date- ▁functions- ▁En- ▁40- ▁Pacific- ▁tried- ▁migration- ▁solve- back- ▁communications- bi- ▁50%- ▁house- ▁Ro- ▁display- ▁tied- ▁Third- ▁breadth- ▁appear- by- ▁determined- ▁Be- ▁slowdown- ▁evaluation- ▁crude- ▁Consumer- ▁licensing- '00'- ▁plays- ▁avoid- ▁scenario- ▁person- ▁preferred- ▁Once- ver- ▁replace- ▁13- ▁sourcing- ag- ▁organically- ▁depth- ▁embedded- ▁explore- ▁completing- ▁sustain- ▁surprised- ▁Right- ▁Home- ▁Going- ▁milestone- ▁updating- ▁rolled- ▁spreads- ▁box- ▁promotions- ▁heart- ▁unusual- ▁indicators- ▁responsible- ▁incurred- ▁integrating- ▁pushing- quarter- ▁belief- ▁Ex- ▁divisions- ▁opinion- mb- ▁dealing- ▁intent- ▁differently- ▁impressive- ▁bulk- ▁filing- ▁age- ▁Americas- ▁exploration- ▁branch- ▁comps- ▁criteria- ▁lose- ▁lag- ▁air- ▁drag- ▁La- ▁Maybe- ▁concerning- ▁basic- om- ▁truck- ▁aggregate- ▁exact- ▁accomplished- leading- ian- ▁Mi- ▁regulations- ▁patterns- ▁contributor- ▁drill- ▁hedge- ▁gold- ▁Houston- nt- ▁percent- ▁comparisons- ▁split- ▁pattern- port- ▁wage- ▁seeking- ▁Se- ▁po- ris- ide- ▁weighted- ▁spectrum- ▁FX- ▁unchanged- ▁aim- nd- ial- ▁head- ▁churn- ▁unfavorable- ▁dose- ▁ideas- ▁eye- ▁overhead- ▁combine- ▁puts- ▁creative- ▁via- ▁disclosure- ▁member- ▁purposes- ▁join- ▁suite- ▁participants- ▁stress- her- ▁appears- ▁Jeff- ▁estimated- ▁transparency- ▁reliable- ▁promise- ▁guest- ▁acquiring- ▁institutions- ▁14- em- ▁analysts- ▁accomplish- ▁exist- ▁selective- ▁offshore- ▁partly- ▁summarize- ▁sand- ▁Vi- ▁entering- ▁resolution- ▁minimal- ▁Le- ▁located- ▁Ba- ▁easily- ▁softness- ▁monthly- ▁verticals- ▁Commercial- fi- ▁plenty- ▁impairment- ▁FDA- ▁revised- ▁jobs- ▁CEO- ▁functionality- ▁disclosed- ▁Lo- ▁d- ▁raising- ▁sustainability- ▁someone- ▁entirely- ▁Importantly- ▁enjoy- CO- ▁sets- ▁written- ▁complement- ▁Phase- ▁Industrial- ▁portfolios- ga- ▁newer- ging- ▁considerable- ▁diversity- ▁bill- ▁minute- ▁fine- ▁rating- ▁prepare- ▁lean- ▁ad- ▁drives- ▁stabilize- ▁eventually- ▁save- ▁producers- ▁effectiveness- gen- ▁self- ▁realization- ue- ▁regulators- ▁colleagues- ▁administrative- ▁maturity- ▁Air- ▁doubt- ▁introducing- ▁assist- house- ▁block- ▁mass- ph- less- ▁tenant- ▁solar- ▁rollout- ▁newly- ▁laws- ▁notice- ▁supplement- ping- iv- ▁capable- ▁w- ▁frequency- load- ▁train- ▁acreage- ▁architecture- ub- ▁Bill- net- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁diversify- ▁talented- ▁knew- ▁published- ▁rule- ▁election- ▁consulting- ▁proposed- ▁repair- ▁according- ▁globe- ▁thousands- ▁retailer- ▁refinancing- ▁exclude- ▁approvals- ▁owned- ▁seasonally- ▁appeal- pi- ▁3%- ▁dramatic- ▁write- ▁communicate- the- ▁deploying- ▁kinds- ▁Private- ▁reviewing- ▁structures- ▁exception- ▁modeling- ▁older- ▁Amazon- ▁incredible- od- ▁anybody- ▁60- ▁rail- ▁promotion- ▁servicing- ▁wonderful- ▁indicator- ▁Following- ▁TV- ▁Investors- ▁feature- ▁spoke- ▁Scott- day- ▁treat- hi- ▁connectivity- through- act- ile- ▁dialogue- ▁concentration- ▁Me- ▁Michael- ▁demonstrating- ▁entry- ▁levers- ▁reflection- ▁EPS- ▁Li- ▁legislation- ▁accordance- ▁backdrop- ▁latter- ▁differentiation- ▁damage- ron- ▁preparing- ▁super- 0,000- ▁upper- fa- ▁engaging- ▁2%- ▁skills- ▁retirement- ▁translate- ▁g- ▁limit- ▁hybrid- ▁litigation- ▁headcount- ▁meaningfully- ▁candidates- ▁Permian- ▁utilizing- ▁16- ▁0- ▁streams- ▁continuously- ▁utilities- ▁National- ction- ▁respective- ▁facilitate- ▁massive- ▁referring- ec- ▁Revenue- ▁formal- ▁vessels- ▁measured- ▁catch- ▁buildings- lic- ▁Got- ▁Retail- ▁city- ▁react- ▁load- ▁Gulf- ▁Bob- ▁Dave- ▁ratios- ▁menu- ▁appropriately- ▁procedures- ▁hands- ▁books- ▁competing- ▁physician- ▁greatest- ▁worse- ▁window- ▁department- ▁equal- ▁dealer- ▁applied- ▁cell- ▁Sa- ▁adjusting- ▁millions- ▁documents- ▁communicated- ▁movements- ▁installation- ow- ▁bear- ▁factory- ▁branches- ▁mark- ▁distributor- ier- ▁offsetting- ▁origination- ▁reaching- ▁selected- ▁defense- ▁procurement- ▁cities- ▁di- ▁uptick- ▁Care- ▁merchandising- ▁regulation- ▁vary- ▁purchased- ▁fantastic- ▁synergy- ▁fire- ▁Central- ▁incentives- ▁transmission- ions- ▁perfect- ▁beliefs- ▁selection- ▁visit- ▁challenged- ▁became- ▁generic- ha- ▁modestly- ▁Products- ▁hundreds- ▁round- sis- ▁heading- ▁games- ip- ▁proactive- ▁reinsurance- ▁offices- ▁payers- ▁receiving- ▁specifics- ward- ▁4%- ▁advertisers- ▁ticket- ▁workforce- ▁Forward- ▁adverse- ▁mode- che- ▁promising- ▁dry- mer- ▁relate- ard- ▁Where- ▁fundamentally- ▁IP- ▁extraordinary- ▁award- ▁te- ▁faced- ▁listening- ▁vendor- ▁liabilities- ▁upward- ▁harder- ▁Bo- ▁strengthened- ▁Dan- ▁exclusive- ▁innovations- ▁elaborate- ative- pa- ▁stack- ran- ▁repurchases- ▁achievements- ▁claim- ▁succeed- ▁Medicare- ▁wrong- ▁Regarding- ▁switch- ful- ▁door- 1,- ▁1,- ▁bunch- ▁living- ▁voice- ▁feed- ▁night- ▁version- ▁li- ▁campaigns- ▁h- ▁surprise- ▁en- ▁continually- ▁fix- ▁accurate- ▁90- ▁inter- ice- ▁se- cost- ▁jump- ▁terrific- ▁metal- ▁crop- ▁regardless- ▁Operating- ▁edge- ▁initiated- ▁disposal- ▁responsibility- ▁served- ▁ultimate- ▁predictable- ▁mill- ▁extending- ▁promote- ▁cadence- ▁wave- ▁San- ▁navigate- ▁explained- ▁raised- ▁notable- ib- ▁definition- ▁receivables- ▁Paul- ▁broaden- ▁Ra- ▁Service- ▁offered- ger- ▁format- ▁print- ▁sports- ▁index- ▁uniquely- ▁assurance- ▁behalf- ▁ma- ▁tests- ▁bo- ▁lenders- ▁Joe- ▁upfront- ap- ities- ▁grade- ▁entertainment- ▁manager- ▁square- ▁Part- ▁secondly- ▁beneficial- ▁hedging- ▁bridge- fin- ▁Further- ▁rebound- ▁broadcast- ▁collections- ▁advancing- ▁warehouse- ▁innovate- ▁rents- ▁professionals- ▁essential- ▁joined- ▁sophisticated- ix- ny- ▁indeed- ▁worldwide- ▁women- ▁request- ▁goods- ▁Di- ▁thoughtful- ▁carrier- ▁bond- ▁Brian- ▁inform- ▁anticipating- ▁pain- ▁funded- ▁satisfied- ▁court- ▁Am- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁guarantees- ▁consistency- ▁secondary- ▁agenda- ▁compression- ▁indicate- driven- ▁continuation- lin- ▁Car- '8'- ▁link- ▁facts- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁prefer- ▁meetings- ▁announcements- ▁wrap- ster- ▁strengths- ▁preliminary- ▁Northern- ▁fruit- ▁lastly- ▁realizing- ▁anyone- ▁affecting- ▁Like- ▁Systems- ify- down- ▁efficacy- ▁eliminate- ▁pending- ▁occurring- fe- ▁Through- ▁Factors- ▁boost- ▁screen- ▁telling- ▁gaming- ▁modern- ▁firms- ▁excitement- ▁30%- ▁beverage- ▁electronic- ▁preparation- ▁Each- month- ▁allowance- ▁pushed- ▁equation- ▁listen- ▁Additional- ▁constraints- ▁conjunction- ▁severe- ▁characteristics- ▁Mar- ▁London- ▁somewhere- ak- ▁credits- ▁identifying- ▁earning- ▁watching- ▁EBIT- ▁translation- ▁signal- ▁agent- ▁favor- SA- ▁Tim- ▁collect- ▁15%- ▁picking- '7'- ▁analyze- ▁optimal- ▁advisers- ▁hopeful- ▁clarify- ▁diligently- ▁obvious- ▁alignment- ▁individuals- ▁anywhere- ▁noise- ▁evident- ▁renewals- ▁staffing- wide- ▁agreed- ▁optimism- ▁constitute- ▁reputation- ack- ▁permanent- ▁party- ium- ▁requirement- ▁acceptance- ▁fluctuations- ▁attack- ▁reverse- ▁slowing- ▁distributed- ▁contracted- ▁hire- ▁contains- ▁World- ▁1%- ▁sellers- ▁onetime- ▁waste- ▁enormous- ▁6%- ▁Does- ▁controls- ▁affordable- ▁signing- 4,- ▁define- ▁uses- ▁principles- generation- ▁aftermarket- ▁calculation- ▁complicated- ▁families- ▁trucks- ▁word- ▁branded- ▁comfort- ▁drugs- ▁disclose- ▁Plan- ▁represented- ▁background- ▁19- ▁competitiveness- ▁rely- king- ▁transparent- ▁Growth- ▁Matt- ▁alone- rate- AR- ▁stabilized- ▁currencies- ▁instance- ▁equally- ▁Street- ▁patent- RA- ▁exceeding- ▁nor- ▁feet- ▁variability- ▁benchmark- ▁unlock- ▁cable- ▁virtually- ▁Rob- ▁task- ▁accomplishments- ▁17- ▁assumes- ▁consolidate- ▁appetite- ▁relation- ▁refine- pro- ▁shorter- ▁maximizing- ▁philosophy- ▁situations- ▁harvest- ▁unknown- ▁fulfill- ▁reset- work- ▁shut- ▁qualified- ified- ▁Center- ▁Board- ▁smooth- ▁simplify- use- ▁satellite- ight- ▁midpoint- ▁shifts- ▁guarantee- ▁buyer- ▁decades- ▁openings- ped- ▁gained- les- ▁linked- ▁deck- ▁internationally- ▁former- ▁mixed- ▁corresponding- hand- ER- ▁renewed- ▁Sha- qui- ▁cards- ft- ▁Ad- J- ▁familiar- ▁green- ▁destination- ▁reconciliations- ▁OpEx- ▁complementary- ▁tech- ▁interim- ▁custom- ric- ▁Te- ▁renewable- ▁Korea- ▁classes- ▁Would- ▁upgrades- ▁allocate- ▁owner- ▁structured- ▁pickup- ▁gradually- ▁exploring- den- ▁passed- ▁fortunate- ▁releases- ▁Ta- ▁OEM- ▁proceed- ▁booking- ▁closure- ▁addressed- ▁prevent- ▁pure- ▁recruiting- ▁method- margin- ▁burn- ▁prospective- ▁horizon- ▁addressable- ▁prime- ▁Mr- ▁contractual- ▁audit- ▁Digital- ▁reliance- ▁bidding- ▁inherent- ▁IR- ▁reaction- ▁representing- ▁Fed- ▁entity- ▁tangible- ▁Basin- ▁appreciation- ▁24- ▁personally- ten- ▁obligations- ▁Kevin- side- ▁bio- ▁Here- ▁Ho- ▁awarded- ▁staying- ▁200- ▁disclaim- ▁burden- ▁stabilization- ▁liquid- ▁straight- ▁macroeconomic- ▁progression- 2,- dy- ▁pipe- ▁none- ▁copy- ▁Risk- ▁picked- ▁franchisees- ▁guided- ▁neutral- ▁3-- tle- ▁supports- ▁inflection- ▁forecasting- ▁counter- ▁ch- ▁cold- ▁Net- ▁surface- ner- ▁softer- ▁notes- ▁partnering- ▁experts- ▁measurement- que- ▁television- ▁environments- ▁student- ▁reasonably- ea- ▁afford- ▁funnel- ▁Comp- ▁priced- ▁mechanism- ▁OEMs- ▁timely- ▁career- cel- ▁booked- ay- ▁advisory- ▁session- ▁accepted- ▁sentiment- ▁constructive- ▁sensitive- ▁choices- ▁proceeding- ible- ▁catalyst- ▁hot- ▁proactively- ▁downward- ▁adjacent- MA- ▁Pe- ▁converting- ▁Sp- ▁amazing- ee- ▁Trans- ▁auction- '9'- ▁reinvest- ▁express- ▁testament- ▁Clearly- ▁sp- ▁earned- ▁firmly- ▁language- if- ▁incorporate- ▁Secondly- ▁survey- ▁Russia- ▁lock- ▁accordingly- ▁bright- ▁8%- ▁Op- ▁grid- ▁arise- ▁subscribers- ▁Market- 3,- ▁2014- ▁diligence- ▁referred- ▁operated- ▁25- cent- ▁electronics- ▁Within- ▁onto- ▁budgets- ▁diagnostic- added- ▁reps- ▁II- IC- ▁proposal- ▁wider- ▁financially- ▁therapeutic- ▁healthcare- ▁rights- ▁trending- ▁hurricanes- ▁lowering- ▁royalty- ▁barrels- ▁terminal- ▁consequence- forward- offs- ▁Data- ▁weight- ase- ▁Ne- ▁supportive- ▁shifted- ▁math- ▁acknowledge- ▁Reform- ▁virtual- ▁school- ▁indicative- ▁totally- ▁returned- ▁premiums- ▁buyback- ▁pointed- ▁Eastern- ▁marked- ▁FY- gi- ▁n- led- ▁frac- ▁web- ▁fronts- ▁achievement- level- ▁cyclical- ▁monetize- ▁Pa- ▁engines- ▁applicable- ▁understood- ably- ▁interact- ▁cutting- ology- ▁attempt- ▁registration- ▁treated- ▁AR- ▁sight- ▁flavor- ▁steadily- ▁greatly- '4.'- ▁anticipation- ▁developers- ▁properly- Z- ▁Ha- ▁accept- ▁standing- ld- ▁committee- ▁shelf- ▁concentrated- ▁capturing- ▁recycling- ▁additions- ▁lay- ▁State- low- ▁storm- ▁designs- ▁Was- ▁kick- ▁commissions- ▁memory- ▁Lastly- ▁stick- ▁serious- ▁noncash- ▁REIT- ▁40%- wa- ▁entities- ▁urban- ▁Po- ▁programming- ▁implications- du- ▁visible- ▁refining- ▁composition- ▁clinic- ▁meant- board- ▁Work- ▁letter- ▁host- ▁swing- ▁answers- IN- ▁Pre- ▁nuclear- ▁resolved- ▁IoT- ▁bonds- ▁Na- '1.'- ▁announcing- ▁equivalent- ade- ification- mission- for- ▁1.- ▁Spain- fer- ▁Greg- ▁historic- ▁Ga- ▁wonder- ▁kept- ▁repositioning- ▁economies- ▁Italy- ▁transactional- ▁literally- ▁Tri- ▁hired- ▁layer- ▁Brexit- ▁pack- yn- ▁formula- Co- '6'- ▁certainty- ▁resilient- ▁discontinued- ▁turnover- ▁functional- ▁messaging- ory- ▁Investment- '0'- ▁import- ▁Sea- ▁artificial- ▁discovery- ▁sh- ▁authorities- ▁assure- ▁commodities- ▁prioritize- ever- ▁establishing- ▁tariff- CE- ▁traditionally- ▁adds- ▁losing- ▁territories- ▁yourself- ▁theme- ▁radio- ▁laser- ▁enterprises- ▁adopted- ▁employment- ▁pound- ▁pharmaceutical- ▁calling- ▁sorry- ▁indirect- ▁Excluding- ▁separation- ▁bullish- ▁evidenced- ▁redevelopment- ▁gathering- ▁tie- ▁strive- ▁Technology- ▁payroll- ▁'18,- ▁attracting- ▁Markets- av- ▁foot- ▁Washington- ▁slowed- ▁quicker- ▁reflective- ▁predominantly- ▁row- ▁micro- ▁technological- ▁amongst- ▁Conference- ▁parent- ▁sc- grade- ▁responding- ▁differential- ▁decent- ▁disclosures- IS- ▁Department- ▁attrition- ▁pause- ▁membership- ons- ▁fits- ▁persist- ▁Litigation- ▁assumed- ▁notably- ▁cells- ins- ▁absorb- ▁materialize- ▁personalized- ▁regulated- ▁outperform- ▁cautionary- ▁handful- ▁wants- ▁Carolina- ▁closures- ▁ranges- ▁Under- ▁seamless- ▁poor- ▁naturally- ned- ▁7%- ▁adequate- ▁scheme- ▁ease- ▁highlighting- ▁sizable- ▁General- ▁arrangements- ▁chosen- ▁lever- ▁meantime- ▁carried- ▁hitting- ▁referenced- ▁database- ▁Mer- ▁j- ▁spin- ▁Corporate- ▁balancing- scale- ▁payout- ▁broadband- ▁swap- ▁vote- ▁Water- vent- ▁characterize- ▁issuance- ▁Bar- ▁military- ▁Furthermore- ▁AI- ▁receivable- ▁Enterprise- ▁controlling- ▁endpoint- da- light- ▁intellectual- ▁alluded- ▁streamline- ▁carbon- ▁compound- ▁knowing- ▁machines- ▁reinforce- ▁sizes- ▁prospect- ▁conducted- ▁Year- ▁transforming- vis- win- ▁Should- ▁rep- ship- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁Cha- ▁capitalized- ▁lumpy- ps- amp- ▁transport- ▁absorption- ▁semiconductor- ▁originations- ▁Don- gra- value- ▁audio- ▁contracting- ▁tender- ▁adopt- ▁install- und- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁pulling- ▁'15- ▁LNG- ▁People- ▁overcome- ▁Total- ▁deployments- ▁shipment- ▁principal- ▁convinced- ▁El- ▁scalable- ▁Ken- ▁sooner- ▁Hong- ▁learnings- '2.'- ▁bump- selling- ▁AS- ▁intensity- ists- ▁Medical- ▁Go- ▁merchant- ▁manufacturer- ▁copper- ▁takeaway- ▁disappointed- ▁Kong- der- ▁judgment- ism- ▁carrying- ▁CA- xi- gan- ▁penetrate- ▁validation- ▁Network- ▁billing- ▁repayment- ▁played- ▁transitioning- ▁description- ▁maximum- ▁o- ▁output- ▁automated- ▁remove- ▁imp- ▁'17.- service- ▁image- ▁methodology- ▁household- ▁conduct- ▁ho- ▁Cor- ▁ratings- ▁Chicago- ▁contractors- ▁tire- ▁Media- ▁presenting- ▁spite- ▁licenses- ▁territory- ▁Argentina- ▁Start- top- ▁route- ator- ▁Performance- ▁CFO- tor- ▁principally- ▁amendment- ▁apparel- ▁elsewhere- ▁foreseeable- ▁listed- ▁speaks- ▁observed- ▁code- lay- ▁undu- ▁Information- ▁men- ▁port- single- ▁aerospace- ▁successes- ▁scaling- 'ON'- ▁cohort- ▁recap- ▁tri- ▁three- ▁approaches- ▁quote- ▁pharma- ▁throughput- ▁ordering- ▁smartphone- ▁correctly- ▁ran- ▁governance- ▁Cloud- ▁sharp- ▁sensitivity- ▁therapies- ▁fluid- ency- ▁Delaware- ▁Google- ▁Why- ▁resolve- ▁minor- ▁introductions- ▁narrow- lan- ▁hurricane- cor- ▁Hurricane- ▁borrowing- than- ai- ▁lifetime- ▁Ru- ▁inflationary- ▁covering- ▁applying- ▁disruptive- ▁electricity- ▁profitably- ▁basin- ▁beat- ka- ▁noticed- ▁intense- ▁emerge- ▁subscriber- ▁investigation- ▁Vice- ▁scientific- ▁feels- field- ▁Southeast- ▁whom- ▁constrained- ach- ▁farm- ound- ▁delighted- ▁demands- TA- oo- tics- ▁pulled- ▁German- ▁leg- ▁packages- ▁sa- har- ▁threat- ▁chemical- ▁incur- ▁body- ▁downstream- ▁schedules- ▁slowly- ▁forma- ▁causing- ▁submission- ▁cat- ▁5-- ▁downside- ▁Number- fo- focused- ▁refinance- ▁panel- ries- ▁recruit- ley- ▁expenditure- bu- EN- aw- AN- ▁Everyone- ▁ba- ▁gradual- ▁enhancement- ▁tail- ▁favorably- ▁forecasts- ▁sponsor- ▁approaching- ▁Due- ill- ▁considerably- ▁forecasted- ▁jurisdictions- MS- ▁scenarios- ▁RE- AS- site- ▁securing- ▁Per- state- ▁domain- ▁unfortunately- ▁exceptionally- ▁stake- ▁proof- ▁warm- ▁deeply- ▁utilized- ▁Class- ▁mobility- ▁blend- ▁charter- ▁protocol- ▁tumor- ▁shipped- ▁listeners- ▁Lu- ▁billings- ▁bundle- ▁Northeast- ▁explanation- ▁remarkable- ick- van- ▁reviewed- ▁tap- ▁ore- ▁finalized- erto- ▁merchants- ▁accommodate- ▁doubled- ▁Mon- ▁vessel- ▁mindful- ▁operationally- ▁niche- ▁prepayment- ▁allocated- ▁appendix- ene- ▁sum- mark- ▁Ag- ▁hedges- ▁Every- ▁passion- ▁art- ▁commented- ▁trusted- ▁myself- ▁SaaS- ler- qua- ▁broker- ▁animal- ▁System- ▁valuations- ▁redeploy- ious- ▁Y- ▁passenger- ▁Key- ▁renovation- ▁workers- ▁Project- ▁ample- ▁battery- ▁monetization- ▁Company- ▁luxury- ▁progresses- ▁peer- ▁weekend- ▁attributes- ▁strike- ▁normalize- ▁upstream- ▁Ed- ▁exhibit- ▁threshold- ▁north- ▁obtain- ▁Gra- ▁combining- ▁diesel- ▁duty- ▁Gas- ▁lab- sell- ▁converted- ▁pharmacy- ▁Star- ▁touched- wood- oc- ▁Ac- ▁enthusiasm- ▁Ri- ▁payable- ▁conventional- ▁remodel- ▁Your- ▁subsidiaries- ▁surrounding- ▁decreases- ▁attributed- ▁leaving- ▁parallel- ▁Specifically- ▁She- ▁forms- ▁Bio- ivity- ▁bonus- ▁AM- ▁dive- ▁incident- ▁movie- like- ▁fulfillment- ▁ca- ▁graph- ▁exists- ▁chose- ▁sometime- ▁ambition- sized- ear- ▁conscious- au- 5%- ▁Col- ▁remote- ▁fastest- ▁strides- ▁consultants- ▁pet- ▁Black- ▁Park- ▁relief- ▁recoveries- air- ▁trigger- ▁rare- ▁Pi- ▁tons- holder- ▁tested- ▁interface- ▁executives- ▁Ti- ▁enthusiastic- ▁preserve- ▁Rico- ▁Customer- ▁engagements- ▁Beyond- ▁Corporation- ▁dozen- ▁airport- '3.'- ▁missed- ▁pump- ▁resilience- ▁variance- ▁simultaneously- ▁retaining- ▁street- ▁pretax- ▁holidays- ▁Consistent- ▁Gu- ▁reviews- ▁underground- ▁send- ▁lifestyle- ▁submitted- ▁factories- ▁Ch- ▁elect- ▁collaborative- ▁supplies- ▁whilst- ▁par- ▁informed- ▁separately- ▁lateral- ▁density- ▁acute- ▁discounts- ▁calculated- ▁accounted- ▁controlled- ▁Easter- ▁breakdown- ▁assessing- ▁topics- ▁educate- ▁bankers- ▁placement- ▁completions- ▁Their- ▁listing- ▁extract- ▁agile- ▁anyway- ▁rigorous- ▁Things- ▁Peter- ▁subsidiary- ▁proper- ▁ships- ▁digit- ▁predictions- ▁wanting- ▁young- ▁consolidating- ▁acceptable- ▁Su- ▁Insurance- ▁optionality- pay- ▁fell- ▁shortage- ▁skill- ▁Analyst- ▁EMEA- ▁Two- ▁phases- ath- ▁negotiation- ▁recording- ▁discrete- ▁termination- ▁airline- making- ▁impression- ▁loyal- ▁accountability- ▁tier- ek- ▁Jo- val- ▁urgency- ators- ▁aimed- ▁moments- ▁throw- rg- ▁marks- ▁CO- we- ▁basket- ▁crisis- let- ▁70- ▁wood- ▁Certainly- ▁resonate- ▁tougher- pt- ▁tightening- ▁Will- ▁Real- ▁distinct- ane- ▁pleasure- ▁validate- ▁document- ▁arrangement- ▁mis- nce- ▁advice- ▁weigh- ▁forces- ▁impressed- ▁medicine- ▁interaction- rm- ▁proxy- ▁80%- ▁CP- ▁tables- ▁surgical- ▁producer- ome- ▁r- ▁precise- ▁Wa- ▁Medicaid- ▁Vegas- ▁identity- ▁9%- ▁Mac- ▁Ka- ▁district- ▁JV- ▁viewed- ▁discretionary- ▁rich- ▁accident- ▁ID- ▁outperformance- ▁connecting- ▁apart- right- ▁disposition- run- ral- ▁spoken- ery- ▁spec- ▁failure- ▁pathway- ▁frequently- ▁expansions- ▁blue- ▁100%- ▁Ni- ▁protein- ▁array- ▁unfold- ▁rebuild- ▁exposed- ax- par- ▁doctors- ▁drilled- all- ▁everywhere- ▁inclusion- ▁worry- ▁8-- ▁Ju- ▁skilled- ▁popular- ▁retained- ▁alliance- ▁unexpected- uc- ▁tighter- ▁Eagle- ▁corporation- ▁upgrading- ▁flight- ▁Va- ▁Call- ▁Du- ▁80- ▁preference- ▁deliberate- ▁High- ▁60%- ▁improves- ▁settle- ▁31- ▁roles- ▁pivot- ▁pa- ▁Christmas- ▁white- ▁Alberta- ▁gr- ▁Food- ▁campus- ▁empower- ▁reposition- ▁novel- ▁inspection- NA- ▁Ve- ▁leased- ▁precision- effective- ▁stockholders- ▁Australian- ▁influenced- ▁Asian- ▁film- ▁contemplated- ▁Jersey- ▁absence- ▁reinvestment- LA- ▁certification- ▁negotiating- ▁perception- ▁twice- ▁derivative- ▁underscore- centric- ▁guiding- ▁Specialty- ▁Hi- ▁integrity- ▁nonrecurring- ▁stretch- ▁replaced- ▁ingredients- ▁ROI- ▁defend- ▁negotiate- ▁satisfy- ▁commit- ▁airlines- ▁resume- ▁Green- ▁receipt- ▁pillars- ▁proposals- ker- ▁regularly- ▁dilution- ▁replacing- ▁ball- ▁instruments- ▁manufacture- ▁comparative- ▁pipelines- ▁confirmed- ▁fun- ▁ladies- ▁substitute- ▁Apple- ▁younger- ▁advances- ▁collateral- ▁fifth- ▁Las- ▁red- ▁climate- ▁disappointing- ▁responses- ina- ▁PC- EX- ▁optimized- ▁visits- ▁engineers- ▁tank- ▁stands- ▁blocks- mar- ▁op- ▁nation- ▁Japanese- ▁determination- ▁Fourth- ▁mineral- ▁franchises- ▁imply- ▁authorization- ▁finalize- ▁script- ▁thrilled- ▁undertaking- sale- ▁motor- ▁rationalization- ▁Nu- ▁leveraged- ▁Dr- ▁hurt- ▁midstream- ES- ▁whose- growing- ▁falling- ▁unable- ▁comparing- ▁outline- ▁Inter- ▁honest- mail- ▁heat- ▁Look- ▁thereby- ▁secular- ▁States- ▁cl- ▁turns- ST- ▁Construction- ▁reading- ▁audiences- ▁Connect- outs- ▁beauty- ▁intelligent- ▁velocity- ▁conversions- ▁specialized- ▁container- ▁invite- ▁Red- ▁wages- ▁rec- ▁Smart- ▁brokers- ville- ▁tra- performance- ▁2-- ▁blood- ▁reorganization- ▁master- ▁deem- ctor- ▁unlikely- ▁Customers- ▁workflow- ▁exiting- ▁anniversary- ▁inorganic- ▁diluted- ▁AD- ▁payer- ▁Sun- ▁submit- ▁Quarter- ▁whereas- ▁recovered- ose- ▁periodic- ▁French- ware- ▁corner- ▁cultural- ▁preclinical- ▁surgery- ▁surgeons- ▁interactions- ▁Security- ▁anchor- ▁concentrate- ▁diseases- ▁flowing- ug- ▁imports- ▁Annual- ▁Ge- ▁reward- ▁deleveraging- ▁trained- ulation- ey- ▁Midwest- ▁relevance- ▁Boston- ▁baseline- ise- TE- ▁incorporated- ▁concepts- ▁qu- ▁linear- ▁bolster- adjusted- chi- ▁excludes- ▁overlap- ▁extreme- ▁breakeven- ▁headquarters- ▁discounting- ▁valued- ▁attribute- cy- AP- ▁miss- ▁adult- ▁vital- ▁Doug- ▁hub- ▁DC- ▁wherever- ▁pockets- ▁agility- ▁12%- ▁construct- ▁Building- ▁prudently- ▁Com- ▁revolving- ▁Rock- ▁stations- ▁outsourcing- ▁intangible- ▁reservoir- ▁alongside- iti- tting- ▁Auto- OR- ▁responded- ang- ▁stabilizing- ▁noncore- ▁protecting- ▁distributions- ▁methods- ▁Gen- ▁evening- ▁m- ▁concrete- ▁geo- ▁rock- ▁representative- ▁pad- PA- core- ▁immune- ▁Blue- ▁Fin- ▁academic- ▁multifamily- ▁Mobile- ▁ideal- ▁practical- ▁Congress- ▁rewards- ock- ▁anti- ▁computing- ▁Cost- ▁procedure- ▁mandate- ▁midst- ud- ▁Results- ▁casino- ▁reversal- ▁accretion- ▁Ford- ▁serves- ▁Frank- ▁man- ▁revolver- ▁referral- ▁IPO- ▁annualized- ▁convenient- ▁doors- ▁storms- ▁willingness- ▁deterioration- ▁Che- ▁parameters- ▁Very- ▁presentations- ▁scores- ▁records- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁formation- ▁grant- ▁contractor- ▁Man- ▁uplift- ▁whenever- risk- ▁suggested- ake- OS- tech- ▁Ce- ▁responsive- ▁bankruptcy- ▁viable- ame- ▁marine- ▁visual- ▁MA- ▁contingent- AM- ▁deepen- ▁recession- ▁flu- ▁restore- ▁download- hy- ▁Cap- ▁divestiture- ▁Federal- ▁apartment- ▁reduces- ▁purely- ▁negotiated- ▁nimble- ▁suspect- ▁Har- hold- ▁distribute- ▁fight- ▁Brazilian- ▁covenants- ▁Colorado- ▁augment- ▁solely- ▁publication- ▁gear- ▁missing- ▁outdoor- ▁sides- ▁hires- ▁Ki- ana- ▁foresee- ▁renew- ▁adviser- US- ▁timeline- ▁k- ray- ▁extensions- ▁modernization- ▁enjoyed- ▁Certain- ▁cuts- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁possibilities- ▁Valley- ▁Virginia- ▁ventures- ▁marginal- ki- ▁demographic- ▁partial- ▁Banking- ▁convertible- ▁brokerage- ▁presents- ▁experiment- EL- ▁restrictions- ual- ▁difficulty- ▁retire- ▁accuracy- ▁analyzing- ▁camera- ▁lighting- ▁station- ▁capitalizing- ▁zone- ▁disruptions- ▁aluminum- ▁expire- ▁unprecedented- ▁sensor- ▁relentless- ▁glad- ▁occurs- ▁pillar- ▁title- ▁powder- ▁tomorrow- ▁spike- ▁lesser- ▁miles- ▁ending- ▁bag- ▁predictive- ▁undertaken- era- ▁scrap- well- ▁guidelines- tim- ▁formulation- ▁beta- ▁borrowers- ▁Gary- growth- TI- ▁eliminating- ▁poised- ▁resort- ▁captured- ▁anymore- CA- ox- ▁Hawaii- ▁likelihood- ▁simplification- tain- nder- ▁gift- wi- ▁correlation- ▁qualification- ▁redesign- ▁directors- ▁EU- standing- ▁bucket- ▁gl- ▁aspiration- ▁recruitment- ev- IT- IP- ▁triple- ▁chunk- ▁focuses- ▁apps- ▁projection- ▁Wi- ▁streaming- ▁dial- ▁ne- ▁permit- ▁safely- ▁Colombia- ▁redemption- ▁snow- ▁apparent- ▁pursuit- ▁Pat- ▁correction- ▁deflation- ▁refined- press- ▁consent- ▁root- ▁iron- ▁exports- ▁startup- ▁buybacks- ▁war- ▁trans- ▁club- ▁references- ▁unified- ▁involves- ▁Program- ▁Poland- ▁rooms- ▁collective- ▁tick- ▁healthier- cer- ▁Jon- ▁hour- ▁Demand- ▁foremost- ▁sustaining- ▁forget- form- DA- ▁seemed- ▁noting- ▁pit- ▁candidate- ▁employ- ▁outpace- ▁upgraded- ▁employers- ▁replicate- ▁realignment- ▁permitting- ▁Asset- ▁connections- ▁ramped- ▁Th- IA- alone- ▁Office- ▁Healthcare- mic- ▁headed- ▁variables- ▁names- ▁Similar- efficient- ▁Earlier- ▁Ontario- ▁underperforming- ▁restricted- ▁geographically- ▁ads- '20'- ▁bids- ▁Rick- ▁Strong- ▁doubling- ▁saving- ▁norm- ford- ▁Core- ▁plastic- ▁cargo- ▁hospitality- ▁Eric- ▁hoped- ▁Friday- ▁exited- ▁mutual- ▁proving- ▁worried- ▁granted- ▁trip- ▁contrast- ▁70%- ▁motion- ▁analyst- ▁11%- ▁Marketing- ▁Brad- ▁dates- ble- ▁Whether- ▁Jack- uring- ▁passing- ▁hundred- ▁Partners- ▁illustrate- ▁messages- ▁treating- iz- ▁1995- ▁Credit- ▁treasury- ▁tissue- ▁motivated- ▁borrowings- ▁mechanisms- ▁excluded- ▁Technologies- ▁additive- ▁glass- ▁pilots- ▁oncology- ▁lap- ▁rational- ▁spaces- ▁expiration- ▁forefront- ▁90%- ▁affiliate- cap- ▁official- ▁institution- cept- ▁refund- bl- ▁wall- stage- ▁style- kin- ▁stat- ▁aside- ▁imaging- ▁IFRS- ▁progressed- ▁tens- ▁grows- ▁diversifying- ▁segmentation- ▁regulator- ▁revision- ▁subs- ▁fl- ▁modules- ancy- ▁wire- ▁electrical- ▁em- ▁geographical- ▁coffee- ▁default- ▁placing- ▁Up- ▁domestically- ▁boxes- ▁logic- ▁park- ▁broadening- ▁fluctuate- ▁billion- plus- ▁Da- ▁mines- ▁Dallas- ▁consensus- ▁fragmented- ▁generator- ▁flagship- ▁ERP- ▁evolved- ▁Executive- ▁hike- ▁permits- ▁foundational- ▁Control- ▁smarter- ▁recovering- ▁AB- ▁choosing- ▁Fund- ▁rain- ▁rationale- ▁temp- ▁Throughout- ▁seller- ▁indicates- ▁Sweden- ▁judge- ▁builds- ▁switching- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Development- ▁Note- ▁grades- ▁Together- ▁conviction- ▁click- ▁intake- ▁headline- ▁thorough- ▁selectively- ▁reaffirm- ▁Finance- ▁limits- ▁clearance- ▁municipal- ▁venue- ▁children- ▁assistance- ▁cautiously- lon- ▁removed- ▁evaluated- ▁Has- ▁stories- ▁honestly- ▁Open- ▁decreasing- ▁heightened- ▁attendance- ▁themes- ▁broken- ju- ▁Inc- ▁incrementally- ▁hu- car- ▁lumber- ▁dropped- ▁rank- ▁Remember- ▁tactical- ▁County- pac- ▁fleets- ▁downtime- ▁cur- ▁Brands- ▁worst- ▁locally- rd- ▁GE- ▁begins- met- ▁trouble- ▁farmers- ▁Did- ▁log- ▁Product- ▁filling- ▁caught- ▁unsecured- comp- ▁Han- ▁gather- ▁sensors- ff- ▁seriously- ▁sample- ▁preferences- ▁dispositions- ▁gate- room- ▁arm- ▁tailwind- ▁considerations- ▁unmet- fu- ▁Syn- ▁seat- ▁Chairman- ▁affordability- ▁economically- ▁pronounced- ▁telecom- ▁music- ▁schools- ▁tower- ▁Big- ▁Cal- ▁Ohio- ▁statistics- ▁uptake- point- late- ▁disclaimer- ▁chronic- ▁nobody- '%'- ▁Access- ▁debate- ▁Ver- oriented- ▁quantity- ▁refinery- ▁Rich- CI- ▁River- ▁factored- ▁traded- nic- ▁commerce- ▁prescription- ▁exclusively- ▁severity- ▁muted- ▁shutdown- ▁initiate- ▁terminals- af- ▁perfectly- ▁diminish- ▁routine- turn- ▁da- ica- ▁Unfortunately- cal- yl- ▁departments- ▁mechanical- ▁mistake- ▁shrink- ▁chains- ▁surprising- power- ▁ambitious- ▁sweet- ▁lens- ▁fo- ▁ro- ▁pop- ▁probability- ▁slate- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁accessories- ▁Accordingly- ▁needle- ▁similarly- ▁filled- ▁Microsoft- ▁dispute- ▁Safety- ▁Oil- ▁instrument- ▁branding- ▁disrupt- ▁communicating- ▁simplified- ▁grocery- ional- ▁lowered- sum- ▁Across- ▁pivotal- ▁Higher- ▁formats- ▁strict- ▁Public- ▁compensate- ▁calculate- ▁mall- ▁Meeting- ▁spirit- 2%- ▁greenfield- ▁classified- ▁CD- ▁sea- ▁everyday- ▁suggests- ▁bus- ▁NIM- ▁grateful- q- long- ▁studio- je- gate- ▁gaps- ▁signals- ▁residents- ▁gene- bra- ▁mile- water- ▁Facebook- ▁residual- ▁bolt- ▁crews- ▁eliminated- ▁ten- VA- ▁requiring- ▁Jason- ▁Lake- '10'- ▁payback- ▁Pay- ▁server- ▁oral- ▁Gross- ▁ROE- ▁bode- ▁floating- ▁enroll- ▁union- ▁allocating- ▁barriers- ▁conducting- ▁Tele- gy- ison- 1%- ▁FI- ▁Marine- ▁limitations- ▁proved- AT- ▁boat- ▁cluster- ▁House- ▁stepping- ▁breaking- ▁mortgages- han- ▁Dis- ▁Illinois- ▁merit- ▁commence- ▁embrace- ▁Card- ▁warrant- ▁Bay- ▁restart- ▁widely- ▁screening- ▁generates- ▁star- ▁immuno- ▁flip- ▁customized- ▁Si- ▁commenced- men- ▁commissioning- ▁surplus- ▁Bri- ew- ▁logical- ▁shops- ▁baked- ▁inefficiencies- ▁Andrew- ▁minority- ▁span- ▁mail- owned- ▁25%- ▁employed- ▁cool- ▁medicines- MI- ▁Reconciliation- ▁impossible- ▁teleconference- ▁Express- rated- ▁aging- ▁commercially- ▁demographics- ▁fields- ▁unlike- ▁surge- part- ▁bearing- ▁distinguish- ep- ▁la- ▁developer- ▁Direct- ▁aviation- ▁Vo- ▁techniques- ▁outflows- ▁locked- ▁holistic- ▁idle- ▁premise- ▁Materials- ▁adversely- ero- ▁named- ▁autonomous- ▁friction- ▁coupon- fusion- ▁Cash- ▁ATM- ▁adopting- ▁mu- ▁finalizing- ▁refocus- ▁ancillary- ▁incumbent- ▁Brand- ▁impactful- ▁titles- ▁derived- ▁divestitures- ▁publish- stone- ▁overnight- star- ▁simplifying- ▁installations- ▁imperative- ▁Hill- ▁rein- ▁characterized- ▁employer- ▁Uni- ▁eyes- ▁translated- ▁Web- ▁tenure- ▁lifting- ▁gen- ▁Indonesia- ▁manifest- ▁multiples- ▁sent- ▁divest- ▁regain- ▁promoting- ▁flex- ▁border- ▁centralized- can- ko- ▁onboard- ▁delever- ▁pulp- ▁ruling- ▁strip- ▁Tax- ▁royalties- ▁transcript- ▁AC- ▁Atlantic- ▁defer- type- ▁Ja- ▁aligning- ▁emissions- ▁expression- ▁Point- ▁App- ▁expert- ▁principle- ita- ▁kids- ▁intact- ▁unusually- app- ▁text- ▁George- ▁filter- ▁comprised- ▁concessions- ▁diligent- ▁comply- ▁south- ▁Plus- ▁predictability- positioned- ▁cheaper- ▁struggle- ▁demanding- ▁logo- ▁prescribe- ▁shortages- ▁mentioning- ▁friends- ▁Science- ▁revolution- ▁wellness- '-1'- ▁clearer- ▁British- ▁accrual- ▁cement- ▁bias- ▁placements- ▁forced- ▁modernize- ▁casual- ▁Keep- ▁chemicals- ▁stepped- ▁Broad- ▁Phoenix- ▁Zealand- ▁dominant- ▁Along- ▁lighter- '50'- ▁Senior- ▁Wealth- ▁Court- ▁transitions- ▁directed- ▁enhances- ▁matching- ▁weekly- 3%- ▁fueled- ▁routes- ▁appointment- ▁collaborate- ▁speculate- SE- ▁Tech- ▁centered- force- ▁Ber- ▁progressive- ▁PR- ▁CE- ▁Electric- ▁Richard- ▁Norway- ham- pho- ▁elected- ▁21- ▁genetic- ▁Reg- old- OP- ▁settled- EC- ▁predicted- ▁agricultural- ▁modify- ▁crew- ura- premise- ja- ▁Transportation- ▁erosion- ▁resonating- ▁relied- ▁Gold- free- ution- ▁crucial- ▁opposite- ▁streamlining- ▁optical- spec- ▁divestment- ▁consume- ▁quota- ▁Mid- ▁Chemical- ▁millennial- ▁isolation- ▁Flex- ▁authority- ▁transformative- ▁passionate- ▁stayed- ▁disaster- ▁shortfall- print- ▁answered- ▁Ron- ▁nursing- ▁1,000- ▁race- ▁Tony- ▁instances- ▁implies- ▁Republic- ▁trades- ▁accessible- ▁precisely- location- ▁Several- ▁equities- ▁loaded- ▁hosting- ▁elevate- ▁ra- ▁annuity- ▁elimination- ▁landlord- ▁teach- ▁dining- ▁IC- ya- ▁renewables- ▁consist- ▁score- ▁tightly- ▁neighborhood- ▁argue- ▁craft- ▁licensed- dding- ▁TA- wear- ▁temporarily- ID- ▁affects- ▁attracted- ▁drawing- ▁PD- ▁accurately- ▁interpret- ▁Atlanta- ▁Lower- ▁envision- ▁attached- ▁illustrates- ▁Personal- ▁ordinary- ▁rough- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁requests- ▁externally- ua- ▁exposures- ▁newest- ▁Tra- ▁wondered- ▁transact- ▁albeit- ▁differentiating- ▁perpetual- ▁Gene- ▁arena- ▁compares- ▁accompanying- ▁Cy- iff- ▁annually- za- lease- ▁activation- ▁exploit- ▁reception- ▁omnichannel- ▁translates- ▁warranty- ▁restructure- ▁cautioned- ▁mills- ▁Time- ▁sponsors- ▁Navy- ▁premature- ▁revisit- ▁detection- cycle- ▁hole- ▁competencies- ▁integral- ▁VA- ▁overwhelming- ▁town- ▁projecting- ▁300- cho- cus- ▁Netherlands- ▁article- ▁corn- ▁Hu- 8%- ▁hydro- ▁charging- ▁shaping- ▁activate- ▁holds- cha- specific- ▁finishing- ▁eager- ▁implant- ▁unrealized- ▁13%- ▁Fair- ▁hence- ▁supposed- ria- ▁cheap- ▁observations- ▁Series- ▁du- ▁computer- ▁populations- ▁fr- ▁propositions- ▁securitization- ▁GP- product- ▁Oklahoma- ibility- play- ▁dig- ▁phasing- vision- ▁collectively- ▁subscriptions- ▁skin- ▁province- ▁nationwide- ▁zones- ▁networking- ▁metals- ▁Resources- ▁winner- ▁Andy- ▁namely- ▁Foods- ▁softening- ▁chase- ▁rebuilding- ▁Free- ze- ▁War- ▁character- 6%- ▁Pri- ▁Automotive- ▁depressed- ▁privilege- ▁statistical- ▁boot- ▁seamlessly- ▁inflows- ▁Electronic- ▁catastrophe- ▁appreciated- ▁hyper- ▁bi- uff- ▁detect- ▁outages- ▁Arizona- ▁durable- ▁mitigated- ▁Live- ▁printing- ▁renovations- nci- ▁alter- teens- ▁Alex- ▁repay- bit- ▁RevPAR- ▁assembly- ▁difficulties- facing- ▁Trust- ▁dual- ▁basins- ▁yielding- ▁competitively- ▁Super- ening- ▁argument- ▁Though- ▁hang- ▁lender- ▁injection- ▁compensated- ▁airplane- ▁fraud- ▁society- ▁Light- ▁formed- ▁Platform- ▁crack- ▁brick- ▁treatments- ▁analytical- ▁metro- ▁fans- ▁King- ▁fabric- ▁Sand- ▁reinvesting- ▁Michigan- ▁14%- ▁Spring- ▁semi- ago- ▁transitioned- ▁Indian- ▁th- ▁bandwidth- ▁tip- ▁rid- ▁fruition- how- ▁applies- ▁delta- ular- ▁Out- ▁Island- ▁simpler- ▁inherently- ▁qualitative- ▁manual- ▁PE- ▁Way- ▁500- ▁band- 7%- ▁determining- ▁grain- ▁conclusions- ▁contributors- ▁variation- ▁leisure- ▁repricing- ▁amended- ▁12-- ▁blended- ▁PA- weight- ▁'20- ▁wise- ▁Report- ▁Los- ▁occasions- ▁inhibitor- ▁SA- ▁paint- ▁sudden- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- head- source- ▁CMS- wise- ▁automate- ▁innovating- ▁stopped- ▁digest- tel- ▁observe- ▁transformed- ▁aid- ik- ▁Mu- ▁endeavor- ▁transferred- ▁tuck- ▁Marc- ▁chip- ▁suit- ▁Defense- ▁excuse- ▁Mill- ▁outlet- ▁Jay- ▁desired- ▁digitally- cular- ▁pride- ▁hurdle- add- ▁laying- ▁addresses- ▁onboarding- ▁harm- ▁buffer- ▁configuration- ▁Nor- ▁Line- ▁headlines- istic- ▁overly- ▁clarification- ▁outage- ▁rationalize- ky- ▁letting- ▁patents- ▁Craig- ▁Target- ▁convey- ▁Val- ▁Robert- ▁ski- verse- ▁revisions- TS- ▁Nevertheless- ▁silver- ▁Land- ▁advised- ▁analog- ▁Store- ▁pumping- ▁inject- ▁Property- ▁circuit- ▁showcase- ▁Ultimately- ▁engineered- ▁valid- ▁severance- ▁Micro- ▁roof- ▁DNA- ▁energized- ▁Sam- ▁trailing- ▁SKUs- ▁liquids- ▁iconic- ▁Midland- ▁lineup- ▁suggesting- ▁inquiries- ▁intensive- ▁sake- ▁personalization- ▁tailored- ▁manageable- ▁obtained- ▁outperformed- ▁capitalization- ▁concluding- ▁builders- ▁containers- ▁footwear- ▁trucking- serv- ▁tighten- ▁restrict- ▁Seattle- ▁Supply- ▁Sky- ▁demo- ▁samples- ▁heads- ▁honor- ▁holders- ▁repairs- ▁recapture- ▁bench- ories- ▁buckets- ▁lessons- ▁tenders- ▁modified- ▁vacation- ▁steep- ▁sport- ▁celebrate- ▁prepaid- ▁vacancy- ▁bounce- ▁pan- lia- MO- ▁parks- ▁era- ▁Ko- ▁Natural- ▁achievable- ▁drink- ▁scheduling- ▁inclusive- ▁subsequently- ▁eat- ▁protected- ▁portal- ▁lo- ▁gearing- ▁recommendations- ▁Her- ▁Margin- ▁black- ▁capacities- ▁mitigation- ▁taste- ▁Ben- ▁granular- ▁Association- ▁Research- ▁emergency- ▁phenomenon- ▁pleasant- ▁neuro- ▁fab- SP- ▁advancement- LI- ▁Long- ▁Northwest- ▁comparability- ▁contraction- ▁Actually- ▁chat- ▁awful- ▁pertain- ▁lie- ▁individually- cast- ▁frequent- ▁thrive- ▁lumpiness- ▁authorized- ▁Bu- ▁algorithms- ▁concession- ▁tailwinds- ▁avenues- ▁taxable- ▁Process- ▁medication- ▁resiliency- ▁quiet- ▁fraction- ▁walking- ▁participated- tribut- ▁AG- ▁cumulative- ▁validated- ▁submarket- ▁shorten- ▁opt- 9%- ▁thereafter- ▁relying- ▁Firstly- ▁consumables- ▁reseller- ▁Phil- ▁parcel- stock- ▁pie- ▁aiming- ▁heavier- ▁maturing- ▁measuring- ▁prototype- ▁issuing- ▁Todd- ▁EM- ▁ride- ▁organized- ▁reap- ▁representatives- ▁Louisiana- ▁survival- ▁concert- ▁plate- ▁threats- ▁dip- ▁discover- ▁towers- ▁interruption- ▁deduction- TO- ▁registered- ▁module- tier- ▁ES- ▁keen- ▁Nick- ▁NOI- ▁Avi- ▁whereby- ▁acting- ▁designing- maker- ▁sugar- ▁trough- ▁derisk- ▁relocation- ▁structurally- LE- ▁lies- ▁manufactured- ▁Without- ▁inbound- ▁breakthrough- mod- ▁suited- ▁Tru- ▁surprises- ▁involving- ▁salary- ▁significance- ▁Early- ▁Wood- ▁clinicians- ▁weakening- ▁mini- ▁trick- ▁viewing- RO- ah- answer- ▁outlets- ▁Columbia- ▁Mexican- ▁declare- ▁ounces- ▁removing- ▁phones- ▁advise- ility- pic- j- ▁hurdles- ▁England- ▁silicon- ▁Jan- performing- ▁loading- ▁hosted- ▁23- ▁convention- ▁limiting- ▁cyber- ▁ought- ▁Monday- ▁liver- ▁African- ▁somehow- row- ▁answering- ▁arrive- ▁Lab- edge- ▁covenant- ▁CB- ▁notwithstanding- ▁dictate- ▁bold- ▁kit- ▁slip- building- ▁lend- ▁justify- ▁dosing- ▁assured- ▁36- ▁seats- book- ▁underpin- ▁Welcome- ▁feasibility- ▁mitigating- ▁Thus- ▁jet- ▁Union- ▁contemplate- ▁Ya- ▁OP- bank- ▁clinically- ▁Liberty- ▁cushion- ▁gauge- ▁Take- ▁clearing- ▁James- ▁CRM- ▁Chi- ▁RO- ▁consequences- ▁Operator- ▁chapter- ▁chasing- ▁legislative- ▁remediation- ▁relaunch- ▁phenomenal- ▁documentation- ▁streamlined- ▁labs- lect- expected- ▁reinforces- priced- ▁credibility- ▁furniture- ▁Account- ▁pleasing- ▁collected- view- ▁programmatic- ▁refi- ▁flying- ▁advancements- ▁parking- ▁Missouri- ▁dairy- ▁layers- ▁CI- itation- ▁appealing- demand- ▁CS- ▁sharpen- ▁styles- ▁Club- ▁Future- ▁Minnesota- ▁molecular- ▁scratch- ▁tonnage- ▁Martin- ▁requested- ▁passive- stream- ▁recommend- ▁cooperation- ▁deficit- ▁heritage- ▁roadmap- ▁statutory- ▁Chile- ▁pumps- ▁bills- tec- ▁educational- ▁restructured- ▁rural- ▁automatically- ▁readiness- ▁fish- ▁attend- ▁plug- price- ▁occasion- ▁Cu- ▁billions- responsibilities- ▁compliant- ▁salespeople- ▁dilutive- ▁strictly- ▁solidify- hu- ▁pads- ▁underwrite- ▁mirror- ▁opioid- ▁foster- ▁17%- ▁commercialize- via- ▁Non- ▁University- ▁compromise- ▁Ocean- ▁undergoing- ▁straightforward- ▁Taking- ▁deleverage- ▁Port- ▁SP- ye- ▁unlocking- UR- fold- ▁Switch- ▁catalog- ▁universe- ▁Sports- ▁Price- ▁articulated- ▁owning- ugh- ▁relations- ▁Historically- ▁Ryan- ▁journal- ▁mortality- ▁neither- ▁yard- ▁Production- ▁classic- ▁Safe- ▁Angeles- ▁Saudi- ▁proximity- ▁scalability- ▁turbine- ▁variations- ▁entrants- ▁Win- ▁arms- ino- ▁agriculture- ▁chemistry- ▁multinational- ▁voluntary- ▁Sometimes- ▁speculation- ▁DS- ▁Pan- channel- ▁NAV- ▁geopolitical- ▁rush- ▁solving- mortar- ▁shoot- ▁shot- ▁calculations- ▁16%- ▁22- ▁suffered- plan- ▁AP- ▁nominal- ▁stimulate- ▁distraction- ▁persistent- ▁migrating- ▁quantitative- ▁thermal- ▁18%- oid- ▁transitional- ef- place- ▁specialists- ney- ▁interconnect- atory- ▁accomplishment- ▁Education- ▁describing- ▁salaries- ▁squeeze- ▁flattish- iding- EM- ▁EP- ▁Innovation- ▁Irma- ▁dealership- ▁representation- ▁normalization- ▁collecting- ▁removal- ▁shock- ▁enforcement- ▁suffer- ▁outsized- ▁MS- ▁heating- ▁Far- brand- ▁meat- ▁Premier- ▁incorporating- ▁CM- ▁Shop- ▁Stock- ▁four- az- ▁Generally- gar- ▁Government- ▁Kansas- ▁distance- ▁edit- ▁fat- lim- box- ▁publishing- ▁FFO- ▁Harbor- ▁Software- ▁Southwest- ▁slot- ▁Ab- ▁Moreover- bri- ▁approached- ▁absorbed- ▁advertise- reduction- ▁CC- ▁Olympic- ▁college- ▁Division- ▁noninterest- ▁obtaining- ▁widening- ▁robotics- ▁upsell- only- ▁ambitions- ▁landing- ▁Committee- ▁FERC- ▁omni- ji- ▁meal- ▁attain- ▁gasoline- ▁moderated- ▁enrolled- ▁unmatched- ▁snack- ▁Beach- ▁modifications- ▁technically- ▁Advanced- ▁Switzerland- ▁mega- ▁hubs- ▁Infrastructure- ▁tobacco- ▁tweak- ▁films- ▁independently- ▁Ke- matic- ▁offline- ▁TR- ▁interactive- ▁commenting- ▁shoppers- fill- new- range- ▁DA- ▁outperforming- ▁GDP- ▁composite- ▁warrants- ▁gateway- ▁consultation- ▁critically- ▁deepening- Point- ▁Hospital- ▁batteries- ▁diabetes- ▁milk- ▁preserving- ▁reinvent- ▁farms- ▁consists- ▁Denver- ▁underpinned- ▁observation- ▁attraction- ▁Med- ▁HR- ▁ME- ▁crystal- ▁Labor- ▁dropping- ▁alert- ▁liquidation- tz- ▁kicked- ▁explicit- ▁ultra- ▁molecule- ▁assay- ▁bundled- train- ▁recommendation- ▁teens- ▁Carl- ▁workplace- ▁EV- ari- ▁enjoying- ▁crush- ▁spacing- ▁malls- ▁prescriptions- ▁Bur- ▁renewing- ▁400- ▁Value- fully- ▁Russian- ▁examine- ▁prolonged- ▁truth- ▁standalone- ▁till- RP- ▁instrumental- ▁Alaska- ▁prominent- ▁semester- ▁flash- ▁jewelry- ▁Currently- ▁reconcile- ▁deferral- ▁dislocation- ▁Communications- ▁Post- ona- CH- ▁withdraw- ▁goodwill- ▁Grand- ▁theaters- ▁provisioning- ▁originated- ▁nearing- ▁approve- ▁associate- ▁insurers- ▁sun- ▁Equipment- ▁Meanwhile- ▁Professional- ▁kitchen- ▁Boeing- ▁panels- ▁belt- body- ▁White- ▁isolated- ▁AL- ▁fan- ▁smoothly- ▁midterm- ▁molecules- ▁Georgia- ▁Taiwan- ▁durability- ▁prioritizing- ▁Aerospace- ▁deserve- ▁rose- ▁Intel- ▁distinctive- ▁error- media- ▁confidential- ▁predicting- ▁regime- FA- ▁Volume- ▁complain- ▁tackle- ▁customary- Link- ▁suffering- ▁mandates- ▁eventual- ▁advisor- ▁intermediate- ▁congratulate- ▁continuity- ▁moderation- ▁instant- ▁End- ▁ASP- ▁GM- ▁notion- ▁le- ▁Sim- ▁NO- ▁frozen- ▁shippers- ▁interpretation- ▁fear- ▁Box- ▁Trade- ▁fueling- cut- ▁Mountain- ▁translating- ▁equipped- ▁mainstream- life- ▁lung- ▁modular- ▁stem- ▁ST- ▁reservation- ▁Fresh- ▁footage- ▁AT- ▁cancellations- ▁seasoned- contract- Star- ▁reopen- ▁shall- ▁Ireland- NS- ▁Similarly- ▁sharply- ▁suppose- ▁Greater- ▁authentic- ▁transit- ▁civil- ▁expedite- ▁noteworthy- ▁Director- ▁factoring- ▁intrinsic- ▁association- ▁technician- ▁Except- ▁directionally- ▁shrinking- ▁photo- ▁embracing- ▁readily- ▁outset- ▁visiting- ▁RV- ctive- sensitive- ▁symptom- list- ▁Nordic- ▁Euro- ▁pair- season- ▁Bruce- ▁meter- ▁succession- ▁drawn- ▁rewarding- ▁measurable- ▁Contract- ▁leak- ▁acres- ▁Compare- ▁entirety- oma- ▁innings- ▁flood- ▁fe- ▁Probably- ▁Multi- ▁valve- ▁Adam- ▁digitalization- ▁dimension- ▁consult- ▁surgeon- ▁cleaning- ▁conflict- ▁prompt- ▁unpredictable- ▁dispose- ▁spare- ▁CLO- ▁playbook- ▁28- ▁affiliates- ▁evenly- ▁SE- ▁merge- ▁muscle- ▁interior- ▁cleaner- ▁budgeting- ▁temperatures- ▁coincide- ▁defining- ▁quantities- ▁forever- ▁reside- ▁ingredient- ▁actionable- ▁rewarded- ▁Everything- ▁essence- ▁extraordinarily- ▁radar- ▁Statements- ▁Hotel- ▁command- ▁Motor- ▁chips- ▁fitness- ▁guy- ▁float- ▁Charles- ▁Distribution- ▁NGL- ▁Perhaps- ▁decisive- ▁uniform- ▁overhang- rchitectural- zz- ▁petrochemical- ▁beef- ▁constructed- Fi- aries- ▁certified- ▁escalation- ▁rebalancing- ▁surpass- ▁Pricing- ▁confusion- ▁subset- ▁confirmation- ▁sir- ▁adapting- ▁adequately- ▁dimensions- pping- ▁fail- ▁delight- ▁Massachusetts- ▁STACK- ▁tactics- ▁infection- ▁invoice- ▁mask- ▁coach- ▁Radi- ▁specialist- ▁constraint- ▁deceleration- ▁devaluation- figuring- ▁methodical- ▁promised- ▁reinforced- ▁Really- ▁LP- ▁printer- ▁Instead- ▁LIBOR- ▁Strategic- ▁continuum- ▁Roger- ▁Adjust- pped- berg- ▁attach- ▁varying- ▁defensive- ▁signature- ▁Small- ▁desktop- ▁shoe- ▁RFP- ▁Back- ▁Bra- ▁RF- ▁Support- ▁absent- ▁dental- ▁wheel- ▁meters- ▁API- RT- ▁honored- ▁Beginning- ▁Larry- ▁reinforcing- ▁renegotiate- ▁fabrication- ▁publishers- ash- ▁jurisdiction- ▁circ- ▁object- ▁column- ▁injury- ▁lapping- ▁posting- ▁noticeable- ▁prop- ▁OR- mine- ▁NP- ▁realign- ▁counting- ▁Shanghai- ▁pioneer- ▁sluggish- ▁unprofitable- ▁Delta- ▁oversight- ▁Wall- TV- depth- ▁entitled- ▁secret- ▁universal- ▁Advantage- ▁pursued- ▁comm- erial- ▁Caribbean- ▁Venezuela- ▁draft- ▁identification- ▁pediatric- ▁northern- ▁crane- ▁casualty- ▁trailer- ▁laboratory- ▁regimen- ▁VI- ▁Bakken- ▁Pipeline- ▁continent- ▁profound- ▁occurrence- ▁Advisory- ▁hedged- ▁doctor- ▁coating- ▁FA- ▁cancellation- ▁Standard- ▁revaluation- ▁vaccine- pack- ▁OE- ▁divide- ▁Client- ▁Operations- ▁apologize- ▁beautiful- ▁steam- ▁wafer- ▁patch- ▁shake- corp- ▁handset- ▁SAP- ▁Clear- ▁affirm- ▁knock- ▁sleep- ▁telephone- ▁transient- ▁Fuel- ▁incurring- ▁Book- ▁limitation- ▁yen- ▁outreach- ▁refineries- Net- ▁involvement- ▁accrued- ▁spine- gene- ▁coast- ▁Thailand- ▁steer- ▁Patrick- ▁specified- ▁releasing- scrip- tail- tune- ▁circle- ▁Er- ▁attractiveness- ▁MR- front- ▁analyzed- ▁climb- ▁newspaper- ▁Agency- ▁concurrent- ▁wearable- ▁native- ▁progressively- ▁tanker- gel- DR- ▁fluctuation- ▁banners- ▁chicken- ▁Italian- ▁Brent- ▁tonnes- ▁reveal- ▁highway- ▁TI- ▁Mc- ▁Pen- changing- ▁Horizon- ▁varies- ▁assignment- ▁consequently- ▁marginally- ▁graphic- ▁correlated- FI- ▁Corp- ▁partnered- ▁fly- ▁borrower- ▁Logistics- ▁Organic- ▁southern- ▁freedom- ▁Bridge- ▁oriented- ▁officially- ▁Prime- ▁relocate- ▁algorithm- ▁Important- volume- ▁Analytics- ▁battle- ▁deciding- ▁destocking- ▁Glen- ▁quoting- ▁distinction- mont- cycl- ▁derive- ▁thousand- ote- ▁MO- ▁wine- ▁appraisal- ▁motivation- ▁expressly- ▁reversed- ▁Equity- ▁breast- ▁stood- ▁sought- funded- ▁compute- ▁rebates- ▁Max- family- NE- ▁Belgium- ▁nurse- ▁stroke- ▁stringent- ▁golf- ▁comprise- ▁geared- ▁theater- ▁deteriorate- ▁enacted- ▁sensible- ▁sixth- ▁fixing- ▁tailor- ▁contingency- ▁shale- ▁displace- ▁railcar- ▁guaranteed- ▁investigators- ▁recycle- ▁PRO- ▁biotech- ▁Orlando- ▁Tuesday- ▁Wisconsin- ▁vibrant- ▁makers- nova- jo- ▁systemic- pha- ▁Diamond- ▁Operational- ▁desirable- ▁recipe- ▁Par- ▁refinement- ▁Sprint- mount- ▁BP- ▁robotic- cell- ▁habits- ▁unlimited- ▁Omni- ▁summarized- ▁Fee- ▁beds- ▁Cup- ▁promoted- current- ▁Antonio- ▁integrator- ▁suburban- ▁conform- ▁strain- step- ▁Clar- flat- ▁safer- ▁barrier- yield- ▁reinvested- ▁library- ▁sanction- ▁vintage- ▁retrofit- ▁feedstock- ▁Still- ▁CRE- ▁Master- ▁fold- ▁failed- ▁tourist- ▁leaner- ▁Best- ▁Malaysia- ▁Premium- ▁Stephen- ▁Garden- ▁Combined- round- ▁discovered- ▁intensely- bar- ▁visitors- ▁reallocate- ▁fighting- ▁Prior- ▁Keith- ▁nationally- buy- vol- ▁Design- ▁diagnose- ▁railroad- ▁convergence- ▁entrepreneurial- ▁Unit- ▁ban- serve- ▁routing- ▁ranging- ▁hunt- ▁Estate- ▁tuned- ▁sticking- disproportionate- ▁Connected- ▁reactor- ▁citizen- ▁Nothing- ▁standardized- ▁accumulated- ▁Diego- ▁attitude- ▁propane- ▁26- build- ▁augmented- ▁lien- ▁Nevada- ▁Vietnam- ▁bonuses- ▁deliberately- ough- ▁overhaul- saving- ▁furnish- ▁Continental- ▁appointed- ▁benign- ▁bottle- ▁gallon- ▁reiterating- ▁PI- ▁gu- ▁borrow- rk- ▁originate- ▁monetizing- ▁resistance- ▁underneath- ▁onshore- ▁deadline- ▁behave- ▁favorite- ▁oversee- ▁CT- ▁confirming- ▁repeating- ▁embark- ▁pin- ▁catching- ▁Test- ▁permission- ▁tremendously- ▁Dar- haul- ▁explaining- ▁behavioral- 'NO'- ▁discounted- ▁Consequently- ▁Randy- ▁cannibalization- ▁choppy- ▁departure- ▁minimizing- ▁Absolutely- ▁19%- ▁27- ▁TAM- ▁assisted- ▁outsourced- ▁Paris- ▁reconciled- ▁Meta- built- consumer- ▁random- ▁2013- user- ▁Hard- ▁friendly- ▁sticky- ▁divested- ▁consumed- ▁CR- LO- ▁imported- ▁cannabis- ▁sequencing- ▁Anything- ▁Three- ▁dress- ▁mono- ▁Mag- ▁perceived- ▁ideally- ▁existed- ▁ranking- ▁accountable- bridge- ▁approximate- ▁robot- ▁Special- ▁Philippines- ▁graduate- ▁harness- ▁navigation- ▁striving- ▁wildfire- ▁outflow- ▁Recently- ▁witnessed- ▁mutually- ▁Add- ▁midyear- week- ▁Among- ▁sensing- put- ▁warning- ▁consumable- ▁handled- ▁Community- ▁duties- ▁educating- ▁entertain- ▁grab- ▁granularity- ▁suitable- ▁abate- ▁suddenly- ▁EC- cin- ▁Ray- ▁Farm- ▁cast- ▁dampen- ▁genuine- ▁surcharge- ▁enrich- ▁Shell- rick- dale- gress- ▁RP- ▁Ten- ▁scar- sourcing- ▁lately- ▁Para- ▁convince- ▁flatten- town- ▁urge- ▁cognizant- ▁paradigm- ▁sequence- ▁underserved- ▁distort- ▁Large- ▁About- ▁embarked- ▁reserved- PL- ▁aided- ▁Packaging- ▁biomarker- ▁pacing- ▁Team- ▁Interest- ▁prevention- ▁homeowners- ▁immaterial- ▁postpone- ▁Main- ▁archived- ▁downtown- ▁temperature- ▁MI- ▁govern- ▁Ever- ▁Cable- ▁Manhattan- ▁Trump- ▁delinquency- ▁easiest- ▁university- ▁unanticipated- ▁finger- ▁Reserve- ▁sustainably- ▁vertically- ▁keenly- ▁Shi- ▁survive- ▁classification- ▁assembled- ▁visited- ▁flooding- ▁Hub- ▁Fortunately- ▁concentrating- ▁navigating- ▁Income- ▁grand- ▁propel- ▁Sean- ▁narrowing- ▁selecting- ▁participant- ▁Matthew- ▁conservatism- ▁simulation- ▁whatsoever- ▁Travel- ▁Show- ▁outpatient- patient- ▁Area- ▁competency- ▁precious- ▁satisfactory- ▁swift- ▁synergistic- ▁east- ▁Provid- ▁sending- ▁RA- ▁consultant- ella- ▁antibiotic- ▁coordination- ▁disclosing- ▁reorganize- ▁universities- ▁unparalleled- band- ▁containment- burg- ▁Five- ▁TE- ▁BI- ▁Hopefully- ▁afraid- ▁bundling- ▁creativity- ▁innovator- ▁telco- ▁Deliver- ▁Tu- ▁friend- ▁bone- ▁Head- ▁enduring- ▁Choice- ▁drought- ▁commencement- ▁groundwork- ▁Road- ▁PS- ▁converge- ▁Marcellus- ▁Swiss- ▁commensurate- ▁kidney- ▁reshape- ▁Metro- ▁Outside- ▁Royal- tax- ▁incoming- ▁Mortgage- ▁advocate- ▁garner- ▁moderating- ▁lawsuit- ▁Top- ▁SKU- ara- ▁Ci- ▁formally- ▁emphasizing- ▁presumably- ▁urgent- ▁brew- ▁headroom- ▁Sur- ▁thin- ▁catering- ▁checking- ▁RB- ▁corridor- ▁verification- ▁Wholesale- ▁Shift- ▁disorder- ▁Vision- ▁besides- ▁campuses- ▁ring- ▁walked- ▁systematic- ▁president- ▁Kentucky- ▁arrival- ▁automobile- ▁diner- ▁sufficiently- ▁emerged- ▁awaiting- ▁Poly- ▁replenish- ▁odd- ▁ONE- ▁carries- ▁Manager- ▁ER- ▁embraced- ▁wo- ▁Adjuste- ▁'14- ▁Egypt- ▁simplicity- ▁tackling- ▁Full- ▁breakout- ▁attended- ▁fallen- face- ▁tension- ▁Sub- ▁die- ▁revitaliz- ▁Alliance- ▁Beauty- ▁incorrect- ▁penetrating- ▁creep- ▁Square- ▁batch- ▁revert- ▁Order- ▁ice- ▁accompany- ▁35- ▁administer- ▁backbone- ▁soybean- ▁Assuming- ▁renovate- ▁DRAM- ▁bound- ▁death- ▁Fortune- ada- ▁Dow- ▁Pharmaceutical- ▁Simply- ▁impaired- ▁Disney- ▁cellular- ▁wireline- ▁Rail- ▁Step- ▁intentionally- sys- ▁prosper- ▁stance- ▁45- branded- owner- ▁processors- ▁Austin- ▁incentivize- ▁proppant- ▁unplanned- ▁widespread- ▁initiation- ▁genomic- ▁Regulation- ▁Marketplace- ▁loose- ▁insured- ▁barrel- ▁Manage- ▁runoff- ▁Medicine- ▁Until- ▁tranche- ▁transplant- ▁bullet- ▁Paper- iness- ▁terminated- ▁NE- ▁Commerce- ▁Patient- ▁actuarial- ▁privacy- ▁Protection- ▁Payment- ▁realities- ▁Society- ▁Spanish- ▁Tennessee- ▁collaborating- ▁breach- ▁dark- ▁wake- ▁arising- ▁analytic- ▁weakest- ▁prevailing- ▁directional- elect- ▁SI- ▁extensively- ▁curtail- ▁Vancouver- ▁diagnosis- ▁diamond- ▁fertilizer- ▁prevalent- ▁inception- ▁zero- ▁lane- ▁Barry- ▁Play- ▁Later- ▁outsource- ▁advantageous- ▁AV- ▁register- bearing- ▁Industries- ▁suspension- ▁Arabia- ▁abnormal- ▁exhaust- ▁unwind- ▁toxic- ▁10,000- ▁WA- ▁z- fil- ▁Rather- ▁intuitive- ▁AUM- ▁Bi- ▁footing- ▁squarely- ▁AN- ▁hesitate- ▁possess- ▁unclear- ▁attachment- ▁rider- '30'- ▁skewed- ridge- ▁recommended- omic- ▁modification- ▁rigor- born- ▁child- ▁crowd- ▁Hydro- ▁contemplating- ▁ethanol- ▁nuance- ▁vacant- ▁Drive- ▁warmer- ▁bra- ▁Clean- ▁Smith- ▁encompass- ▁Recall- ▁vector- ▁combat- ▁sponsorship- ▁markdown- ▁boom- ▁angle- ▁pent- ▁featured- count- ▁seismic- ▁emergence- ▁divisional- ▁distressed- ▁kicking- ▁reacting- uck- ▁illustrated- ▁Focus- ▁Miami- ▁envelope- ▁inevitable- ▁vigilant- ▁Success- ▁Change- ▁municipalities- ▁Finland- ▁blow- ▁hydrogen- ▁Centr- ▁recycled- ▁PO- ▁assessed- ▁bodies- ▁institute- ▁pursuan- ▁flag- ▁Yet- ▁coastal- ▁disrupted- ▁29- ▁repeated- ▁enabler- link- ▁unfortunate- worth- ▁Benefit- ▁Family- ▁initiating- ▁SME- ▁hey- ▁rebalance- ▁resin- ▁repeatedly- ▁Dakota- ▁disadvantage- ▁nickel- ▁referencing- ▁Quest- ▁presidential- ▁comfortably- ▁Roche- ▁coin- meter- ▁foundry- ▁entrepreneur- ▁Jonathan- ▁Journal- ▁Typically- ▁abroad- ▁entitlement- ▁alarm- ▁Aviation- ▁fed- ▁Buy- ▁Kar- shop- ▁correspond- ▁jointly- ▁Place- ▁cylinders- ▁faith- ▁redeem- ▁Print- ▁committing- ▁digitization- ▁installment- ▁totality- ▁thoughtfully- ▁triggered- friendly- ▁Residential- ▁Which- ▁crazy- ▁seventh- ▁subsidies- ▁teammates- ▁Essential- ▁unveil- ▁versa- ▁deductible- ▁lagging- ▁Lead- ▁POS- ▁Longer- ▁Fred- ▁Alan- ▁Del- ▁CF- ▁cooling- ▁shopper- ▁vest- ▁Discovery- ▁reassess- ▁reliably- ▁undertook- ▁Creek- ▁antenna- ▁peso- ▁Bryan- ▁tourism- ▁magic- ▁Cyber- ▁tree- ▁halfway- ▁Denmark- ▁candidly- ▁sneak- ▁silo- ▁haul- ▁tendency- ▁prohibited- ▁encountered- ▁localized- ▁Field- ▁contrary- ▁exclusivity- ▁extrapolate- 3,000- ▁smallest- ▁posture- ▁establishment- ▁cure- ▁matched- ▁organize- ▁Industry- ▁NIKE- ▁alleviate- ▁reluctant- ▁steadfast- ▁restoration- ▁Local- ▁hair- ▁complexities- ▁Indiana- ▁MSR- ▁seize- ▁arrived- ▁Online- ▁Medi- umab- ette- ▁intensify- ▁culminat- ▁penalty- ▁scientists- ▁Steel- ounce- ▁deepwater- ▁Ship- ▁permitted- ▁Loan- One- ▁1.5- ▁amplify- ▁electrification- ▁umbrella- ▁wild- ▁stuck- ▁admit- ▁absorbing- ▁Solar- ▁satisfying- ▁instruct- ▁Utilities- ▁roaming- ▁uncover- ▁Louis- ▁desk- ▁Sears- ▁installing- ▁lessen- ▁tightened- generating- ▁RM- ▁CAR- ▁MD- ▁compounded- ▁FL- ▁Domestic- ▁housekeeping- ▁radical- ▁leap- ▁camp- ▁GI- ▁accrue- ▁articulate- ▁LC- ▁struggled- under- ▁English- ▁counsel- ▁aesthetic- ▁Human- ▁gig- position- ▁frontline- ▁Authority- ▁William- ▁mechanics- ▁sampling- ▁sterling- ▁Living- ▁Regional- ▁wound- ▁Josh- ▁excel- ▁Initial- ▁abilities- ▁Pass- more- ▁witness- ▁moderately- ▁Coming- ▁DM- ▁Recent- ▁Silver- ▁Starbucks- ▁Whilst- ▁responsibly- ▁sacrifice- ▁abandon- ▁captive- ▁Chuck- ▁cornerstone- ▁Audi- office- ▁Penn- ▁permanently- critical- ▁NAND- ▁certificate- ▁consuming- ▁cubic- ▁pharmacies- ▁Alpha- ▁preview- ▁pub- ▁Vince- ▁x- ▁reprice- ▁Verizon- ▁ammonia- ▁introductory- ▁probable- ▁reliant- ▁subcontractor- ▁cited- ▁Being- ▁Cro- trip- ▁Wind- ▁Austria- ▁OLED- ▁Oregon- ▁revamp- ▁structuring- ▁yourselves- ▁grind- ▁multichannel- ▁ACA- ▁Simon- ▁drastic- ▁Engineering- ▁Israel- ▁cognitive- ▁ocean- ▁refurbishment- ▁renegotiation- ▁undervalued- ▁Cross- rich- '40'- ▁insert- ▁Partner- ▁critic- 5,000- ▁neighbor- ▁Dennis- ▁LED- ▁mandatory- ▁necessity- ▁peripheral- ▁provincial- ▁theoretical- ▁bleed- ▁hyperscale- ▁Dollar- ▁Environmental- ▁interval- ▁Events- ▁tightness- ▁machinery- ▁pitch- ▁broadest- leasing- ▁architect- ▁repurchasing- ▁subdued- ▁turnkey- ▁reject- ▁Edge- ▁ethic- ▁static- ▁customization- ▁engineer- ▁relentlessly- ▁backfill- ▁vesting- share- ▁logistical- '90'- ▁Count- enabled- ▁APAC- ▁COGS- ▁Norwegian- ▁Swedish- ▁bankruptcies- ▁lunch- ▁overarching- ▁sophistication- ▁tirelessly- ▁waiver- ▁breath- reclassification- ▁periodically- ▁modernizing- ▁Santa- ▁inspired- creation- ▁perceive- ▁DR- ▁scan- gram- ▁2021- ▁Institute- ▁Jerry- ▁Philadelphia- ▁rethink- ▁singular- ▁arbitration- ▁dense- ▁NR- ▁implication- ▁Virtu- ▁Holdings- ▁disposable- ▁earliest- ▁featuring- ▁repatriation- ▁veteran- ▁interchange- ▁wholly- ▁NDA- ▁dominated- ▁repeatable- ▁flattening- ▁Mary- ▁continual- ▁Notwithstanding- ▁Profit- ▁ceiling- ▁resolving- ▁unitholders- ▁afterwards- ▁replenishment- ▁headway- ▁Epic- ▁Van- ▁Foundation- ▁binding- ▁dispatch- ▁orientation- ▁anomaly- ▁kill- ▁Sunday- ▁echo- ▁onwards- ▁Peru- ▁governor- ▁logistic- ▁farmer- ▁Companies- ▁FedEx- ▁Relative- ▁rotation- ▁Fire- ▁redirect- ▁brain- ▁matches- ▁discern- ▁Clinical- ▁Generation- ▁NASDAQ- ▁Spirit- ▁elevating- ▁ethane- ▁ethylene- ▁intermodal- ▁microphone- ▁nonresidential- ▁oversupply- ▁unnecessary- ▁viability- ▁vice- ▁nonperforming- ▁assert- speed- ▁Understood- ▁abstract- ▁blind- ▁disappear- ▁garden- ▁march- ▁Unless- ▁controllable- ▁biometric- ▁Progressive- ▁loop- ▁Howard- ▁taper- ▁withstand- Tech- ▁Continued- ▁expiring- ▁imbalance- ▁substance- ▁virtue- ▁egg- ▁Cisco- ▁reimbursed- borne- ▁amortized- ▁coordinated- suit- trol- ▁narrowed- balance- ▁Channel- ▁Connecticut- ▁Increasing- ▁biosimilar- ▁surveillance- ▁untapped- ▁Tower- ▁cabinet- ▁curtailment- ▁compressed- ▁MP- ▁prediction- company- fuel- ▁Senate- ▁stockpile- ▁oftentimes- ▁Index- ▁underpinning- ▁HD- ▁DSO- ▁owe- ▁controller- ▁standardization- ▁Aero- dependent- agnostic- ▁None- ▁drift- ▁Ministry- ▁immense- ▁imminent- ▁Panama- ▁stemming- ▁specialties- ▁truckload- ▁Lee- ▁vet- ▁painful- ▁tune- ▁arguably- ▁ignore- ▁struck- ▁Terry- ▁orphan- ▁interview- ▁Visa- ▁favorability- home- ▁closest- plex- ▁placebo- ▁Quality- ▁Supreme- ▁aforementioned- ▁champion- ▁furnace- ▁obstacle- ▁quantum- ▁tempered- ▁disappointment- ▁Philip- ▁underwriters- ▁supermarket- ▁syndicated- ▁inspire- ▁Lloyd- ▁unwavering- ▁OTT- 4,000- ▁baby- ▁unrelated- sproportionately- eign- ▁lapse- ▁propose- ▁skew- ▁lump- ▁Pete- ▁Consulting- ▁Jennifer- ▁Thanksgiving- ▁Twitter- ▁cultivate- ▁deviation- ▁imposed- ▁narrative- ▁shelves- ▁supplied- ▁Army- ▁nerve- ▁rationalizing- ▁formulary- ▁accompanied- ▁MAC- ▁emission- ▁35%- prem- ▁cater- ▁reshaping- ▁injuries- ▁canceled- ▁solicitation- ▁Coach- ▁banner- ▁hourly- ▁Animal- ▁PayPal- ▁Wireless- ▁harsh- ▁varied- ▁2012- ▁Romania- ▁wrapped- ▁acquirer- ▁interconnection- aaS- ▁nearby- ▁gun- assi- ▁Charter- ▁District- ▁iPhone- ▁Android- ▁intimate- ▁adopters- ▁Law- ▁Join- ▁occupied- ▁BA- ▁subsea- ▁procure- ▁SEDAR- ▁calculating- ▁cardiac- ▁ceramic- ▁cruise- ▁Meaning- ▁offense- ▁biology- ▁mapping- ▁cord- ▁weaknesses- ▁intentional- ▁discretion- ▁inspiration- ▁Fluid- ▁Mississippi- ▁Presentation- ▁Silicon- ▁Ultra- ▁compromising- ▁disagree- ▁eBay- ▁inevitably- ▁inspiring- ▁observing- ▁optimum- ▁cycling- ▁vein- ▁reorder- ▁transferring- ▁decor- ▁height- ▁PURE- ▁Stuart- ▁ballpark- ▁nevertheless- ▁CN- ▁Hunt- ▁oilfield- ▁pocket- ▁surprisingly- ▁Maria- ▁Current- ▁Average- ▁Drilling- ▁bottleneck- ▁nervous- ▁potash- ▁speculative- ▁Kelly- ▁indices- ▁spill- ▁western- ▁Notably- ▁thoroughly- ▁Citi- ▁isolate- Stream- Source- ▁degradation- ▁fiduciary- ▁timber- ▁vegetable- ▁epi- ▁pose- ▁PPA- ▁Oak- ▁richer- ▁broke- ncreased- ▁Pandora- ▁collapse- ▁undoubtedly- ▁megawatts- emphasize- ▁Mainland- ▁intersection- ▁confused- ▁fitting- ▁excessive- ▁Make- school- high- ▁elasticity- ▁magazine- ▁striking- ▁Truck- ▁assigned- developed- ▁travelers- ▁Gar- ▁Precision- ▁Universal- ▁cardiovascular- ▁delinquencies- ▁emotional- ▁filtration- ▁predicated- ▁Dutch- ▁Correct- ▁checkpoint- ▁Factor- ▁Six- ▁tag- ▁Included- ▁cigarette- ▁confusing- ▁contingencies- ▁prescribing- ▁scrutiny- ▁suffice- ▁alloy- ▁systematically- ▁competence- ▁Rest- ▁correlate- ▁Pharma- ▁Engine- ▁credential- ▁exempt- ▁biological- ▁reevaluate- ▁scrubber- ▁wrote- ▁Think- crib- ▁Tier- ▁redefine- ▁exponential- ▁Charlotte- ▁Speak- ▁console- ▁credible- ▁influencing- ▁weakened- ▁Rewards- ▁Games- ▁2,000- ▁Stan- person- ▁tab- ▁Excellence- ▁denominator- ▁earthquake- ▁quartile- ▁reactivation- ▁respiratory- ▁automating- ▁dentist- ▁stickiness- ▁backwards- ▁Return- ▁pullback- ▁Fox- ▁passage- ▁prevail- cession- intensive- vir- ▁Basically- ▁Lincoln- ▁Marriott- ▁Nashville- ▁estimation- ▁summarizing- ▁smoke- ▁transitory- ▁Money- ▁email- ▁distracted- ▁Train- '80'- ▁circumstance- ▁advertiser- ▁tro- ▁Cooper- ▁Manufacturing- ▁Strategy- ▁cybersecurity- ▁devastating- ▁magnet- ▁multitude- ▁presume- ▁guard- ▁commend- ▁sync- ▁encounter- ▁enforce- ▁boutique- ▁contemporary- ▁gratitude- ▁wheat- ▁dream- ▁rebranding- ▁creator- ▁landfill- ▁buses- ▁suspended- ▁Quit- ▁rebate- ▁terminate- ▁List- ▁NAFTA- ▁Renewable- ▁Segment- ▁Transformation- ▁adjacencies- ▁companion- ▁consortium- ▁distributing- ▁repaid- ▁easing- ▁hallmark- ▁Indeed- ▁subsegment- ▁flush- ▁Deep- ▁NPL- ▁subside- ▁instrumentation- ▁portable- ▁render- ▁dead- ▁avenue- oncology- ▁Fleet- ▁quantified- ▁warehousing- ▁adherence- ▁75- ▁layout- ▁Frankly- View- ▁Applied- ▁Considering- ▁Thomas- ▁estimating- ▁lodging- ▁metropolitan- ▁monetary- ▁tunnel- ▁amenities- ▁drone- ▁Utica- ▁instructions- ▁tube- ▁Atlas- ▁stone- ▁Expense- ▁caregiver- ▁football- ▁gratifying- ▁preservation- ▁rebroadcast- ▁retrospective- ▁Airbus- ▁Heath- ▁Old- ▁Veri- trans- troph- ▁Flow- ▁Improvement- ▁Search- ▁Thursday- ▁Yesterday- ▁inconsistent- ▁stimulation- ▁uneven- ▁horsepower- ▁automatic- ▁scrapping- genic- ▁Carol- ▁Apart- ▁realigned- connect- dollar- ▁Anthem- ▁Intelligence- ▁Nigeria- ▁Tampa- ▁judicious- ▁leather- ▁pellet- ▁reimagin- ▁studied- ▁telematics- ▁Idaho- ▁tolerability- ▁Space- ▁Midstream- ▁WiFi- ▁Maryland- ▁Marty- ▁Whereas- ▁normalizing- Atlantic- ▁DIY- ▁Regardless- ▁asphalt- ▁pizza- ▁poultry- ▁propensity- ▁puzzle- ▁redundant- ▁verify- ▁zinc- ▁anxious- ▁immers- ▁reserving- ▁alpha- ▁investigate- ▁Front- ▁Station- ▁quo- ▁shy- ▁resident- abilities- ▁Almost- ▁Summit- ▁duplicate- ▁frustrating- ▁fundraising- ▁Quick- ▁phrase- ▁Iowa- ▁originating- ▁classroom- ▁validating- ▁wrapping- ▁Range- ▁hate- gged- investment- ▁Emerging- ▁Netflix- ▁juncture- ▁longevity- ▁ebb- ▁sidelines- ▁occasionally- ▁nut- ▁lining- ▁spur- ▁viewpoint- ▁Salt- ▁bike- ▁freeze- ▁Ku- world- ▁recur- invest- ▁Entertainment- ▁Portugal- ▁accommodation- ▁feasible- ▁negligible- ▁polymer- ▁preclude- ▁rumor- ▁Depot- ▁retro- ▁antibody- ▁Audience- ▁tractor- ▁salt- ▁auditors- ▁mold- ▁Upon- ▁MRO- business- mproving- ▁Device- ▁abundant- ▁nail- ▁IMAX- ▁settling- ▁chair- tenant- ▁2.0- mitted- ▁Nex- ▁customize- ▁Calgary- ▁ETF- ▁Sunrise- ▁beneficiary- ▁condensate- ▁distributable- ▁speech- ▁virus- ▁Jamie- ▁Fiber- ▁Everybody- ▁heels- ▁Talk- ▁Karen- ▁illustration- ▁recast- ▁acid- ▁Deb- ▁Za- generative- order- acute- border- ▁Arkansas- ▁brown- ▁subsidy- ▁synthetic- ▁Oracle- ▁Rental- ▁boundaries- ▁Daniel- ▁caveat- ▁Comcast- ▁Otherwise- ▁Select- ▁Cancer- ▁Near- ▁trail- craft- Mobile- first- recapitalization- ▁Journeys- ▁expansive- ▁rhythm- ▁spectacular- ▁Aaron- ▁Freight- ▁Airlines- ▁circulation- ▁Susan- ▁Portland- ▁missile- ▁headset- ▁lucky- known- ▁obligat- ▁Four- ▁Cleveland- ▁Czech- ▁constituent- ▁Utility- ▁fierce- ▁recoup- ▁policyholders- ▁Model- ▁restoring- ▁clip- ▁debit- ▁stopping- space- ▁Palm- ▁Active- ▁Discussion- ▁Hudson- ▁Hyatt- ▁Legacy- ▁affinity- ▁balloon- ▁eCommerce- ▁fracture- ▁discharge- ▁plot- ▁Johnson- ▁tailings- ▁conceptual- ▁supplementary- ▁hat- ▁According- trend- ▁Major- ▁accelerator- ▁relax- ▁welcoming- ▁BDC- ▁knee- ▁plateau- ▁compressor- break- ▁embed- ▁Columbus- ▁Learning- ▁Liquid- ▁acuity- ▁altogether- ▁ambulatory- ▁junior- ▁preceding- ▁substitution- ▁syndication- ▁Casino- ▁entail- ▁Julie- ▁constrain- ▁transmit- ground- ▁Engineered- ▁Integrated- ▁accumulation- ▁exclusion- ▁stagger- ▁substantive- ▁Studio- ▁Vehicle- ▁shipyard- ▁0.5- production- ▁Off- ▁categorize- income- ▁Civil- ▁Continuing- ▁blockchain- ▁breakfast- ▁laboratories- ▁refranchising- ▁sacrificing- ▁utmost- ▁cosmetic- ▁dashboard- ▁cease- ▁distill- 8,000- ▁Lending- ▁breed- ▁606- ▁Golden- ▁rightsizing- ▁CRO- currence- ▁Neil- ▁Luc- ▁subscribe- course- tronics- ▁Azure- ▁Equally- ▁Granite- ▁Sydney- ▁appreciative- ▁mentality- ▁solvency- ▁underwritten- ▁helicopter- ▁mattress- ▁mobilize- ▁mutation- ▁plain- ▁reoccur- ▁Empire- ▁identical- ▁methodologies- ▁ASCO- ▁Mining- ▁75%- label- ▁Samsung- ▁Noble- ▁coordinate- ▁luck- ▁Anthony- ▁Beijing- ▁Nielsen- ▁affairs- ▁commoditized- ▁inclined- ▁proliferation- ▁yellow- ▁receptive- ▁Content- ▁tying- ▁cinema- ▁precedent- metric- ▁foothold- ▁cope- itude- ▁detriment- ▁Tableau- ▁hesitant- ▁turmoil- ▁SMB- ▁Watch- ▁thick- ▁Fast- ▁rally- ▁Video- trade- science- ▁Economic- ▁Fitness- ▁Partially- ▁accustomed- ▁athletic- ▁educator- ▁invaluable- ▁scarcity- ▁contest- ▁van- ▁Town- ▁Detail- ▁nowhere- ▁hall- ▁deflationary- ▁Grow- ▁Snap- ▁abuse- ▁prostate- ▁5,000- ▁Invest- ▁Marlin- ▁motivate- ▁ARR- ▁Turk- ▁Downstream- ▁Experience- ▁Venture- ▁analyses- ▁athlete- ▁drain- ▁episode- ▁penalties- ▁smelter- ▁Listener- ▁Carbon- ▁Surface- ▁Blackstone- ▁Internal- ▁agnostic- ▁CAT- currency- ▁BlackRock- ▁Institutional- ▁intensified- ▁sensitivities- ▁situated- ▁stimulus- ▁vacuum- ▁volunteer- ▁worthwhile- ▁prioritization- ▁waterfall- ▁formulate- ▁compress- ▁await- ▁OMIDRIA- ▁Approximately- ▁Storage- ▁blade- ▁congestion- ▁dialysis- ▁hydraulic- ▁mouth- ▁procedural- ▁leach- ▁shallow- ▁responsiveness- ▁string- ▁Victor- purpose- ▁Council- ▁Individual- ▁commencing- ▁independence- ▁nurture- ▁paramount- ▁Member- ▁Unlike- ▁ratable- ▁insulin- ▁inquiry- ▁denominated- ▁holistically- ▁rack- ▁authentication- vantage- ▁Rose- ▁digitize- ▁accumulate- ▁Fiscal- ▁adequacy- ▁alternate- ▁eighth- ▁irrespective- ▁postpaid- ▁rehabilitation- ▁remarkably- ▁taxpayer- ▁arbitrage- ▁hint- ▁discoveries- ▁hook- ▁resetting- ▁bang- system- ▁reconstruct- ▁Agreement- ▁Integration- ▁NASH- ▁Short- ▁Technical- ▁aggregation- ▁chassis- ▁outweigh- ▁vulnerable- ▁scanner- ▁Warner- ▁popularity- ▁PAC- ▁discontinue- ▁dedicate- charge- help- ▁Chegg- ▁Nutrition- ▁depreciate- ▁reclassified- ▁Jackson- ▁clock- ▁tapping- ▁capped- ▁trace- ▁cooperate- ▁School- structure- economic- deliver- ▁Ralph- ▁Example- ▁Utah- ▁irrigation- ▁nonaccrual- ▁suppress- ▁Underlying- ▁remediate- ▁stripping- ▁iteration- ▁sincerely- ▁Orange- path- close- measure- process- ▁Block- ▁Significant- ▁Treasury- ▁caliber- ▁compliment- ▁virtuous- ▁busiest- ▁forthcoming- track- ▁inhibit- profit- ▁reestablish- ▁Progress- ▁Apollo- ▁Tokyo- ▁chemotherapy- ▁mathematical- ▁retiring- ▁stellar- ▁sweep- ▁timeframe- ▁roster- ▁specify- ▁Ameri- ▁SIM- carbon- ▁Alabama- ▁Application- ▁Hemisphere- ▁Mineral- ▁administrator- ▁dinner- ▁empty- ▁endorsement- ▁facilitating- ▁happier- ▁vacancies- ▁voting- 7,000- ▁protest- ▁reactivate- ▁bird- ▁aspire- apples- ▁redevelop- ▁hazard- ▁Iridium- ▁Related- ▁experiential- ▁mismatch- ▁philosophical- ▁thumb- ▁Leasing- ▁deductibility- ▁Drug- ▁Wild- ▁illustrat- ▁reinvigorate- ▁sandwich- ▁Affordabl- ▁DOL- ▁Hilton- ▁advocacy- ▁antibodies- ▁chief- ▁entrance- ▁examining- ▁snapshot- ▁unfair- ▁ForEx- ▁defect- ▁mixture- ▁Getting- ▁digging- ▁Monster- ▁liquidate- ▁characteristic- period- cutting- ▁Competition- ▁Furniture- ▁Kroger- ▁oxygen- ▁vigorously- ▁2011- ▁fellow- heim- ▁alcohol- competitive- megawatt- ▁Fifth- ▁Retirement- ▁Robinson- ▁counterparties- ▁dispense- ▁petroleum- ▁rainfall- ▁separating- ▁testimony- ▁PBM- ▁restatement- ▁restocking- ▁instill- ▁brake- ▁syndicate- Pacific- ▁Previously- ▁escalator- ▁offensive- ▁perimeter- ▁problematic- ▁recreational- 6,000- ▁Bowl- ▁Kindred- ▁purposeful- ▁Half- ▁increment- flex- ▁bargain- ▁reengineer- ▁Heavy- ▁Jeremy- ▁flagged- ▁unconventional- ▁unreasonable- ▁Creative- ▁Gaming- ▁Sorry- ▁LTE- ▁Vista- ▁excite- ▁suspend- producing- complete- ▁Winnebago- ▁Signature- ▁Subsequent- ▁fabulous- ▁hypothesis- ▁inherited- ▁legislature- ▁marry- ▁revising- ▁lagged- ▁motorcycle- ▁depict- ▁divert- ▁shore- ▁persistence- ▁deduct- efficiency- platform- ▁Virgin- ▁Century- ▁Currency- ▁MLP- ▁Plaza- ▁annuities- ▁flawless- ▁lobby- ▁monotherapy- ▁cotton- ▁configure- ▁Genesis- ▁Crest- Guard- ▁inspect- operated- ▁expose- ▁Academy- ▁Champion- ▁Especially- ▁Resort- ▁depletion- ▁prestigious- ▁spark- ▁Weather- ▁trauma- ▁Michelle- ▁Term- ▁Build- established- ▁cabin- ▁Whole- ▁Administration- ▁Polish- ▁platinum- ▁remeasurement- ▁humble- ▁outlining- ▁Own- ▁scanning- ▁cooperative- ▁Reduc- ▁parse- ▁Custom- neutral- ▁Affiliate- ▁Limited- ▁Nuclear- ▁Targa- ▁frustration- ▁oxide- ▁practitioner- ▁reconsider- ▁underperformed- ▁subsidize- ▁bacteria- ▁buck- ▁gray- ograph- Care- ▁Acquisition- ▁Cameron- ▁Interactive- ▁Saturday- ▁congratulations- ▁escalate- ▁noncontrolling- ▁safeguard- ▁funeral- ▁giant- ▁river- ▁Kirk- ▁Harris- defined- ▁Section- ▁Victoria- '70'- ▁NASCAR- ▁Pinnacle- ▁destroy- ▁retroactive- ▁viral- ▁Leverag- ▁pork- ▁habit- located- ▁Combin- ▁Inventory- ▁insignificant- ▁literature- ▁nitrogen- ▁qualities- ▁retransmission- ▁terribly- ▁unforeseen- ▁NII- ▁merging- ▁Cedar- ▁hydrocarbon- ▁Social- ▁melt- ▁origin- ▁Deposit- ▁Rapid- ▁buoy- ▁Avenue- ▁Depending- ▁Pfizer- ▁hospice- ▁ladder- ▁overcapacity- ▁reconciling- ▁unleash- ▁attribution- ▁FCC- ▁IBM- ▁wastewater- ▁baking- ddle- called- ▁Driving- ▁Jordan- ▁Restaurant- ▁calibrate- ▁decelerate- ▁discontinuation- ▁enzyme- ▁nonetheless- ▁segregat- ▁slippage- ▁sovereign- ▁steroid- ▁remix- ▁Crane- ▁pinpoint- ▁Display- ▁dump- ▁coding- ▁Likewise- Works- credit- ▁Double- ▁Catalyst- ▁Halloween- ▁NEXT- ▁blockbuster- ▁incidence- ▁eastern- ▁blast- ▁Dream- regulated- lecommunications- ▁Kind- storm- ▁Surgical- ▁Triumph- ▁editorial- ▁irrational- ▁juice- ▁kiosk- ▁slope- ▁sulfur- ▁Dental- ▁vending- ▁Insight- ▁Baker- ▁anecdotal- ▁Whit- ▁dilute- ▁Albert- development- voltage- ▁College- ▁destiny- ▁influx- ▁microbiome- ▁migraine- ▁occupy- ▁politics- ▁reversion- ▁rubber- ▁variant- ▁Glass- ▁NOLs- ▁supervisor- ▁Trading- ▁loud- ▁infant- ▁weapon- operative- ▁technique- ▁surround- ▁distress- ▁tradition- ▁Advisor- ▁Bancorp- ▁Collection- ▁League- ▁Perfect- ▁pragmatic- ▁firing- ▁Know- ▁Better- ▁slice- ▁dwell- ▁outlier- ▁colleague- prime- Bank- ▁Buffalo- ▁Greece- ▁Portfolio- ▁Sustain- ▁Taylor- ▁Women- ▁cohesive- ▁hypothetical- ▁nontraditional- ▁refractory- ▁stewardship- ▁Darren- ▁horse- ▁Irish- ▁Arrow- ▁Associate- ▁Nonetheless- ▁Williston- ▁YouTube- ▁catheter- ▁latency- ▁maritime- ▁uncommon- ▁firewall- ▁Speed- ▁orange- ▁Pharmacy- ggle- ▁Including- ▁Restructuring- ▁bubble- ▁clause- ▁consummate- ▁deficiency- ▁receptor- ▁redundancy- ▁titanium- ▁Windows- ▁thread- ▁Partnership- ▁Accu- plica- ▁Solution- ▁assemble- ▁author- ▁AFFO- ▁Cologuard- ▁aggregator- ▁behaving- ▁choppiness- ▁conservation- ▁groundbreaking- ▁impediment- ▁reallocating- ▁registry- ▁tandem- ▁Besides- ▁Lisa- ▁Help- ▁STAR- 0%- ▁Charlie- ▁Orleans- ▁Platinum- ▁abundance- ▁acquisitive- ▁locomotive- ▁maturation- ▁pervasive- ▁pulse- ▁Christian- ▁Housing- ▁instability- ▁textile- group- ▁Bottom- ▁Detroit- ▁LIFO- ▁Mutual- ▁Positive- ▁Tyler- ▁Wondering- ▁arriving- ▁beneficiaries- ▁century- ▁dismiss- ▁turbulence- ▁DUC- ▁OPEC- ▁pathogen- ▁adhere- ▁Music- ▁originator- ▁prohibit- ▁grocer- nanometer- ▁FireEye- ▁believing- ▁false- ▁matrix- ▁proposing- ▁remedy- ▁shaft- ▁Brett- ▁Hello- ▁Allied- ▁arrow- pronged- ▁snap- cloud- ▁Campbell- ▁Loyalty- ▁Patterson- ▁Terminal- ▁biomass- ▁exercising- ▁footnote- ▁fragrance- ▁frustrated- ▁garage- ▁interference- ▁referendum- ▁simplifies- ▁unrivaled- ▁seemingly- ▁Close- direct- ▁dominate- Health- Corp- ▁Fabric- ▁Casualty- ▁Petrobras- ▁SCOOP- ▁acknowledging- ▁activating- ▁delineation- ▁dissipate- ▁exterior- ▁orthopedic- ▁resumption- ▁shield- ▁stainless- ▁Imaging- ▁outgrow- ▁Beverage- ▁Expect- ▁Outdoor- ▁brilliant- ▁curriculum- ▁decentralized- ▁deteriorating- ▁episodic- ▁fault- ▁Automation- ▁retool- ▁darn- ▁Terra- ▁debut- ▁dangerous- ▁IND- ▁Couple- ▁amortize- dealer- ▁BOSS- ▁Cardinal- ▁Hollywood- ▁Pizza- ▁Study- ▁antitrust- ▁autumn- ▁bunker- ▁ePlex- ▁frequencies- ▁hinder- ▁inflammation- ▁infotainment- ▁relocating- ▁victory- ▁Critical- ▁Geographic- ▁transpire- ▁carpet- ▁insurer- interest- walk- insured- ▁phenomena- ▁Specific- ffsetting- ▁Appalachia- ▁Particularly- ▁Westinghouse- ▁ambassador- ▁lithium- ▁lucrative- ▁unsustainable- ▁firearm- ▁tolerance- ▁FinTech- ▁promo- ▁celebrating- ▁conducive- ▁disparate- ▁Subsea- ▁Tesco- ▁halt- ▁Lauren- ▁Mitch- frac- ▁Managing- ▁Recovery- ▁Watson- ▁Wyndham- ▁compatible- ▁council- ▁facilitator- ▁league- ▁prolific- ▁unacceptable- ▁preempt- ▁secondarily- ▁embedding- ▁vacate- gui- ▁Banc- ▁occupie- enhancing- ▁Dublin- ▁Florence- ▁Franchise- ▁LOE- ▁Properties- ▁clothing- ▁excise- ▁obsess- ▁relapse- ▁Jean- ▁racing- ▁Etsy- ▁burger- ▁Temp- ▁photograph- ▁stride- Mark- watch- ▁equip- ▁Chapter- ▁Offshore- ▁Regulatory- ▁Seasonal- ▁enviable- ▁exemplifie- ▁fracturing- ▁inaugura- ▁plasma- ▁thriving- ▁Fusion- ▁lawyers- ▁peel- ▁alluding- ▁aisle- minating- necdotally- ▁simultaneous- ▁frank- authorized- ▁Dolby- ▁EXPAREL- ▁LTL- ▁Wednesday- ▁biopsy- ▁bureau- ▁collision- ▁contiguous- ▁desperate- ▁expeditious- ▁female- ▁veterinary- ▁Moody- ▁halo- ▁reagent- ▁remiss- ▁handicap- asset- ▁Advertising- ▁Gathering- ▁Surgery- ▁dermatology- ▁festival- ▁intermediary- ▁modalities- ▁syndrome- ▁sweetener- ▁rotate- ▁Needle- ▁stead- ▁Analysis- ▁HVAC- ▁Secure- ▁Volkswagen- ▁affluent- ▁amplified- ▁copies- ▁culinary- ▁hindsight- ▁implicit- ▁inaccurate- ▁pollution- ▁radiation- ▁susceptible- ▁veterinarian- ▁50-50- ▁grasp- ▁paving- ▁rehab- ▁unused- ▁depot- ▁renal- ▁bull- ▁interrupt- ▁Publishing- ▁Splunk- ▁biopharma- ▁deplete- ▁explosive- ▁injunction- ▁mountain- ▁pyramid- ▁quantification- ▁resurgence- ▁underutilized- ▁viewership- ▁northeast- ▁aftermath- ▁sweat- ▁knit- ▁delineate- ▁definite- claim- etween- ▁Flotek- ▁Haynesville- ▁Scientific- ▁Spark- ▁ammunition- ▁examination- ▁faculty- ▁framing- ▁hygiene- ▁ninth- ▁Fixed- ▁Traditional- ▁Henry- ▁vocal- ▁Flat- ▁Merchant- ▁Microchip- ▁Spectrum- ▁Triferic- ▁densification- ▁equilibrium- ▁identifies- ▁illegal- ▁predecessor- ▁reversing- ▁shadow- ▁vascular- ▁tubing- ▁tiny- ▁invitation- ▁tolerated- utheastern- moving- ▁disturb- ▁Chipotle- ▁Cushing- ▁Effective- ▁Keppel- ▁Summer- ▁bracket- ▁fibrosis- ▁undrawn- ▁contend- ▁franc- ▁Argentin- ▁arrange- ▁Adobe- ▁Kratos- ▁Quantum- ▁admittedly- ▁prudence- ▁DTC- ▁debenture- ▁diving- ▁Quint- ▁Titan- ▁cream- ▁relieve- ▁Apparel- ▁Conversely- ▁Employee- ▁Frozen- ▁Hampshire- ▁Staffing- ▁Yield- ▁buzz- ▁census- ▁clarified- ▁compensating- ▁finite- ▁influential- ▁protracted- ▁submarine- ▁valuing- ▁Fundamental- ▁Canyon- ▁Tommy- ▁investigator- ▁archive- ▁locate- ▁revolve- Vision- collect- ▁Protect- ▁overshadow- ▁reconfirm- ▁reintroduc- ▁Circuit- ▁Hungary- ▁duplication- ▁formidable- ▁intermediaries- ▁remuneration- ▁sauce- ▁biopharmaceutic- ▁admin- burn- screen- mproved- ▁Novartis- ▁Oxford- ▁cultivating- ▁reengage- ▁renegotiating- ▁reorganizing- ▁Something- ▁Linda- change- technology- mobile- standard- 2,000- ▁Michel- ▁Brown- ▁Commonwealth- ▁Honda- ▁Kathy- ▁Memory- ▁Separately- ▁constellation- ▁redetermination- ▁unbilled- ▁unintended- ▁crystallize- ▁harmonize- ▁Forrester- ▁Collectively- ▁Montana- ▁Reflect- ▁consolidator- ▁expensing- ▁mobilization- ▁reassure- ▁remedies- ▁rescue- ▁microcontroller- ▁Command- ▁sailing- ▁myriad- ▁Crown- ▁deviate- energy- ▁helm- ▁Flag- ▁Cinema- ▁Recogniz- ▁Oncology- ▁Pioneer- ▁approving- ▁atmosphere- ▁autonomy- ▁celebration- ▁invoicing- ▁legitimate- ▁peace- ▁refrigeration- ▁shelter- ▁Flash- ▁Sterling- ▁regret- ▁rotating- ▁multiply- ▁erode- ▁Triple- ▁assign- constrained- ▁Develop- ▁Expand- ▁Mosaic- ▁Alpine- ▁diameter- ▁hidden- ▁mezzanine- ▁multifaceted- ▁reconfigure- ▁ruble- ▁tournament- ▁uranium- ▁2022- ▁MBS- ▁tilt- ▁lesion- ▁err- IVE- ▁criminal- ▁Broker- ▁Comfort- ▁Exactly- ▁Facility- ▁basketball- ▁explosion- ▁hypo- ▁investigating- ▁obsolete- ▁plumbing- ▁voyage- ▁whiskey- ▁pruning- ▁retreat- ▁ripe- minded- average- ▁potent- ▁gravitat- ▁refrain- ▁Alzheimer- ▁Freddie- ▁Heritage- ▁Intermodal- ▁catastrophic- ▁caustic- ▁geology- ▁indebtedness- ▁multibillion- ▁nonstrategic- ▁occupancies- ▁propulsion- ▁terrible- ▁summit- ▁Understand- managed- ▁Cincinnati- ▁Condition- ▁Governor- ▁Holiday- ▁Initiative- ▁MiFID- ▁cheese- ▁deficiencies- ▁elegant- ▁elevation- ▁nonoperating- ▁receptivity- ▁scatter- ▁theatrical- ▁varieties- ▁PFS- ▁entries- ▁ourself- ▁browse- ▁lull- ▁Commodit- ▁Thermo- chieving- target- ▁Bureau- ▁Circle- ▁Completion- ▁Instagram- ▁Polaris- ▁Qualcomm- ▁Student- ▁Wyoming- ▁averaging- ▁delinquent- ▁franchising- ▁ratably- ▁requisite- ▁underscoring- ▁vinyl- ▁Instant- ▁LTAC- ▁Transition- ▁fastener- ▁Container- ▁Mercury- ▁Superior- ▁Wolfcamp- ▁accumulating- ▁eligibility- ▁expend- ▁himself- ▁methanol- ▁voucher- ▁Knight- ▁Carrier- ▁subtract- ▁Ranch- ▁entrant- approved- ▁Frankfurt- ▁Melbourne- ▁anxiety- ▁cartridge- ▁combustion- ▁escalating- ▁infectious- ▁laundry- ▁pledge- ▁styrene- ▁custodia- ▁Interestingly- segment- normal- annual- ▁multimillion- inflammatory- ▁Brothers- ▁Jacobs- ▁Minneapolis- ▁Principal- ▁dispensing- ▁jeopardiz- ▁nutrient- ▁Enhanc- xisting- midst- typical- ▁solicit- ▁Dominic- ▁Edmonton- ▁Fannie- ▁Identity- ▁Ingredients- ▁Nokia- ▁Yelp- ▁allegations- ▁appraise- ▁envisage- ▁flesh- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_unnorm_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.8distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm/lm_train_lm_en_unnorm_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 55692dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm/lm_stats_en_unnorm_bpe10000/train/text_shape.bpevalid_shape_file:- exp_unnorm/lm_stats_en_unnorm_bpe10000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- ▁in- ▁that- ''''- ▁a- ▁our- s- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁this- ▁be- ▁We- ▁And- ▁will- re- '-'- ▁year- ▁quarter- ▁at- ▁more- ▁So- ▁from- ▁business- ▁think- ▁what- t- ▁not- ▁some- ▁us- ▁by- ▁about- ▁there- ve- ▁growth- ▁can- ▁was- ▁which- ▁new- ▁very- ▁or- ▁do- '?'- ▁an- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁been- ▁all- ▁just- ▁has- ▁these- ▁so- ▁well- ▁those- ▁over- ▁now- ▁time- ▁customers- ▁into- ▁where- ▁like- ▁first- ▁results- ▁out- ▁But- ▁really- ▁other- ▁how- ll- ing- ▁if- d- ▁their- ▁up- ▁forward- ▁expect- ▁company- ▁were- ▁than- ▁last- ▁your- ▁look- ▁through- ▁get- ▁any- ▁because- ▁one- ▁call- ▁strong- ▁had- ▁believe- ▁sales- ▁when- ▁This- ▁then- ▁As- ▁good- ▁second- ▁In- ▁revenue- m- ▁performance- ▁product- ▁make- ▁lot- ▁cost- n- ▁much- ed- ▁years- ▁Our- ▁could- ▁financial- ▁capital- ▁terms- ▁don- ▁future- ▁both- ▁impact- ▁right- ▁value- ▁them- ▁It- ▁today- ▁little- ▁want- ▁customer- ▁next- ▁bit- ▁back- ▁work- ▁increase- ▁products- ▁take- ▁number- ▁end- ▁higher- ▁opportunities- ▁able- ▁half- ▁markets- ▁kind- ▁way- ▁may- ▁significant- ▁know- ▁operating- ▁better- ▁go- ▁cash- ▁say- ▁things- ▁still- ▁focus- ▁most- ▁statements- ▁provide- ▁should- ▁being- ▁point- ▁part- ▁team- ▁across- ▁lower- ▁made- ▁opportunity- ▁need- ▁important- ▁third- ▁2- ▁during- ▁rate- ▁line- ▁long- ▁people- ▁fourth- ▁down- ▁strategy- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁around- ▁portfolio- ▁working- ▁management- ▁share- ▁price- ▁investment- ▁due- ▁additional- ▁actually- ▁give- ▁only- ▁come- ▁while- ▁seeing- ▁high- ▁demand- ▁no- ▁few- ▁plan- ▁same- ▁looking- ▁progress- ▁here- ▁great- ▁costs- ▁even- ▁development- ▁different- ▁margin- ▁result- ▁current- ▁seen- ▁doing- ly- ▁grow- ▁further- ▁start- ▁change- ▁coming- ▁guidance- ▁positive- ▁service- ▁me- ▁earnings- ▁data- ▁drive- ▁technology- ▁position- ▁process- ▁key- ▁full- ▁investments- looking- ▁past- ▁That- ▁said- ▁who- ▁turn- ▁overall- ▁basis- ▁expected- ▁improve- ▁increased- ▁support- ▁again- ▁question- ▁3- ▁within- ▁focused- ▁sort- ▁services- ▁got- ▁environment- ▁potential- ▁help- ▁before- ▁businesses- ▁large- ▁pricing- ▁months- ▁These- ▁remain- ▁making- ▁done- ▁balance- ▁something- ▁ability- ▁interest- ▁strategic- ▁move- ▁already- ▁production- ▁sure- ▁side- ▁based- ▁platform- ▁best- ▁program- ▁such- ▁information- ▁mentioned- er- ▁acquisition- ▁Now- ▁Q- ▁talk- ▁expectations- ▁maybe- ▁early- ▁several- ▁operations- ▁use- ▁put- ▁given- ▁segment- ▁feel- ▁deliver- ▁assets- ▁rates- ▁pleased- ▁changes- ▁experience- ▁period- ▁my- ▁each- ▁couple- ▁growing- ▁You- ▁base- ▁benefit- ▁including- ▁place- ▁improvement- ▁projects- ▁tax- ▁order- ▁certain- ▁model- ▁related- ▁initiatives- term- ▁areas- ▁companies- ▁activity- ▁driven- ▁build- ▁continues- ▁getting- ▁existing- ▁A- ▁margins- ▁flow- ▁its- ▁levels- ▁addition- ▁term- ▁commercial- ▁pretty- ▁volume- ▁fact- ▁thing- ▁income- ▁course- S- ▁capacity- ▁big- ▁factors- ▁quarters- y- ▁might- ▁clients- ▁probably- ▁net- ▁mix- ▁always- ▁does- ▁competitive- ▁There- ▁under- ▁release- ▁mean- ▁risk- ▁marketing- ▁brand- ▁Thank- ▁quite- ▁prices- ▁saw- al- ▁update- ▁offset- ▁top- ▁why- ▁project- ▁every- ▁supply- ▁available- ▁off- ▁world- ▁leverage- ▁having- e- ▁With- ▁recent- ▁after- ▁between- ▁efforts- ▁core- ▁global- ▁quality- ▁conference- ▁area- ▁shareholders- ▁earlier- ▁real- ▁far- ▁less- ▁understand- ▁let- ▁low- ▁prior- ▁expenses- ▁trying- ▁actual- ▁credit- ▁primarily- ▁continuing- ▁building- ▁amount- ▁another- ▁system- ▁While- ▁certainly- ▁digital- ▁view- ▁whether- ▁solutions- ▁operational- ▁success- ▁questions- ▁pipeline- ▁day- ▁inventory- ▁outlook- ▁return- ▁range- ▁Or- ▁ahead- ▁taking- ▁improved- ▁review- ▁set- ▁expense- ▁If- ▁thank- ▁major- ▁retail- ▁profitability- ▁fiscal- ▁capabilities- ▁timing- ▁risks- ▁expand- ▁materially- ▁group- ▁presentation- ▁increasing- ▁confident- ▁ago- ▁consumer- ▁obviously- ▁revenues- ▁excited- ▁benefits- ▁hard- ▁For- ▁driving- ▁own- ▁moving- ▁What- ▁acquisitions- ▁On- ▁plans- ▁talked- ▁differ- ▁non- ▁solid- ▁partners- ▁- ▁increases- ▁China- ▁sheet- ▁expansion- ▁perspective- in- ▁particularly- ▁4- ▁distribution- ▁keep- ▁approach- ▁invest- ▁bring- ▁S- ▁add- ▁structure- ▁Yes- ▁space- ▁They- ▁debt- ▁stores- ▁sense- ▁small- ▁total- ▁versus- ▁compared- ▁asset- ▁programs- ▁improving- ▁begin- ▁measures- ▁clear- ▁numbers- ▁longer- ▁specific- ▁patients- ▁close- ▁needs- ▁significantly- ▁consistent- ▁average- ▁open- ▁create- ▁trends- ▁beginning- ▁scale- ▁run- C- ▁currently- ▁re- ▁strength- ▁conditions- ▁network- r- ▁tell- ▁decline- ▁since- ▁organization- ▁points- ▁5- ▁detail- ▁transaction- ▁volumes- ▁include- ▁execution- ▁anything- ▁profit- ▁towards- ▁per- ▁deal- ▁contract- ▁together- ▁cause- ▁larger- ▁starting- ▁remains- ▁However- ▁advantage- ▁material- ▁spend- ▁efficiency- ▁uncertainties- ▁comments- ▁throughout- ▁example- ▁fully- ▁ongoing- ▁greater- ▁organic- ▁yet- ▁events- ▁store- ▁care- ▁1- ▁trend- ▁successful- ▁2017- ▁announced- ▁brands- ▁morning- ▁returns- ▁started- ▁Europe- ▁discuss- ▁find- ▁gas- or- ▁control- ▁difficult- ▁innovation- ▁reduce- ▁talking- ▁particular- ▁track- ▁At- ▁achieve- ▁case- o- ▁allow- ▁short- ▁become- ▁infrastructure- ▁access- ▁decision- ▁later- ▁momentum- ▁providing- ▁recently- ▁Okay- ▁completed- ▁improvements- c- ▁press- ▁along- ▁associated- ▁oil- ▁too- ▁sell- ▁discussed- ▁guess- ▁try- ▁activities- es- ▁systems- ▁manage- ▁impacted- p- 'on'- ▁lines- ▁note- ▁report- ▁previously- ▁everyone- ▁2018- ▁similar- ▁confidence- ▁anticipate- ▁used- ▁remarks- ▁issues- ▁offering- ▁pressure- ▁6- ▁U- ▁effect- to- ▁reduction- ▁integration- ▁record- ▁health- ▁teams- ▁pay- ▁segments- ▁offer- ▁reason- ▁board- ▁positioned- ▁Before- ▁delivering- ▁launch- ▁meet- ▁investors- ▁energy- ▁economic- ▁website- ▁equity- ▁against- ▁cycle- ▁subject- ▁2016- ▁contracts- ▁items- ▁slightly- ▁percentage- ▁stock- ▁quickly- ▁using- ▁guys- ▁power- ▁money- ▁single- ▁Slide- ▁actions- ▁beyond- ▁adjusted- ▁front- ▁international- ▁selling- ▁leadership- ▁To- ▁equipment- ▁channel- ▁clearly- ▁target- ▁especially- ▁possible- ▁spending- ▁unique- ▁relative- ▁direct- ▁once- ▁size- ▁remind- ▁comes- ▁means- ▁general- ▁combination- ▁incremental- ▁maintain- ▁without- ▁facility- ▁manufacturing- ▁execute- ▁multiple- ▁rest- ▁complete- ers- ▁employees- ▁resources- ▁One- ▁either- year- ▁ensure- ▁client- ▁near- ▁job- up- ▁thinking- ▁issue- ▁details- ▁taken- ▁online- ▁challenges- ▁included- ▁content- ▁local- ▁show- ▁loan- ▁reflect- ▁investing- ▁various- ▁generate- ▁type- ▁regarding- ▁leading- ▁month- G- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁wanted- ▁whole- ▁meaningful- g- ▁date- ▁attractive- ▁New- ▁F- ▁B- ▁productivity- ▁relationships- ▁happen- ▁corporate- ▁transition- ▁stronger- ▁free- ▁regulatory- ▁solution- ▁largest- ▁committed- ▁All- ▁thought- ▁partner- ▁goal- ▁government- ▁marketplace- ▁deals- ▁profitable- M- ▁sale- ▁discussion- ▁relatively- ▁delivered- ▁cloud- ▁shift- ▁clinical- ▁portion- P- ▁anticipated- ▁likely- ▁annual- ▁favorable- ▁savings- ▁chain- ▁public- ▁Well- ▁EBITDA- ▁provided- ation- ▁ways- ▁When- ▁respect- ▁consumers- ▁lead- GAAP- ▁prepared- ▁serve- ▁least- ▁bottom- ▁comment- ▁days- ▁highly- a- ▁underlying- ▁transformation- ▁delivery- ▁category- le- T- ▁develop- ▁moment- ▁flexibility- ▁combined- ▁Let- ▁gives- ▁experienced- ▁address- ▁orders- ▁dividend- ro- ▁First- ▁closing- able- ▁E- ▁season- ▁built- ▁haven- ▁majority- ▁C- ▁entire- ur- ▁Can- u- ▁slide- ▁quarterly- ▁design- ▁agreement- ▁expanding- ▁hope- ▁situation- ▁challenging- ▁step- D- ▁though- ▁efficient- ▁effective- ▁accelerate- ▁commitment- ▁generation- ▁upon- ▁initial- ▁generally- ▁answer- ▁home- ▁buy- ▁doesn- ▁required- ▁strategies- ▁play- ▁competitors- ▁currency- ▁During- ▁normal- ▁country- ▁critical- ▁provides- ▁everything- ▁region- ▁largely- ▁hand- ▁facilities- ▁active- ▁week- ▁competition- ▁loss- ▁pace- ▁enhance- ▁T- ▁profile- ▁bank- ▁extremely- ▁smaller- ▁behind- ▁patient- ▁weeks- ▁enough- ▁e- ▁property- ▁ourselves- ▁flat- ▁allows- ▁stable- ▁book- ▁relationship- ▁Please- ri- ▁following- ▁sector- ▁operate- E- ▁sustainable- ▁came- ▁ever- ▁planning- ▁reported- end- ▁fair- ▁categories- ▁am- ▁final- ▁includes- ▁happy- ▁away- ▁specifically- ▁software- B- ▁recovery- b- ▁assumptions- ▁unit- ▁internal- ▁effort- ▁reduced- ▁loans- ▁his- R- ▁running- ▁contribution- ▁transactions- ▁accounts- ▁reach- ▁ramp- ▁achieved- ▁rather- ▁life- O- ▁he- ▁enable- l- ar- ▁technologies- ▁wondering- ▁exactly- ▁account- ▁GAAP- ▁metrics- I- ▁follow- ▁offerings- ▁parts- ▁state- ▁above- A- L- K- ▁faster- ▁units- ▁makes- ▁applications- ▁appropriate- ▁added- ▁mobile- ▁gain- ▁decrease- ▁un- ▁won- ▁G- ▁efficiencies- ▁weather- th- ▁received- ▁10- ▁safety- ▁private- ▁reflects- ▁basically- ▁channels- ▁exciting- ▁estate- ion- ra- ▁directly- ▁seems- ▁changed- ▁discussions- ▁study- ▁partially- ▁consider- ▁industrial- over- ▁developing- ▁took- ▁insurance- ▁accounting- ▁outside- ▁field- ▁footprint- '1'- ity- ▁restructuring- ▁plant- ▁shareholder- ▁ratio- ▁statement- ▁P- ▁changing- ▁reasons- x- ▁center- ▁substantial- ▁Thanks- '2'- ▁joining- ▁capability- en- ▁January- ▁decisions- ▁traffic- ▁integrated- ▁mind- ▁expectation- ▁robust- ▁adding- ▁drivers- ▁win- ▁despite- ▁times- ▁purchase- ▁December- ▁enterprise- ▁tend- ▁creating- ▁healthy- ▁options- ▁gains- ▁processes- ▁platforms- ▁happening- ▁12- ▁managing- based- ▁disconnect- ▁therefore- ▁potentially- ▁forecast- ▁typically- ▁premium- ▁backlog- ▁community- ▁Just- ▁ultimately- ▁advertising- ▁speak- ▁executing- ▁primary- ▁driver- ▁understanding- ▁saying- ▁almost- ▁fund- ▁optimistic- ▁nature- ▁others- ▁exchange- ▁traditional- il- ▁s- ▁trade- ▁filings- ▁planned- ▁bringing- ▁security- ▁comfortable- ▁historical- ▁needed- ▁effectively- ▁goes- ▁found- ▁necessary- ▁D- ▁million- ▁ask- ▁highlights- ▁mid- ▁please- ▁putting- ▁excellent- ▁office- ▁2019- ▁labor- ▁stay- ▁visibility- ▁proud- ▁cases- ▁refer- ▁limited- ▁Asia- ▁countries- ▁disciplined- ▁liquidity- ▁natural- la- ▁losses- ▁else- ic- ▁encouraged- ▁standpoint- ▁de- ▁food- ▁targets- f- ▁bigger- ▁double- ▁funding- ▁comparable- ▁late- ▁launched- ▁recognize- ▁obligation- ▁June- ▁volatility- ▁difference- ▁September- it- ment- ▁extent- ▁March- ▁never- co- ▁remaining- ▁financing- ▁expanded- ▁response- i- ▁main- ▁maintenance- ▁How- ▁broader- ▁types- ▁land- ▁utilization- ▁regions- ▁members- ▁Do- ▁detailed- an- ▁completion- ▁fleet- ▁sold- ▁yield- ▁focusing- ▁broad- ▁Because- ▁fixed- ▁partnership- ▁meeting- ▁tremendous- ▁reducing- ▁operation- ▁intend- ▁path- ▁although- ▁ready- el- ▁approximately- ▁direction- F- ▁economy- ▁research- ▁acquired- li- ▁remainder- ▁dollars- ▁locations- ▁Turning- ▁test- ▁cover- ▁fees- ▁CapEx- ▁properties- ▁went- ▁reflected- ▁media- ▁highlight- ent- ▁9- ▁interesting- ▁below- ▁O- est- ▁finally- ▁allocation- ▁2015- ▁fuel- ▁7- k- ▁conversion- ▁biggest- ▁nice- ▁foundation- ▁fairly- ▁engagement- '4'- ▁takes- ▁tools- ▁individual- ▁highest- ▁Re- ▁successfully- ▁perhaps- ▁H- ▁phase- ▁closely- ▁hit- ▁present- ▁inflation- ▁pre- ▁summary- ▁stage- ▁Looking- ▁led- ▁requirements- ▁buying- ▁history- ▁increasingly- ▁opening- ▁Good- ▁water- ▁legacy- ▁necessarily- ▁Finally- ▁shows- ▁commodity- ▁reporting- ▁standard- ▁flows- ▁outstanding- ▁attention- ▁somewhat- ▁giving- ▁simply- ▁priority- V- ▁everybody- ▁strengthen- ▁goals- ▁news- ▁expecting- ▁talent- ▁force- ▁proposition- ▁mainly- ▁European- '3'- ▁trial- ▁exposure- ▁maintaining- ▁20- ▁expertise- ▁capture- ▁Some- ▁lease- ▁closed- ▁appreciate- ▁factor- ▁fall- ch- ▁steps- ▁regard- ization- ▁prospects- ▁itself- ▁paid- us- ▁shares- ▁component- ▁event- ▁innovative- ▁periods- ▁implementation- ▁drilling- ▁role- ▁gross- ▁dollar- ▁discipline- ▁franchise- ▁policy- ▁light- ▁Canada- ▁approval- ▁national- ▁8- ▁developed- ▁Although- ▁priorities- ▁testing- ▁yes- ▁live- ▁adoption- ry- ▁piece- ▁initiative- ▁funds- ▁historically- ter- ▁leader- ▁compensation- ▁treatment- ▁10-- ▁definitely- ate- ▁2017.- ▁Also- ▁October- ▁optimize- ▁April- ▁speed- ▁matter- ▁created- ▁co- ▁M- ▁realize- ul- ▁challenge- ne- ▁noted- ▁centers- ▁worked- ▁assume- ▁happened- ▁payments- rs- ▁true- ▁importantly- at- ▁produce- ▁perform- ▁foreign- ▁targeted- ▁actively- ▁culture- ▁operator- ▁context- ▁described- ▁analysis- ▁resulting- ▁domestic- ▁resulted- ▁N- ▁hold- ▁Given- ▁site- ▁presence- ▁aggressive- ▁application- ▁SEC- ▁medical- ▁comp- ▁No- ▁payment- ▁steady- et- ▁helping- ▁p- ▁conclude- ▁July- ive- lo- ▁remember- ▁read- ▁summer- ▁training- ▁generated- ▁designed- H- ▁nothing- ▁middle- ▁huge- ▁positions- ▁relates- ▁looks- ▁upside- ▁Are- ▁dynamics- ▁seasonal- ▁modest- ▁coverage- ▁participation- ▁players- ▁Brazil- ▁becoming- ▁idea- ▁evaluate- ▁retailers- te- ▁Day- ▁emerging- ▁R- ▁synergies- ▁South- ▁invested- ▁L- ▁safe- ▁among- ▁regional- ▁Additionally- ▁2018.- ▁trading- ▁push- ▁fee- ▁deposit- ▁heard- ▁implemented- ▁models- ▁measure- ▁dynamic- ▁leveraging- ▁pursue- ▁30- ▁materials- ▁May- ▁gone- ▁advanced- com- ▁road- ▁complex- ▁affected- ▁K- ▁relevant- ▁mortgage- ▁America- ▁impacts- ▁Over- ▁recognized- ▁schedule- ▁room- ▁variety- ▁managed- ▁reminder- ▁moved- ▁Securities- ▁reasonable- ▁providers- ol- ▁November- ▁story- ated- ▁Overall- ▁soon- ▁helpful- ▁adjustments- ▁otherwise- ▁Services- w- ▁action- ▁ones- ▁effects- ▁joint- ▁Second- ▁count- ▁enhanced- ▁compete- ▁developments- ▁objectives- ▁issued- ▁must- ▁budget- age- ▁generating- ▁demonstrate- ▁calls- ▁My- ▁reflecting- ▁face- ▁reductions- ▁closer- ▁special- ▁communities- ▁represents- ▁vision- ▁common- ▁February- ▁banking- ▁headwinds- ▁function- ▁source- ▁often- ▁banks- ▁firm- ▁decided- ▁performing- ▁absolutely- ▁easier- ▁charge- ▁California- ▁analytics- ▁began- ▁identified- ▁hear- ▁uncertainty- ▁fast- de- ▁happens- ▁technical- ▁looked- ▁extend- ▁undertake- ▁advance- ▁roll- ▁essentially- ▁affect- ▁York- ▁table- ▁recognition- ▁interested- ▁deep- ▁turning- ▁investor- ▁slow- ▁represent- ▁finance- ▁users- ▁identify- ally- ▁c- ▁cannot- ▁sites- ▁pick- ▁bookings- ▁car- ▁stated- ▁outcomes- ▁established- ▁form- ta- ▁helped- ▁underwriting- ▁easy- ▁require- ▁estimate- ▁division- ▁consolidation- ▁maximize- ▁paying- ▁consistently- ▁components- ▁partnerships- ▁left- ant- ▁compelling- ▁Commission- ▁excess- ▁conservative- ▁spot- ▁provider- ▁touch- out- ▁independent- ▁figure- ▁predict- ▁agreements- ▁aware- ▁drug- ▁operators- ▁penetration- ▁allowed- ▁Mexico- ▁W- ▁Moving- ▁capitalize- ▁fit- ▁wins- ▁engineering- ▁thoughts- as- ▁projections- ▁shown- Q- ▁indicated- ▁achieving- N- ▁raw- ▁presented- ▁learning- ig- ating- ▁rapidly- ▁brought- ▁toward- ▁game- ▁East- ▁deploy- ▁'17- ▁reform- ▁ground- ▁demonstrated- ▁video- ▁folks- ▁outcome- ▁tough- ▁August- ▁occur- ▁differentiated- ▁encouraging- ▁drop- U- ▁supported- ▁recorded- ▁problem- ▁plants- ▁sequential- ▁degree- ▁filed- ▁receive- ▁deployment- ▁grew- ▁frankly- ▁section- ▁finding- digit- ▁considered- ▁option- ▁seasonality- ▁showing- ▁accelerated- ▁multi- h- ▁From- na- ▁federal- ▁devices- ▁law- ▁West- ▁substantially- ▁remained- ▁quick- ies- ▁concludes- ▁objective- ▁senior- ▁suppliers- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁holiday- ▁positioning- ▁Form- ▁curious- ▁realized- ▁elements- se- ▁retention- X- ▁estimates- ▁Those- ia- ▁staff- ▁Group- ▁involved- ▁dedicated- ▁walk- ▁securities- ▁benefited- ▁contributed- ▁18- ▁professional- ▁promotional- ▁felt- ge- ▁wells- ▁consolidated- ▁post- ▁supporting- ▁license- ▁comprehensive- ▁leaders- ▁shared- ▁involve- ▁Today- ▁legal- time- ▁rental- ▁He- ▁claims- ▁contribute- ▁leasing- ▁specialty- ▁subscription- id- ▁feedback- ▁Chinese- ▁truly- ▁pass- ▁taxes- ize- ▁rent- ▁reconciliation- ▁Exchange- ▁excellence- ▁correct- ▁residential- ▁stuff- ▁original- ▁traction- ac- ▁nearly- ▁John- ▁signed- ness- ▁raise- ine- line- ▁Mike- ▁projected- ▁wholesale- ▁deposits- ▁aggressively- ▁external- ▁population- ▁merger- ▁cross- ▁themselves- ▁spread- ▁proven- ▁India- ▁whatever- ▁allowing- ▁pull- ▁availability- ▁stand- ▁automotive- ▁Again- ▁lending- ▁gave- ▁implement- ▁macro- ad- ▁2016,- ▁economics- ▁By- ru- ▁Page- ▁digits- ▁15- ▁name- ▁announcement- ▁social- ▁vehicle- ▁V- ▁card- ▁commentary- ▁holding- ▁afternoon- ▁declines- ▁recurring- ▁location- ▁stages- ▁updated- ▁'18- ▁studies- ▁processing- ▁respond- ▁geographic- ▁seem- ▁held- ▁conversations- ▁optimization- ▁Texas- ▁deferred- ▁Co- ce- ▁Of- ▁creation- ▁features- ▁acquire- ▁speaking- ▁list- ▁user- ▁engaged- ting- ▁picture- ▁known- ▁page- ▁adjust- ▁Obviously- ▁explain- ▁collaboration- ▁mostly- ▁transportation- ▁welcome- ▁posted- market- ▁chart- ▁enter- ▁journey- ▁completely- ▁overview- ▁internally- ▁strengthening- ke- ▁choice- um- ▁efficiently- ▁constant- ▁fundamentals- ▁practices- ▁wide- ck- ▁IT- ▁gentlemen- ▁called- ▁mention- ▁venture- ▁lost- ▁con- ▁participating- ▁indication- ▁accelerating- ▁secure- ▁shipments- va- ▁personal- related- ▁contain- ▁states- ▁slower- ▁sources- ▁manner- ▁performed- ▁keeping- ▁dividends- ▁minutes- ▁expressed- ▁auto- ▁curve- ▁recall- ▁helps- ▁sometimes- ▁worth- ▁calendar- ▁After- ▁frame- ▁globally- ▁alternative- ma- ▁evaluating- ▁smart- ▁superior- ▁valuable- ▁signs- ▁b- ▁announce- ▁st- ure- ▁strongly- ▁peers- ▁gets- ▁Financial- ton- ▁introduced- ▁launches- ▁awareness- is- ▁resource- ▁storage- ▁housing- ▁comparison- ▁compliance- ▁hopefully- ▁De- ▁Investor- ▁knowledge- ▁however- ▁monitor- ▁encourage- ▁upcoming- ▁extended- ca- ▁contained- ▁evolve- ▁brief- ▁slides- ▁commitments- ▁forth- ▁parties- ▁element- ▁engage- ▁sharing- ▁pursuing- ▁pressures- ▁old- W- ▁wait- ▁break- ▁evidence- ▁prudent- z- ▁peak- ▁provision- ▁t- ▁proceeds- ▁acceleration- ▁plus- ▁standards- ▁inside- ▁meaning- ▁contributions- ▁Could- ▁'19- ▁disease- ▁evolution- ▁charges- ▁Management- ▁broadly- ▁'16- ▁participate- ▁vehicles- ▁American- ▁stability- commerce- ▁carry- ▁2019.- ▁offers- ▁thanks- ▁exit- ▁willing- ▁Based- vi- ▁highlighted- ▁diversified- ▁considering- ▁ended- ▁opposed- pe- ▁Any- ▁medium- ▁asked- ▁balanced- ▁pro- ▁profits- ▁shipping- ▁concluded- ▁implementing- ance- v- ▁setting- ▁executed- ▁bad- ▁enhancing- ▁circumstances- ▁separate- go- ▁Since- ▁J- ▁geographies- ▁sign- ▁device- ▁attract- ▁reserve- ▁shape- ▁discussing- ex- ▁becomes- ▁places- ▁shopping- ▁simple- ▁item- ▁targeting- ▁renewal- ▁vertical- ▁publicly- ▁works- ▁financials- ▁concerned- ▁exceptional- ▁conclusion- ▁seek- ▁protect- ▁rising- ▁roughly- ▁landscape- ▁words- ized- ▁slight- ▁matters- ▁weakness- ▁enables- ▁aspects- ▁managers- ▁insight- ▁integrate- ▁An- ▁mission- ▁settlement- ▁valuation- ▁industries- ▁Steve- di- per- ▁mining- ▁reports- ▁trust- ▁automation- ▁approved- ▁ownership- ▁winter- ▁heavy- ▁fundamental- ▁Most- ▁aircraft- ▁Then- ▁recover- 'off'- ▁structural- ▁behavior- ▁leave- ▁chance- ▁aligned- ▁negatively- lu- ▁mine- ▁physicians- ▁Ma- ▁assuming- ▁winning- ▁reserves- ▁tool- ▁evolving- ▁enabling- ▁wind- ▁starts- ▁Energy- ▁drove- ▁Despite- ▁Australia- ▁begun- un- ▁physical- ▁campaign- ▁travel- izing- ▁variable- ▁rise- log- uch- ▁engine- ▁opened- ▁importance- ▁hospital- ho- ▁Mark- ▁family- ▁continuous- ▁Internet- ▁typical- ▁Germany- ▁practice- ▁trajectory- ▁Act- con- ▁mature- ▁organizations- ▁mitigate- ▁lack- ▁sit- ▁rig- ▁learn- ling- ▁spring- ▁rolling- ▁cautious- ▁reality- ▁employee- ▁label- ▁deeper- ▁Florida- ▁examples- ▁rigs- am- ▁strategically- po- ▁adjustment- ▁app- ▁10%- ▁Solutions- ▁implied- ▁two- ▁inventories- ▁connected- ▁ship- tra- ▁consecutive- ▁loyalty- ▁50- ▁love- ▁sustained- ▁movement- ▁floor- ▁sounds- ary- ▁caused- im- ▁opportunistic- ▁weak- ▁views- ▁yields- ▁Latin- ▁subsequent- ▁utility- ▁commission- ▁determine- ▁steel- ▁pieces- ▁flexible- ▁assortment- ▁search- ▁fashion- ▁enabled- ted- ▁replacement- ▁delay- ▁hearing- ▁groups- ▁agencies- ▁Both- ▁sufficient- ▁underway- ist- ▁reached- ▁cut- ▁rapid- ▁utilize- ▁owners- ▁David- ▁occupancy- ▁her- ▁impacting- ▁extra- ▁ex- ▁heavily- ▁protection- ▁outlined- ▁Ca- ▁compare- do- ▁incentive- be- ▁experiencing- ▁vast- ▁excluding- ▁diversification- ▁absolute- tion- ▁stakeholders- ▁leases- ▁restaurant- ▁export- ▁thus- ▁gotten- ▁therapy- mi- land- ▁Al- ▁retain- ▁clarity- ▁replay- ▁Last- ▁North- ▁regards- ▁networks- ▁International- ▁disruption- ▁Bank- ▁reimbursement- ▁dramatically- ▁repurchase- ▁2020- ▁Con- ▁f- ▁latest- ▁finish- ▁consideration- ▁logistics- ▁yesterday- ▁watch- 'no'- ▁sectors- ▁updates- ie- ▁consumption- ▁discount- ▁asking- ▁weaker- ▁she- ▁machine- ▁entered- ▁depend- store- ▁figures- ▁guide- ▁Sure- ▁trials- ▁upgrade- ▁Ladies- ▁soft- ▁met- ▁align- ▁Capital- ▁restaurants- ▁depreciation- ▁brings- ▁provisions- ▁problems- ▁exceeded- ▁choose- ▁wish- ▁Pro- ▁assessment- ▁Actual- ▁City- ba- ▁usage- ▁cycles- ▁daily- ▁introduce- ▁apply- ▁imagine- ▁package- ▁carefully- ▁Middle- ▁reference- ▁declined- ▁hiring- ▁depends- ▁class- ▁guests- ▁occurred- ish- quality- ▁proportion- ▁producing- man- ▁contributing- ▁expenditures- ir- ▁framework- tic- ▁productive- ▁Z- ▁Coast- ▁agency- sh- ▁returning- ▁downturn- ▁attributable- ▁Western- ▁freight- ▁sub- ▁insights- ▁gap- ▁Another- ▁unless- ▁St- ▁i- ▁convert- ▁temporary- ▁11- ▁clean- ▁aren- ▁collection- ▁gaining- ▁hotel- ▁Have- ▁connect- ▁immediately- ▁fill- ▁series- ▁originally- ▁stream- ▁scope- ▁lots- ▁requires- ▁sequentially- ▁grown- ▁complexity- ▁ensuring- ▁repeat- ▁bid- ▁handle- ▁powerful- ▁introduction- ▁serving- and- ti- op- ▁values- way- ni- ▁concept- ▁communication- ▁usually- ▁condition- ▁launching- ▁rules- ▁experiences- ▁connection- ty- ▁metric- ▁supplier- ▁X- ▁diverse- ▁education- ▁shortly- ▁advantages- ▁exceed- ▁Africa- ▁Mo- ▁cancer- ▁purpose- ▁webcast- ▁Tom- ▁et- ▁attending- ▁followed- ▁political- ▁Chief- ▁cap- ▁human- ▁Officer- ▁paper- ▁bar- ▁concern- ▁distributors- ▁Not- Y- ▁usual- ▁ecosystem- ▁coupled- ▁emphasize- ▁strongest- ▁coal- ▁learned- ▁laid- ▁reliability- ▁revise- ▁elevated- ▁leads- ▁busy- ▁transfer- ▁amounts- ▁satisfaction- ▁briefly- ▁monitoring- ▁optimizing- ▁alternatives- ▁Next- he- ▁Jim- ▁manufacturers- ▁Even- ▁carriers- ▁environmental- ▁numerous- ▁suggest- ▁Business- ▁message- ▁dis- ▁addressing- ▁tenants- ▁duration- ▁scheduled- ▁fewer- ▁proprietary- ▁produced- class- ▁20%- ▁transform- ▁earn- ▁executive- ▁Health- ▁initially- ▁caution- ▁decide- ▁harbor- ▁check- ence- ▁intention- ning- ical- ▁extensive- ▁waiting- ▁indications- '5'- ▁installed- ▁vendors- ▁file- me- ▁pension- ▁Great- ▁exercise- ▁merchandise- io- ▁differences- ▁facing- ▁feeling- ▁phone- ▁central- ▁pilot- ▁hardware- ▁minimum- ▁Hav- ▁dealers- ▁decade- ▁except- ▁reiterate- ▁hours- ▁tariffs- ▁associates- ▁deployed- ▁dependent- ▁him- ▁institutional- ▁draw- ▁decreased- ▁moderate- ▁positively- vo- ▁milestones- ▁showed- ▁declining- ▁dedication- ▁act- ▁careful- ▁creates- ▁agents- ▁intended- ▁Chris- ens- ▁input- ▁regular- ▁President- ▁ramping- ▁100- ous- ▁Global- ▁5%- ▁hotels- ▁emphasis- party- ▁Other- ▁buyers- ▁supplemental- ▁secured- ▁magnitude- ▁competitor- ▁cetera- ▁immediate- ▁hospitals- ▁contact- ▁More- ▁balances- ▁cars- ▁normalized- ▁told- ▁pool- ▁adapt- ite- ▁personnel- ▁accretive- ▁constantly- ▁audience- ▁concerns- ng- ▁assess- ▁covered- ▁policies- bo- ▁homes- ▁enhancements- ▁negotiations- ▁delays- ▁mo- ability- ab- ok- ▁electric- ▁bought- ▁nicely- ▁sound- ▁lowest- ▁differentiate- ▁confirm- ▁progressing- ▁match- ut- ▁administration- ▁Many- ▁normally- ▁Power- ▁tight- ▁somebody- ▁quantify- os- ▁extension- ▁conversation- ▁stop- ▁France- ▁moves- ▁length- ▁turnaround- ▁prove- ▁packaging- ▁deliveries- ▁playing- ▁awards- ▁shifting- ▁wireless- ▁shop- ▁establish- ▁purchasing- ▁okay- ▁maintained- ▁demonstrates- ▁useful- of- ▁agree- ber- ▁incredibly- ▁benefiting- ▁v- ▁aspect- ▁lift- ▁Therefore- ▁instead- ▁intelligence- ct- ▁volatile- ▁liability- ▁player- ▁released- ▁expensive- ▁tracking- ▁delayed- ot- ▁purchases- ▁organizational- ▁headwind- ▁Ar- ▁placed- ▁defined- ▁assumption- ▁lives- ▁fiber- ▁fresh- ▁amortization- ▁desire- ring- ▁Pu- ▁hoping- ▁science- ▁enrollment- ▁finished- ▁possibility- ▁topic- ▁relating- ▁map- ▁describe- ▁possibly- ▁select- ors- ▁Life- ▁status- ▁influence- one- ▁turned- ▁students- ci- date- ▁functions- ▁En- ▁40- ▁Pacific- ▁tried- ▁migration- ▁solve- back- ▁communications- bi- ▁50%- ▁house- ▁Ro- ▁display- ▁tied- ▁Third- ▁breadth- ▁appear- by- ▁determined- ▁Be- ▁slowdown- ▁evaluation- ▁crude- ▁Consumer- ▁licensing- '00'- ▁plays- ▁avoid- ▁scenario- ▁person- ▁preferred- ▁Once- ver- ▁replace- ▁13- ▁sourcing- ag- ▁organically- ▁depth- ▁embedded- ▁explore- ▁completing- ▁sustain- ▁surprised- ▁Right- ▁Home- ▁Going- ▁milestone- ▁updating- ▁rolled- ▁spreads- ▁box- ▁promotions- ▁heart- ▁unusual- ▁indicators- ▁responsible- ▁incurred- ▁integrating- ▁pushing- quarter- ▁belief- ▁Ex- ▁divisions- ▁opinion- mb- ▁dealing- ▁intent- ▁differently- ▁impressive- ▁bulk- ▁filing- ▁age- ▁Americas- ▁exploration- ▁branch- ▁comps- ▁criteria- ▁lose- ▁lag- ▁air- ▁drag- ▁La- ▁Maybe- ▁concerning- ▁basic- om- ▁truck- ▁aggregate- ▁exact- ▁accomplished- leading- ian- ▁Mi- ▁regulations- ▁patterns- ▁contributor- ▁drill- ▁hedge- ▁gold- ▁Houston- nt- ▁percent- ▁comparisons- ▁split- ▁pattern- port- ▁wage- ▁seeking- ▁Se- ▁po- ris- ide- ▁weighted- ▁spectrum- ▁FX- ▁unchanged- ▁aim- nd- ial- ▁head- ▁churn- ▁unfavorable- ▁dose- ▁ideas- ▁eye- ▁overhead- ▁combine- ▁puts- ▁creative- ▁via- ▁disclosure- ▁member- ▁purposes- ▁join- ▁suite- ▁participants- ▁stress- her- ▁appears- ▁Jeff- ▁estimated- ▁transparency- ▁reliable- ▁promise- ▁guest- ▁acquiring- ▁institutions- ▁14- em- ▁analysts- ▁accomplish- ▁exist- ▁selective- ▁offshore- ▁partly- ▁summarize- ▁sand- ▁Vi- ▁entering- ▁resolution- ▁minimal- ▁Le- ▁located- ▁Ba- ▁easily- ▁softness- ▁monthly- ▁verticals- ▁Commercial- fi- ▁plenty- ▁impairment- ▁FDA- ▁revised- ▁jobs- ▁CEO- ▁functionality- ▁disclosed- ▁Lo- ▁d- ▁raising- ▁sustainability- ▁someone- ▁entirely- ▁Importantly- ▁enjoy- CO- ▁sets- ▁written- ▁complement- ▁Phase- ▁Industrial- ▁portfolios- ga- ▁newer- ging- ▁considerable- ▁diversity- ▁bill- ▁minute- ▁fine- ▁rating- ▁prepare- ▁lean- ▁ad- ▁drives- ▁stabilize- ▁eventually- ▁save- ▁producers- ▁effectiveness- gen- ▁self- ▁realization- ue- ▁regulators- ▁colleagues- ▁administrative- ▁maturity- ▁Air- ▁doubt- ▁introducing- ▁assist- house- ▁block- ▁mass- ph- less- ▁tenant- ▁solar- ▁rollout- ▁newly- ▁laws- ▁notice- ▁supplement- ping- iv- ▁capable- ▁w- ▁frequency- load- ▁train- ▁acreage- ▁architecture- ub- ▁Bill- net- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁diversify- ▁talented- ▁knew- ▁published- ▁rule- ▁election- ▁consulting- ▁proposed- ▁repair- ▁according- ▁globe- ▁thousands- ▁retailer- ▁refinancing- ▁exclude- ▁approvals- ▁owned- ▁seasonally- ▁appeal- pi- ▁3%- ▁dramatic- ▁write- ▁communicate- the- ▁deploying- ▁kinds- ▁Private- ▁reviewing- ▁structures- ▁exception- ▁modeling- ▁older- ▁Amazon- ▁incredible- od- ▁anybody- ▁60- ▁rail- ▁promotion- ▁servicing- ▁wonderful- ▁indicator- ▁Following- ▁TV- ▁Investors- ▁feature- ▁spoke- ▁Scott- day- ▁treat- hi- ▁connectivity- through- act- ile- ▁dialogue- ▁concentration- ▁Me- ▁Michael- ▁demonstrating- ▁entry- ▁levers- ▁reflection- ▁EPS- ▁Li- ▁legislation- ▁accordance- ▁backdrop- ▁latter- ▁differentiation- ▁damage- ron- ▁preparing- ▁super- 0,000- ▁upper- fa- ▁engaging- ▁2%- ▁skills- ▁retirement- ▁translate- ▁g- ▁limit- ▁hybrid- ▁litigation- ▁headcount- ▁meaningfully- ▁candidates- ▁Permian- ▁utilizing- ▁16- ▁0- ▁streams- ▁continuously- ▁utilities- ▁National- ction- ▁respective- ▁facilitate- ▁massive- ▁referring- ec- ▁Revenue- ▁formal- ▁vessels- ▁measured- ▁catch- ▁buildings- lic- ▁Got- ▁Retail- ▁city- ▁react- ▁load- ▁Gulf- ▁Bob- ▁Dave- ▁ratios- ▁menu- ▁appropriately- ▁procedures- ▁hands- ▁books- ▁competing- ▁physician- ▁greatest- ▁worse- ▁window- ▁department- ▁equal- ▁dealer- ▁applied- ▁cell- ▁Sa- ▁adjusting- ▁millions- ▁documents- ▁communicated- ▁movements- ▁installation- ow- ▁bear- ▁factory- ▁branches- ▁mark- ▁distributor- ier- ▁offsetting- ▁origination- ▁reaching- ▁selected- ▁defense- ▁procurement- ▁cities- ▁di- ▁uptick- ▁Care- ▁merchandising- ▁regulation- ▁vary- ▁purchased- ▁fantastic- ▁synergy- ▁fire- ▁Central- ▁incentives- ▁transmission- ions- ▁perfect- ▁beliefs- ▁selection- ▁visit- ▁challenged- ▁became- ▁generic- ha- ▁modestly- ▁Products- ▁hundreds- ▁round- sis- ▁heading- ▁games- ip- ▁proactive- ▁reinsurance- ▁offices- ▁payers- ▁receiving- ▁specifics- ward- ▁4%- ▁advertisers- ▁ticket- ▁workforce- ▁Forward- ▁adverse- ▁mode- che- ▁promising- ▁dry- mer- ▁relate- ard- ▁Where- ▁fundamentally- ▁IP- ▁extraordinary- ▁award- ▁te- ▁faced- ▁listening- ▁vendor- ▁liabilities- ▁upward- ▁harder- ▁Bo- ▁strengthened- ▁Dan- ▁exclusive- ▁innovations- ▁elaborate- ative- pa- ▁stack- ran- ▁repurchases- ▁achievements- ▁claim- ▁succeed- ▁Medicare- ▁wrong- ▁Regarding- ▁switch- ful- ▁door- 1,- ▁1,- ▁bunch- ▁living- ▁voice- ▁feed- ▁night- ▁version- ▁li- ▁campaigns- ▁h- ▁surprise- ▁en- ▁continually- ▁fix- ▁accurate- ▁90- ▁inter- ice- ▁se- cost- ▁jump- ▁terrific- ▁metal- ▁crop- ▁regardless- ▁Operating- ▁edge- ▁initiated- ▁disposal- ▁responsibility- ▁served- ▁ultimate- ▁predictable- ▁mill- ▁extending- ▁promote- ▁cadence- ▁wave- ▁San- ▁navigate- ▁explained- ▁raised- ▁notable- ib- ▁definition- ▁receivables- ▁Paul- ▁broaden- ▁Ra- ▁Service- ▁offered- ger- ▁format- ▁print- ▁sports- ▁index- ▁uniquely- ▁assurance- ▁behalf- ▁ma- ▁tests- ▁bo- ▁lenders- ▁Joe- ▁upfront- ap- ities- ▁grade- ▁entertainment- ▁manager- ▁square- ▁Part- ▁secondly- ▁beneficial- ▁hedging- ▁bridge- fin- ▁Further- ▁rebound- ▁broadcast- ▁collections- ▁advancing- ▁warehouse- ▁innovate- ▁rents- ▁professionals- ▁essential- ▁joined- ▁sophisticated- ix- ny- ▁indeed- ▁worldwide- ▁women- ▁request- ▁goods- ▁Di- ▁thoughtful- ▁carrier- ▁bond- ▁Brian- ▁inform- ▁anticipating- ▁pain- ▁funded- ▁satisfied- ▁court- ▁Am- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁guarantees- ▁consistency- ▁secondary- ▁agenda- ▁compression- ▁indicate- driven- ▁continuation- lin- ▁Car- '8'- ▁link- ▁facts- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁prefer- ▁meetings- ▁announcements- ▁wrap- ster- ▁strengths- ▁preliminary- ▁Northern- ▁fruit- ▁lastly- ▁realizing- ▁anyone- ▁affecting- ▁Like- ▁Systems- ify- down- ▁efficacy- ▁eliminate- ▁pending- ▁occurring- fe- ▁Through- ▁Factors- ▁boost- ▁screen- ▁telling- ▁gaming- ▁modern- ▁firms- ▁excitement- ▁30%- ▁beverage- ▁electronic- ▁preparation- ▁Each- month- ▁allowance- ▁pushed- ▁equation- ▁listen- ▁Additional- ▁constraints- ▁conjunction- ▁severe- ▁characteristics- ▁Mar- ▁London- ▁somewhere- ak- ▁credits- ▁identifying- ▁earning- ▁watching- ▁EBIT- ▁translation- ▁signal- ▁agent- ▁favor- SA- ▁Tim- ▁collect- ▁15%- ▁picking- '7'- ▁analyze- ▁optimal- ▁advisers- ▁hopeful- ▁clarify- ▁diligently- ▁obvious- ▁alignment- ▁individuals- ▁anywhere- ▁noise- ▁evident- ▁renewals- ▁staffing- wide- ▁agreed- ▁optimism- ▁constitute- ▁reputation- ack- ▁permanent- ▁party- ium- ▁requirement- ▁acceptance- ▁fluctuations- ▁attack- ▁reverse- ▁slowing- ▁distributed- ▁contracted- ▁hire- ▁contains- ▁World- ▁1%- ▁sellers- ▁onetime- ▁waste- ▁enormous- ▁6%- ▁Does- ▁controls- ▁affordable- ▁signing- 4,- ▁define- ▁uses- ▁principles- generation- ▁aftermarket- ▁calculation- ▁complicated- ▁families- ▁trucks- ▁word- ▁branded- ▁comfort- ▁drugs- ▁disclose- ▁Plan- ▁represented- ▁background- ▁19- ▁competitiveness- ▁rely- king- ▁transparent- ▁Growth- ▁Matt- ▁alone- rate- AR- ▁stabilized- ▁currencies- ▁instance- ▁equally- ▁Street- ▁patent- RA- ▁exceeding- ▁nor- ▁feet- ▁variability- ▁benchmark- ▁unlock- ▁cable- ▁virtually- ▁Rob- ▁task- ▁accomplishments- ▁17- ▁assumes- ▁consolidate- ▁appetite- ▁relation- ▁refine- pro- ▁shorter- ▁maximizing- ▁philosophy- ▁situations- ▁harvest- ▁unknown- ▁fulfill- ▁reset- work- ▁shut- ▁qualified- ified- ▁Center- ▁Board- ▁smooth- ▁simplify- use- ▁satellite- ight- ▁midpoint- ▁shifts- ▁guarantee- ▁buyer- ▁decades- ▁openings- ped- ▁gained- les- ▁linked- ▁deck- ▁internationally- ▁former- ▁mixed- ▁corresponding- hand- ER- ▁renewed- ▁Sha- qui- ▁cards- ft- ▁Ad- J- ▁familiar- ▁green- ▁destination- ▁reconciliations- ▁OpEx- ▁complementary- ▁tech- ▁interim- ▁custom- ric- ▁Te- ▁renewable- ▁Korea- ▁classes- ▁Would- ▁upgrades- ▁allocate- ▁owner- ▁structured- ▁pickup- ▁gradually- ▁exploring- den- ▁passed- ▁fortunate- ▁releases- ▁Ta- ▁OEM- ▁proceed- ▁booking- ▁closure- ▁addressed- ▁prevent- ▁pure- ▁recruiting- ▁method- margin- ▁burn- ▁prospective- ▁horizon- ▁addressable- ▁prime- ▁Mr- ▁contractual- ▁audit- ▁Digital- ▁reliance- ▁bidding- ▁inherent- ▁IR- ▁reaction- ▁representing- ▁Fed- ▁entity- ▁tangible- ▁Basin- ▁appreciation- ▁24- ▁personally- ten- ▁obligations- ▁Kevin- side- ▁bio- ▁Here- ▁Ho- ▁awarded- ▁staying- ▁200- ▁disclaim- ▁burden- ▁stabilization- ▁liquid- ▁straight- ▁macroeconomic- ▁progression- 2,- dy- ▁pipe- ▁none- ▁copy- ▁Risk- ▁picked- ▁franchisees- ▁guided- ▁neutral- ▁3-- tle- ▁supports- ▁inflection- ▁forecasting- ▁counter- ▁ch- ▁cold- ▁Net- ▁surface- ner- ▁softer- ▁notes- ▁partnering- ▁experts- ▁measurement- que- ▁television- ▁environments- ▁student- ▁reasonably- ea- ▁afford- ▁funnel- ▁Comp- ▁priced- ▁mechanism- ▁OEMs- ▁timely- ▁career- cel- ▁booked- ay- ▁advisory- ▁session- ▁accepted- ▁sentiment- ▁constructive- ▁sensitive- ▁choices- ▁proceeding- ible- ▁catalyst- ▁hot- ▁proactively- ▁downward- ▁adjacent- MA- ▁Pe- ▁converting- ▁Sp- ▁amazing- ee- ▁Trans- ▁auction- '9'- ▁reinvest- ▁express- ▁testament- ▁Clearly- ▁sp- ▁earned- ▁firmly- ▁language- if- ▁incorporate- ▁Secondly- ▁survey- ▁Russia- ▁lock- ▁accordingly- ▁bright- ▁8%- ▁Op- ▁grid- ▁arise- ▁subscribers- ▁Market- 3,- ▁2014- ▁diligence- ▁referred- ▁operated- ▁25- cent- ▁electronics- ▁Within- ▁onto- ▁budgets- ▁diagnostic- added- ▁reps- ▁II- IC- ▁proposal- ▁wider- ▁financially- ▁therapeutic- ▁healthcare- ▁rights- ▁trending- ▁hurricanes- ▁lowering- ▁royalty- ▁barrels- ▁terminal- ▁consequence- forward- offs- ▁Data- ▁weight- ase- ▁Ne- ▁supportive- ▁shifted- ▁math- ▁acknowledge- ▁Reform- ▁virtual- ▁school- ▁indicative- ▁totally- ▁returned- ▁premiums- ▁buyback- ▁pointed- ▁Eastern- ▁marked- ▁FY- gi- ▁n- led- ▁frac- ▁web- ▁fronts- ▁achievement- level- ▁cyclical- ▁monetize- ▁Pa- ▁engines- ▁applicable- ▁understood- ably- ▁interact- ▁cutting- ology- ▁attempt- ▁registration- ▁treated- ▁AR- ▁sight- ▁flavor- ▁steadily- ▁greatly- '4.'- ▁anticipation- ▁developers- ▁properly- Z- ▁Ha- ▁accept- ▁standing- ld- ▁committee- ▁shelf- ▁concentrated- ▁capturing- ▁recycling- ▁additions- ▁lay- ▁State- low- ▁storm- ▁designs- ▁Was- ▁kick- ▁commissions- ▁memory- ▁Lastly- ▁stick- ▁serious- ▁noncash- ▁REIT- ▁40%- wa- ▁entities- ▁urban- ▁Po- ▁programming- ▁implications- du- ▁visible- ▁refining- ▁composition- ▁clinic- ▁meant- board- ▁Work- ▁letter- ▁host- ▁swing- ▁answers- IN- ▁Pre- ▁nuclear- ▁resolved- ▁IoT- ▁bonds- ▁Na- '1.'- ▁announcing- ▁equivalent- ade- ification- mission- for- ▁1.- ▁Spain- fer- ▁Greg- ▁historic- ▁Ga- ▁wonder- ▁kept- ▁repositioning- ▁economies- ▁Italy- ▁transactional- ▁literally- ▁Tri- ▁hired- ▁layer- ▁Brexit- ▁pack- yn- ▁formula- Co- '6'- ▁certainty- ▁resilient- ▁discontinued- ▁turnover- ▁functional- ▁messaging- ory- ▁Investment- '0'- ▁import- ▁Sea- ▁artificial- ▁discovery- ▁sh- ▁authorities- ▁assure- ▁commodities- ▁prioritize- ever- ▁establishing- ▁tariff- CE- ▁traditionally- ▁adds- ▁losing- ▁territories- ▁yourself- ▁theme- ▁radio- ▁laser- ▁enterprises- ▁adopted- ▁employment- ▁pound- ▁pharmaceutical- ▁calling- ▁sorry- ▁indirect- ▁Excluding- ▁separation- ▁bullish- ▁evidenced- ▁redevelopment- ▁gathering- ▁tie- ▁strive- ▁Technology- ▁payroll- ▁'18,- ▁attracting- ▁Markets- av- ▁foot- ▁Washington- ▁slowed- ▁quicker- ▁reflective- ▁predominantly- ▁row- ▁micro- ▁technological- ▁amongst- ▁Conference- ▁parent- ▁sc- grade- ▁responding- ▁differential- ▁decent- ▁disclosures- IS- ▁Department- ▁attrition- ▁pause- ▁membership- ons- ▁fits- ▁persist- ▁Litigation- ▁assumed- ▁notably- ▁cells- ins- ▁absorb- ▁materialize- ▁personalized- ▁regulated- ▁outperform- ▁cautionary- ▁handful- ▁wants- ▁Carolina- ▁closures- ▁ranges- ▁Under- ▁seamless- ▁poor- ▁naturally- ned- ▁7%- ▁adequate- ▁scheme- ▁ease- ▁highlighting- ▁sizable- ▁General- ▁arrangements- ▁chosen- ▁lever- ▁meantime- ▁carried- ▁hitting- ▁referenced- ▁database- ▁Mer- ▁j- ▁spin- ▁Corporate- ▁balancing- scale- ▁payout- ▁broadband- ▁swap- ▁vote- ▁Water- vent- ▁characterize- ▁issuance- ▁Bar- ▁military- ▁Furthermore- ▁AI- ▁receivable- ▁Enterprise- ▁controlling- ▁endpoint- da- light- ▁intellectual- ▁alluded- ▁streamline- ▁carbon- ▁compound- ▁knowing- ▁machines- ▁reinforce- ▁sizes- ▁prospect- ▁conducted- ▁Year- ▁transforming- vis- win- ▁Should- ▁rep- ship- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁Cha- ▁capitalized- ▁lumpy- ps- amp- ▁transport- ▁absorption- ▁semiconductor- ▁originations- ▁Don- gra- value- ▁audio- ▁contracting- ▁tender- ▁adopt- ▁install- und- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁pulling- ▁'15- ▁LNG- ▁People- ▁overcome- ▁Total- ▁deployments- ▁shipment- ▁principal- ▁convinced- ▁El- ▁scalable- ▁Ken- ▁sooner- ▁Hong- ▁learnings- '2.'- ▁bump- selling- ▁AS- ▁intensity- ists- ▁Medical- ▁Go- ▁merchant- ▁manufacturer- ▁copper- ▁takeaway- ▁disappointed- ▁Kong- der- ▁judgment- ism- ▁carrying- ▁CA- xi- gan- ▁penetrate- ▁validation- ▁Network- ▁billing- ▁repayment- ▁played- ▁transitioning- ▁description- ▁maximum- ▁o- ▁output- ▁automated- ▁remove- ▁imp- ▁'17.- service- ▁image- ▁methodology- ▁household- ▁conduct- ▁ho- ▁Cor- ▁ratings- ▁Chicago- ▁contractors- ▁tire- ▁Media- ▁presenting- ▁spite- ▁licenses- ▁territory- ▁Argentina- ▁Start- top- ▁route- ator- ▁Performance- ▁CFO- tor- ▁principally- ▁amendment- ▁apparel- ▁elsewhere- ▁foreseeable- ▁listed- ▁speaks- ▁observed- ▁code- lay- ▁undu- ▁Information- ▁men- ▁port- single- ▁aerospace- ▁successes- ▁scaling- 'ON'- ▁cohort- ▁recap- ▁tri- ▁three- ▁approaches- ▁quote- ▁pharma- ▁throughput- ▁ordering- ▁smartphone- ▁correctly- ▁ran- ▁governance- ▁Cloud- ▁sharp- ▁sensitivity- ▁therapies- ▁fluid- ency- ▁Delaware- ▁Google- ▁Why- ▁resolve- ▁minor- ▁introductions- ▁narrow- lan- ▁hurricane- cor- ▁Hurricane- ▁borrowing- than- ai- ▁lifetime- ▁Ru- ▁inflationary- ▁covering- ▁applying- ▁disruptive- ▁electricity- ▁profitably- ▁basin- ▁beat- ka- ▁noticed- ▁intense- ▁emerge- ▁subscriber- ▁investigation- ▁Vice- ▁scientific- ▁feels- field- ▁Southeast- ▁whom- ▁constrained- ach- ▁farm- ound- ▁delighted- ▁demands- TA- oo- tics- ▁pulled- ▁German- ▁leg- ▁packages- ▁sa- har- ▁threat- ▁chemical- ▁incur- ▁body- ▁downstream- ▁schedules- ▁slowly- ▁forma- ▁causing- ▁submission- ▁cat- ▁5-- ▁downside- ▁Number- fo- focused- ▁refinance- ▁panel- ries- ▁recruit- ley- ▁expenditure- bu- EN- aw- AN- ▁Everyone- ▁ba- ▁gradual- ▁enhancement- ▁tail- ▁favorably- ▁forecasts- ▁sponsor- ▁approaching- ▁Due- ill- ▁considerably- ▁forecasted- ▁jurisdictions- MS- ▁scenarios- ▁RE- AS- site- ▁securing- ▁Per- state- ▁domain- ▁unfortunately- ▁exceptionally- ▁stake- ▁proof- ▁warm- ▁deeply- ▁utilized- ▁Class- ▁mobility- ▁blend- ▁charter- ▁protocol- ▁tumor- ▁shipped- ▁listeners- ▁Lu- ▁billings- ▁bundle- ▁Northeast- ▁explanation- ▁remarkable- ick- van- ▁reviewed- ▁tap- ▁ore- ▁finalized- erto- ▁merchants- ▁accommodate- ▁doubled- ▁Mon- ▁vessel- ▁mindful- ▁operationally- ▁niche- ▁prepayment- ▁allocated- ▁appendix- ene- ▁sum- mark- ▁Ag- ▁hedges- ▁Every- ▁passion- ▁art- ▁commented- ▁trusted- ▁myself- ▁SaaS- ler- qua- ▁broker- ▁animal- ▁System- ▁valuations- ▁redeploy- ious- ▁Y- ▁passenger- ▁Key- ▁renovation- ▁workers- ▁Project- ▁ample- ▁battery- ▁monetization- ▁Company- ▁luxury- ▁progresses- ▁peer- ▁weekend- ▁attributes- ▁strike- ▁normalize- ▁upstream- ▁Ed- ▁exhibit- ▁threshold- ▁north- ▁obtain- ▁Gra- ▁combining- ▁diesel- ▁duty- ▁Gas- ▁lab- sell- ▁converted- ▁pharmacy- ▁Star- ▁touched- wood- oc- ▁Ac- ▁enthusiasm- ▁Ri- ▁payable- ▁conventional- ▁remodel- ▁Your- ▁subsidiaries- ▁surrounding- ▁decreases- ▁attributed- ▁leaving- ▁parallel- ▁Specifically- ▁She- ▁forms- ▁Bio- ivity- ▁bonus- ▁AM- ▁dive- ▁incident- ▁movie- like- ▁fulfillment- ▁ca- ▁graph- ▁exists- ▁chose- ▁sometime- ▁ambition- sized- ear- ▁conscious- au- 5%- ▁Col- ▁remote- ▁fastest- ▁strides- ▁consultants- ▁pet- ▁Black- ▁Park- ▁relief- ▁recoveries- air- ▁trigger- ▁rare- ▁Pi- ▁tons- holder- ▁tested- ▁interface- ▁executives- ▁Ti- ▁enthusiastic- ▁preserve- ▁Rico- ▁Customer- ▁engagements- ▁Beyond- ▁Corporation- ▁dozen- ▁airport- '3.'- ▁missed- ▁pump- ▁resilience- ▁variance- ▁simultaneously- ▁retaining- ▁street- ▁pretax- ▁holidays- ▁Consistent- ▁Gu- ▁reviews- ▁underground- ▁send- ▁lifestyle- ▁submitted- ▁factories- ▁Ch- ▁elect- ▁collaborative- ▁supplies- ▁whilst- ▁par- ▁informed- ▁separately- ▁lateral- ▁density- ▁acute- ▁discounts- ▁calculated- ▁accounted- ▁controlled- ▁Easter- ▁breakdown- ▁assessing- ▁topics- ▁educate- ▁bankers- ▁placement- ▁completions- ▁Their- ▁listing- ▁extract- ▁agile- ▁anyway- ▁rigorous- ▁Things- ▁Peter- ▁subsidiary- ▁proper- ▁ships- ▁digit- ▁predictions- ▁wanting- ▁young- ▁consolidating- ▁acceptable- ▁Su- ▁Insurance- ▁optionality- pay- ▁fell- ▁shortage- ▁skill- ▁Analyst- ▁EMEA- ▁Two- ▁phases- ath- ▁negotiation- ▁recording- ▁discrete- ▁termination- ▁airline- making- ▁impression- ▁loyal- ▁accountability- ▁tier- ek- ▁Jo- val- ▁urgency- ators- ▁aimed- ▁moments- ▁throw- rg- ▁marks- ▁CO- we- ▁basket- ▁crisis- let- ▁70- ▁wood- ▁Certainly- ▁resonate- ▁tougher- pt- ▁tightening- ▁Will- ▁Real- ▁distinct- ane- ▁pleasure- ▁validate- ▁document- ▁arrangement- ▁mis- nce- ▁advice- ▁weigh- ▁forces- ▁impressed- ▁medicine- ▁interaction- rm- ▁proxy- ▁80%- ▁CP- ▁tables- ▁surgical- ▁producer- ome- ▁r- ▁precise- ▁Wa- ▁Medicaid- ▁Vegas- ▁identity- ▁9%- ▁Mac- ▁Ka- ▁district- ▁JV- ▁viewed- ▁discretionary- ▁rich- ▁accident- ▁ID- ▁outperformance- ▁connecting- ▁apart- right- ▁disposition- run- ral- ▁spoken- ery- ▁spec- ▁failure- ▁pathway- ▁frequently- ▁expansions- ▁blue- ▁100%- ▁Ni- ▁protein- ▁array- ▁unfold- ▁rebuild- ▁exposed- ax- par- ▁doctors- ▁drilled- all- ▁everywhere- ▁inclusion- ▁worry- ▁8-- ▁Ju- ▁skilled- ▁popular- ▁retained- ▁alliance- ▁unexpected- uc- ▁tighter- ▁Eagle- ▁corporation- ▁upgrading- ▁flight- ▁Va- ▁Call- ▁Du- ▁80- ▁preference- ▁deliberate- ▁High- ▁60%- ▁improves- ▁settle- ▁31- ▁roles- ▁pivot- ▁pa- ▁Christmas- ▁white- ▁Alberta- ▁gr- ▁Food- ▁campus- ▁empower- ▁reposition- ▁novel- ▁inspection- NA- ▁Ve- ▁leased- ▁precision- effective- ▁stockholders- ▁Australian- ▁influenced- ▁Asian- ▁film- ▁contemplated- ▁Jersey- ▁absence- ▁reinvestment- LA- ▁certification- ▁negotiating- ▁perception- ▁twice- ▁derivative- ▁underscore- centric- ▁guiding- ▁Specialty- ▁Hi- ▁integrity- ▁nonrecurring- ▁stretch- ▁replaced- ▁ingredients- ▁ROI- ▁defend- ▁negotiate- ▁satisfy- ▁commit- ▁airlines- ▁resume- ▁Green- ▁receipt- ▁pillars- ▁proposals- ker- ▁regularly- ▁dilution- ▁replacing- ▁ball- ▁instruments- ▁manufacture- ▁comparative- ▁pipelines- ▁confirmed- ▁fun- ▁ladies- ▁substitute- ▁Apple- ▁younger- ▁advances- ▁collateral- ▁fifth- ▁Las- ▁red- ▁climate- ▁disappointing- ▁responses- ina- ▁PC- EX- ▁optimized- ▁visits- ▁engineers- ▁tank- ▁stands- ▁blocks- mar- ▁op- ▁nation- ▁Japanese- ▁determination- ▁Fourth- ▁mineral- ▁franchises- ▁imply- ▁authorization- ▁finalize- ▁script- ▁thrilled- ▁undertaking- sale- ▁motor- ▁rationalization- ▁Nu- ▁leveraged- ▁Dr- ▁hurt- ▁midstream- ES- ▁whose- growing- ▁falling- ▁unable- ▁comparing- ▁outline- ▁Inter- ▁honest- mail- ▁heat- ▁Look- ▁thereby- ▁secular- ▁States- ▁cl- ▁turns- ST- ▁Construction- ▁reading- ▁audiences- ▁Connect- outs- ▁beauty- ▁intelligent- ▁velocity- ▁conversions- ▁specialized- ▁container- ▁invite- ▁Red- ▁wages- ▁rec- ▁Smart- ▁brokers- ville- ▁tra- performance- ▁2-- ▁blood- ▁reorganization- ▁master- ▁deem- ctor- ▁unlikely- ▁Customers- ▁workflow- ▁exiting- ▁anniversary- ▁inorganic- ▁diluted- ▁AD- ▁payer- ▁Sun- ▁submit- ▁Quarter- ▁whereas- ▁recovered- ose- ▁periodic- ▁French- ware- ▁corner- ▁cultural- ▁preclinical- ▁surgery- ▁surgeons- ▁interactions- ▁Security- ▁anchor- ▁concentrate- ▁diseases- ▁flowing- ug- ▁imports- ▁Annual- ▁Ge- ▁reward- ▁deleveraging- ▁trained- ulation- ey- ▁Midwest- ▁relevance- ▁Boston- ▁baseline- ise- TE- ▁incorporated- ▁concepts- ▁qu- ▁linear- ▁bolster- adjusted- chi- ▁excludes- ▁overlap- ▁extreme- ▁breakeven- ▁headquarters- ▁discounting- ▁valued- ▁attribute- cy- AP- ▁miss- ▁adult- ▁vital- ▁Doug- ▁hub- ▁DC- ▁wherever- ▁pockets- ▁agility- ▁12%- ▁construct- ▁Building- ▁prudently- ▁Com- ▁revolving- ▁Rock- ▁stations- ▁outsourcing- ▁intangible- ▁reservoir- ▁alongside- iti- tting- ▁Auto- OR- ▁responded- ang- ▁stabilizing- ▁noncore- ▁protecting- ▁distributions- ▁methods- ▁Gen- ▁evening- ▁m- ▁concrete- ▁geo- ▁rock- ▁representative- ▁pad- PA- core- ▁immune- ▁Blue- ▁Fin- ▁academic- ▁multifamily- ▁Mobile- ▁ideal- ▁practical- ▁Congress- ▁rewards- ock- ▁anti- ▁computing- ▁Cost- ▁procedure- ▁mandate- ▁midst- ud- ▁Results- ▁casino- ▁reversal- ▁accretion- ▁Ford- ▁serves- ▁Frank- ▁man- ▁revolver- ▁referral- ▁IPO- ▁annualized- ▁convenient- ▁doors- ▁storms- ▁willingness- ▁deterioration- ▁Che- ▁parameters- ▁Very- ▁presentations- ▁scores- ▁records- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁formation- ▁grant- ▁contractor- ▁Man- ▁uplift- ▁whenever- risk- ▁suggested- ake- OS- tech- ▁Ce- ▁responsive- ▁bankruptcy- ▁viable- ame- ▁marine- ▁visual- ▁MA- ▁contingent- AM- ▁deepen- ▁recession- ▁flu- ▁restore- ▁download- hy- ▁Cap- ▁divestiture- ▁Federal- ▁apartment- ▁reduces- ▁purely- ▁negotiated- ▁nimble- ▁suspect- ▁Har- hold- ▁distribute- ▁fight- ▁Brazilian- ▁covenants- ▁Colorado- ▁augment- ▁solely- ▁publication- ▁gear- ▁missing- ▁outdoor- ▁sides- ▁hires- ▁Ki- ana- ▁foresee- ▁renew- ▁adviser- US- ▁timeline- ▁k- ray- ▁extensions- ▁modernization- ▁enjoyed- ▁Certain- ▁cuts- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁possibilities- ▁Valley- ▁Virginia- ▁ventures- ▁marginal- ki- ▁demographic- ▁partial- ▁Banking- ▁convertible- ▁brokerage- ▁presents- ▁experiment- EL- ▁restrictions- ual- ▁difficulty- ▁retire- ▁accuracy- ▁analyzing- ▁camera- ▁lighting- ▁station- ▁capitalizing- ▁zone- ▁disruptions- ▁aluminum- ▁expire- ▁unprecedented- ▁sensor- ▁relentless- ▁glad- ▁occurs- ▁pillar- ▁title- ▁powder- ▁tomorrow- ▁spike- ▁lesser- ▁miles- ▁ending- ▁bag- ▁predictive- ▁undertaken- era- ▁scrap- well- ▁guidelines- tim- ▁formulation- ▁beta- ▁borrowers- ▁Gary- growth- TI- ▁eliminating- ▁poised- ▁resort- ▁captured- ▁anymore- CA- ox- ▁Hawaii- ▁likelihood- ▁simplification- tain- nder- ▁gift- wi- ▁correlation- ▁qualification- ▁redesign- ▁directors- ▁EU- standing- ▁bucket- ▁gl- ▁aspiration- ▁recruitment- ev- IT- IP- ▁triple- ▁chunk- ▁focuses- ▁apps- ▁projection- ▁Wi- ▁streaming- ▁dial- ▁ne- ▁permit- ▁safely- ▁Colombia- ▁redemption- ▁snow- ▁apparent- ▁pursuit- ▁Pat- ▁correction- ▁deflation- ▁refined- press- ▁consent- ▁root- ▁iron- ▁exports- ▁startup- ▁buybacks- ▁war- ▁trans- ▁club- ▁references- ▁unified- ▁involves- ▁Program- ▁Poland- ▁rooms- ▁collective- ▁tick- ▁healthier- cer- ▁Jon- ▁hour- ▁Demand- ▁foremost- ▁sustaining- ▁forget- form- DA- ▁seemed- ▁noting- ▁pit- ▁candidate- ▁employ- ▁outpace- ▁upgraded- ▁employers- ▁replicate- ▁realignment- ▁permitting- ▁Asset- ▁connections- ▁ramped- ▁Th- IA- alone- ▁Office- ▁Healthcare- mic- ▁headed- ▁variables- ▁names- ▁Similar- efficient- ▁Earlier- ▁Ontario- ▁underperforming- ▁restricted- ▁geographically- ▁ads- '20'- ▁bids- ▁Rick- ▁Strong- ▁doubling- ▁saving- ▁norm- ford- ▁Core- ▁plastic- ▁cargo- ▁hospitality- ▁Eric- ▁hoped- ▁Friday- ▁exited- ▁mutual- ▁proving- ▁worried- ▁granted- ▁trip- ▁contrast- ▁70%- ▁motion- ▁analyst- ▁11%- ▁Marketing- ▁Brad- ▁dates- ble- ▁Whether- ▁Jack- uring- ▁passing- ▁hundred- ▁Partners- ▁illustrate- ▁messages- ▁treating- iz- ▁1995- ▁Credit- ▁treasury- ▁tissue- ▁motivated- ▁borrowings- ▁mechanisms- ▁excluded- ▁Technologies- ▁additive- ▁glass- ▁pilots- ▁oncology- ▁lap- ▁rational- ▁spaces- ▁expiration- ▁forefront- ▁90%- ▁affiliate- cap- ▁official- ▁institution- cept- ▁refund- bl- ▁wall- stage- ▁style- kin- ▁stat- ▁aside- ▁imaging- ▁IFRS- ▁progressed- ▁tens- ▁grows- ▁diversifying- ▁segmentation- ▁regulator- ▁revision- ▁subs- ▁fl- ▁modules- ancy- ▁wire- ▁electrical- ▁em- ▁geographical- ▁coffee- ▁default- ▁placing- ▁Up- ▁domestically- ▁boxes- ▁logic- ▁park- ▁broadening- ▁fluctuate- ▁billion- plus- ▁Da- ▁mines- ▁Dallas- ▁consensus- ▁fragmented- ▁generator- ▁flagship- ▁ERP- ▁evolved- ▁Executive- ▁hike- ▁permits- ▁foundational- ▁Control- ▁smarter- ▁recovering- ▁AB- ▁choosing- ▁Fund- ▁rain- ▁rationale- ▁temp- ▁Throughout- ▁seller- ▁indicates- ▁Sweden- ▁judge- ▁builds- ▁switching- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Development- ▁Note- ▁grades- ▁Together- ▁conviction- ▁click- ▁intake- ▁headline- ▁thorough- ▁selectively- ▁reaffirm- ▁Finance- ▁limits- ▁clearance- ▁municipal- ▁venue- ▁children- ▁assistance- ▁cautiously- lon- ▁removed- ▁evaluated- ▁Has- ▁stories- ▁honestly- ▁Open- ▁decreasing- ▁heightened- ▁attendance- ▁themes- ▁broken- ju- ▁Inc- ▁incrementally- ▁hu- car- ▁lumber- ▁dropped- ▁rank- ▁Remember- ▁tactical- ▁County- pac- ▁fleets- ▁downtime- ▁cur- ▁Brands- ▁worst- ▁locally- rd- ▁GE- ▁begins- met- ▁trouble- ▁farmers- ▁Did- ▁log- ▁Product- ▁filling- ▁caught- ▁unsecured- comp- ▁Han- ▁gather- ▁sensors- ff- ▁seriously- ▁sample- ▁preferences- ▁dispositions- ▁gate- room- ▁arm- ▁tailwind- ▁considerations- ▁unmet- fu- ▁Syn- ▁seat- ▁Chairman- ▁affordability- ▁economically- ▁pronounced- ▁telecom- ▁music- ▁schools- ▁tower- ▁Big- ▁Cal- ▁Ohio- ▁statistics- ▁uptake- point- late- ▁disclaimer- ▁chronic- ▁nobody- '%'- ▁Access- ▁debate- ▁Ver- oriented- ▁quantity- ▁refinery- ▁Rich- CI- ▁River- ▁factored- ▁traded- nic- ▁commerce- ▁prescription- ▁exclusively- ▁severity- ▁muted- ▁shutdown- ▁initiate- ▁terminals- af- ▁perfectly- ▁diminish- ▁routine- turn- ▁da- ica- ▁Unfortunately- cal- yl- ▁departments- ▁mechanical- ▁mistake- ▁shrink- ▁chains- ▁surprising- power- ▁ambitious- ▁sweet- ▁lens- ▁fo- ▁ro- ▁pop- ▁probability- ▁slate- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁accessories- ▁Accordingly- ▁needle- ▁similarly- ▁filled- ▁Microsoft- ▁dispute- ▁Safety- ▁Oil- ▁instrument- ▁branding- ▁disrupt- ▁communicating- ▁simplified- ▁grocery- ional- ▁lowered- sum- ▁Across- ▁pivotal- ▁Higher- ▁formats- ▁strict- ▁Public- ▁compensate- ▁calculate- ▁mall- ▁Meeting- ▁spirit- 2%- ▁greenfield- ▁classified- ▁CD- ▁sea- ▁everyday- ▁suggests- ▁bus- ▁NIM- ▁grateful- q- long- ▁studio- je- gate- ▁gaps- ▁signals- ▁residents- ▁gene- bra- ▁mile- water- ▁Facebook- ▁residual- ▁bolt- ▁crews- ▁eliminated- ▁ten- VA- ▁requiring- ▁Jason- ▁Lake- '10'- ▁payback- ▁Pay- ▁server- ▁oral- ▁Gross- ▁ROE- ▁bode- ▁floating- ▁enroll- ▁union- ▁allocating- ▁barriers- ▁conducting- ▁Tele- gy- ison- 1%- ▁FI- ▁Marine- ▁limitations- ▁proved- AT- ▁boat- ▁cluster- ▁House- ▁stepping- ▁breaking- ▁mortgages- han- ▁Dis- ▁Illinois- ▁merit- ▁commence- ▁embrace- ▁Card- ▁warrant- ▁Bay- ▁restart- ▁widely- ▁screening- ▁generates- ▁star- ▁immuno- ▁flip- ▁customized- ▁Si- ▁commenced- men- ▁commissioning- ▁surplus- ▁Bri- ew- ▁logical- ▁shops- ▁baked- ▁inefficiencies- ▁Andrew- ▁minority- ▁span- ▁mail- owned- ▁25%- ▁employed- ▁cool- ▁medicines- MI- ▁Reconciliation- ▁impossible- ▁teleconference- ▁Express- rated- ▁aging- ▁commercially- ▁demographics- ▁fields- ▁unlike- ▁surge- part- ▁bearing- ▁distinguish- ep- ▁la- ▁developer- ▁Direct- ▁aviation- ▁Vo- ▁techniques- ▁outflows- ▁locked- ▁holistic- ▁idle- ▁premise- ▁Materials- ▁adversely- ero- ▁named- ▁autonomous- ▁friction- ▁coupon- fusion- ▁Cash- ▁ATM- ▁adopting- ▁mu- ▁finalizing- ▁refocus- ▁ancillary- ▁incumbent- ▁Brand- ▁impactful- ▁titles- ▁derived- ▁divestitures- ▁publish- stone- ▁overnight- star- ▁simplifying- ▁installations- ▁imperative- ▁Hill- ▁rein- ▁characterized- ▁employer- ▁Uni- ▁eyes- ▁translated- ▁Web- ▁tenure- ▁lifting- ▁gen- ▁Indonesia- ▁manifest- ▁multiples- ▁sent- ▁divest- ▁regain- ▁promoting- ▁flex- ▁border- ▁centralized- can- ko- ▁onboard- ▁delever- ▁pulp- ▁ruling- ▁strip- ▁Tax- ▁royalties- ▁transcript- ▁AC- ▁Atlantic- ▁defer- type- ▁Ja- ▁aligning- ▁emissions- ▁expression- ▁Point- ▁App- ▁expert- ▁principle- ita- ▁kids- ▁intact- ▁unusually- app- ▁text- ▁George- ▁filter- ▁comprised- ▁concessions- ▁diligent- ▁comply- ▁south- ▁Plus- ▁predictability- positioned- ▁cheaper- ▁struggle- ▁demanding- ▁logo- ▁prescribe- ▁shortages- ▁mentioning- ▁friends- ▁Science- ▁revolution- ▁wellness- '-1'- ▁clearer- ▁British- ▁accrual- ▁cement- ▁bias- ▁placements- ▁forced- ▁modernize- ▁casual- ▁Keep- ▁chemicals- ▁stepped- ▁Broad- ▁Phoenix- ▁Zealand- ▁dominant- ▁Along- ▁lighter- '50'- ▁Senior- ▁Wealth- ▁Court- ▁transitions- ▁directed- ▁enhances- ▁matching- ▁weekly- 3%- ▁fueled- ▁routes- ▁appointment- ▁collaborate- ▁speculate- SE- ▁Tech- ▁centered- force- ▁Ber- ▁progressive- ▁PR- ▁CE- ▁Electric- ▁Richard- ▁Norway- ham- pho- ▁elected- ▁21- ▁genetic- ▁Reg- old- OP- ▁settled- EC- ▁predicted- ▁agricultural- ▁modify- ▁crew- ura- premise- ja- ▁Transportation- ▁erosion- ▁resonating- ▁relied- ▁Gold- free- ution- ▁crucial- ▁opposite- ▁streamlining- ▁optical- spec- ▁divestment- ▁consume- ▁quota- ▁Mid- ▁Chemical- ▁millennial- ▁isolation- ▁Flex- ▁authority- ▁transformative- ▁passionate- ▁stayed- ▁disaster- ▁shortfall- print- ▁answered- ▁Ron- ▁nursing- ▁1,000- ▁race- ▁Tony- ▁instances- ▁implies- ▁Republic- ▁trades- ▁accessible- ▁precisely- location- ▁Several- ▁equities- ▁loaded- ▁hosting- ▁elevate- ▁ra- ▁annuity- ▁elimination- ▁landlord- ▁teach- ▁dining- ▁IC- ya- ▁renewables- ▁consist- ▁score- ▁tightly- ▁neighborhood- ▁argue- ▁craft- ▁licensed- dding- ▁TA- wear- ▁temporarily- ID- ▁affects- ▁attracted- ▁drawing- ▁PD- ▁accurately- ▁interpret- ▁Atlanta- ▁Lower- ▁envision- ▁attached- ▁illustrates- ▁Personal- ▁ordinary- ▁rough- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁requests- ▁externally- ua- ▁exposures- ▁newest- ▁Tra- ▁wondered- ▁transact- ▁albeit- ▁differentiating- ▁perpetual- ▁Gene- ▁arena- ▁compares- ▁accompanying- ▁Cy- iff- ▁annually- za- lease- ▁activation- ▁exploit- ▁reception- ▁omnichannel- ▁translates- ▁warranty- ▁restructure- ▁cautioned- ▁mills- ▁Time- ▁sponsors- ▁Navy- ▁premature- ▁revisit- ▁detection- cycle- ▁hole- ▁competencies- ▁integral- ▁VA- ▁overwhelming- ▁town- ▁projecting- ▁300- cho- cus- ▁Netherlands- ▁article- ▁corn- ▁Hu- 8%- ▁hydro- ▁charging- ▁shaping- ▁activate- ▁holds- cha- specific- ▁finishing- ▁eager- ▁implant- ▁unrealized- ▁13%- ▁Fair- ▁hence- ▁supposed- ria- ▁cheap- ▁observations- ▁Series- ▁du- ▁computer- ▁populations- ▁fr- ▁propositions- ▁securitization- ▁GP- product- ▁Oklahoma- ibility- play- ▁dig- ▁phasing- vision- ▁collectively- ▁subscriptions- ▁skin- ▁province- ▁nationwide- ▁zones- ▁networking- ▁metals- ▁Resources- ▁winner- ▁Andy- ▁namely- ▁Foods- ▁softening- ▁chase- ▁rebuilding- ▁Free- ze- ▁War- ▁character- 6%- ▁Pri- ▁Automotive- ▁depressed- ▁privilege- ▁statistical- ▁boot- ▁seamlessly- ▁inflows- ▁Electronic- ▁catastrophe- ▁appreciated- ▁hyper- ▁bi- uff- ▁detect- ▁outages- ▁Arizona- ▁durable- ▁mitigated- ▁Live- ▁printing- ▁renovations- nci- ▁alter- teens- ▁Alex- ▁repay- bit- ▁RevPAR- ▁assembly- ▁difficulties- facing- ▁Trust- ▁dual- ▁basins- ▁yielding- ▁competitively- ▁Super- ening- ▁argument- ▁Though- ▁hang- ▁lender- ▁injection- ▁compensated- ▁airplane- ▁fraud- ▁society- ▁Light- ▁formed- ▁Platform- ▁crack- ▁brick- ▁treatments- ▁analytical- ▁metro- ▁fans- ▁King- ▁fabric- ▁Sand- ▁reinvesting- ▁Michigan- ▁14%- ▁Spring- ▁semi- ago- ▁transitioned- ▁Indian- ▁th- ▁bandwidth- ▁tip- ▁rid- ▁fruition- how- ▁applies- ▁delta- ular- ▁Out- ▁Island- ▁simpler- ▁inherently- ▁qualitative- ▁manual- ▁PE- ▁Way- ▁500- ▁band- 7%- ▁determining- ▁grain- ▁conclusions- ▁contributors- ▁variation- ▁leisure- ▁repricing- ▁amended- ▁12-- ▁blended- ▁PA- weight- ▁'20- ▁wise- ▁Report- ▁Los- ▁occasions- ▁inhibitor- ▁SA- ▁paint- ▁sudden- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- head- source- ▁CMS- wise- ▁automate- ▁innovating- ▁stopped- ▁digest- tel- ▁observe- ▁transformed- ▁aid- ik- ▁Mu- ▁endeavor- ▁transferred- ▁tuck- ▁Marc- ▁chip- ▁suit- ▁Defense- ▁excuse- ▁Mill- ▁outlet- ▁Jay- ▁desired- ▁digitally- cular- ▁pride- ▁hurdle- add- ▁laying- ▁addresses- ▁onboarding- ▁harm- ▁buffer- ▁configuration- ▁Nor- ▁Line- ▁headlines- istic- ▁overly- ▁clarification- ▁outage- ▁rationalize- ky- ▁letting- ▁patents- ▁Craig- ▁Target- ▁convey- ▁Val- ▁Robert- ▁ski- verse- ▁revisions- TS- ▁Nevertheless- ▁silver- ▁Land- ▁advised- ▁analog- ▁Store- ▁pumping- ▁inject- ▁Property- ▁circuit- ▁showcase- ▁Ultimately- ▁engineered- ▁valid- ▁severance- ▁Micro- ▁roof- ▁DNA- ▁energized- ▁Sam- ▁trailing- ▁SKUs- ▁liquids- ▁iconic- ▁Midland- ▁lineup- ▁suggesting- ▁inquiries- ▁intensive- ▁sake- ▁personalization- ▁tailored- ▁manageable- ▁obtained- ▁outperformed- ▁capitalization- ▁concluding- ▁builders- ▁containers- ▁footwear- ▁trucking- serv- ▁tighten- ▁restrict- ▁Seattle- ▁Supply- ▁Sky- ▁demo- ▁samples- ▁heads- ▁honor- ▁holders- ▁repairs- ▁recapture- ▁bench- ories- ▁buckets- ▁lessons- ▁tenders- ▁modified- ▁vacation- ▁steep- ▁sport- ▁celebrate- ▁prepaid- ▁vacancy- ▁bounce- ▁pan- lia- MO- ▁parks- ▁era- ▁Ko- ▁Natural- ▁achievable- ▁drink- ▁scheduling- ▁inclusive- ▁subsequently- ▁eat- ▁protected- ▁portal- ▁lo- ▁gearing- ▁recommendations- ▁Her- ▁Margin- ▁black- ▁capacities- ▁mitigation- ▁taste- ▁Ben- ▁granular- ▁Association- ▁Research- ▁emergency- ▁phenomenon- ▁pleasant- ▁neuro- ▁fab- SP- ▁advancement- LI- ▁Long- ▁Northwest- ▁comparability- ▁contraction- ▁Actually- ▁chat- ▁awful- ▁pertain- ▁lie- ▁individually- cast- ▁frequent- ▁thrive- ▁lumpiness- ▁authorized- ▁Bu- ▁algorithms- ▁concession- ▁tailwinds- ▁avenues- ▁taxable- ▁Process- ▁medication- ▁resiliency- ▁quiet- ▁fraction- ▁walking- ▁participated- tribut- ▁AG- ▁cumulative- ▁validated- ▁submarket- ▁shorten- ▁opt- 9%- ▁thereafter- ▁relying- ▁Firstly- ▁consumables- ▁reseller- ▁Phil- ▁parcel- stock- ▁pie- ▁aiming- ▁heavier- ▁maturing- ▁measuring- ▁prototype- ▁issuing- ▁Todd- ▁EM- ▁ride- ▁organized- ▁reap- ▁representatives- ▁Louisiana- ▁survival- ▁concert- ▁plate- ▁threats- ▁dip- ▁discover- ▁towers- ▁interruption- ▁deduction- TO- ▁registered- ▁module- tier- ▁ES- ▁keen- ▁Nick- ▁NOI- ▁Avi- ▁whereby- ▁acting- ▁designing- maker- ▁sugar- ▁trough- ▁derisk- ▁relocation- ▁structurally- LE- ▁lies- ▁manufactured- ▁Without- ▁inbound- ▁breakthrough- mod- ▁suited- ▁Tru- ▁surprises- ▁involving- ▁salary- ▁significance- ▁Early- ▁Wood- ▁clinicians- ▁weakening- ▁mini- ▁trick- ▁viewing- RO- ah- answer- ▁outlets- ▁Columbia- ▁Mexican- ▁declare- ▁ounces- ▁removing- ▁phones- ▁advise- ility- pic- j- ▁hurdles- ▁England- ▁silicon- ▁Jan- performing- ▁loading- ▁hosted- ▁23- ▁convention- ▁limiting- ▁cyber- ▁ought- ▁Monday- ▁liver- ▁African- ▁somehow- row- ▁answering- ▁arrive- ▁Lab- edge- ▁covenant- ▁CB- ▁notwithstanding- ▁dictate- ▁bold- ▁kit- ▁slip- building- ▁lend- ▁justify- ▁dosing- ▁assured- ▁36- ▁seats- book- ▁underpin- ▁Welcome- ▁feasibility- ▁mitigating- ▁Thus- ▁jet- ▁Union- ▁contemplate- ▁Ya- ▁OP- bank- ▁clinically- ▁Liberty- ▁cushion- ▁gauge- ▁Take- ▁clearing- ▁James- ▁CRM- ▁Chi- ▁RO- ▁consequences- ▁Operator- ▁chapter- ▁chasing- ▁legislative- ▁remediation- ▁relaunch- ▁phenomenal- ▁documentation- ▁streamlined- ▁labs- lect- expected- ▁reinforces- priced- ▁credibility- ▁furniture- ▁Account- ▁pleasing- ▁collected- view- ▁programmatic- ▁refi- ▁flying- ▁advancements- ▁parking- ▁Missouri- ▁dairy- ▁layers- ▁CI- itation- ▁appealing- demand- ▁CS- ▁sharpen- ▁styles- ▁Club- ▁Future- ▁Minnesota- ▁molecular- ▁scratch- ▁tonnage- ▁Martin- ▁requested- ▁passive- stream- ▁recommend- ▁cooperation- ▁deficit- ▁heritage- ▁roadmap- ▁statutory- ▁Chile- ▁pumps- ▁bills- tec- ▁educational- ▁restructured- ▁rural- ▁automatically- ▁readiness- ▁fish- ▁attend- ▁plug- price- ▁occasion- ▁Cu- ▁billions- responsibilities- ▁compliant- ▁salespeople- ▁dilutive- ▁strictly- ▁solidify- hu- ▁pads- ▁underwrite- ▁mirror- ▁opioid- ▁foster- ▁17%- ▁commercialize- via- ▁Non- ▁University- ▁compromise- ▁Ocean- ▁undergoing- ▁straightforward- ▁Taking- ▁deleverage- ▁Port- ▁SP- ye- ▁unlocking- UR- fold- ▁Switch- ▁catalog- ▁universe- ▁Sports- ▁Price- ▁articulated- ▁owning- ugh- ▁relations- ▁Historically- ▁Ryan- ▁journal- ▁mortality- ▁neither- ▁yard- ▁Production- ▁classic- ▁Safe- ▁Angeles- ▁Saudi- ▁proximity- ▁scalability- ▁turbine- ▁variations- ▁entrants- ▁Win- ▁arms- ino- ▁agriculture- ▁chemistry- ▁multinational- ▁voluntary- ▁Sometimes- ▁speculation- ▁DS- ▁Pan- channel- ▁NAV- ▁geopolitical- ▁rush- ▁solving- mortar- ▁shoot- ▁shot- ▁calculations- ▁16%- ▁22- ▁suffered- plan- ▁AP- ▁nominal- ▁stimulate- ▁distraction- ▁persistent- ▁migrating- ▁quantitative- ▁thermal- ▁18%- oid- ▁transitional- ef- place- ▁specialists- ney- ▁interconnect- atory- ▁accomplishment- ▁Education- ▁describing- ▁salaries- ▁squeeze- ▁flattish- iding- EM- ▁EP- ▁Innovation- ▁Irma- ▁dealership- ▁representation- ▁normalization- ▁collecting- ▁removal- ▁shock- ▁enforcement- ▁suffer- ▁outsized- ▁MS- ▁heating- ▁Far- brand- ▁meat- ▁Premier- ▁incorporating- ▁CM- ▁Shop- ▁Stock- ▁four- az- ▁Generally- gar- ▁Government- ▁Kansas- ▁distance- ▁edit- ▁fat- lim- box- ▁publishing- ▁FFO- ▁Harbor- ▁Software- ▁Southwest- ▁slot- ▁Ab- ▁Moreover- bri- ▁approached- ▁absorbed- ▁advertise- reduction- ▁CC- ▁Olympic- ▁college- ▁Division- ▁noninterest- ▁obtaining- ▁widening- ▁robotics- ▁upsell- only- ▁ambitions- ▁landing- ▁Committee- ▁FERC- ▁omni- ji- ▁meal- ▁attain- ▁gasoline- ▁moderated- ▁enrolled- ▁unmatched- ▁snack- ▁Beach- ▁modifications- ▁technically- ▁Advanced- ▁Switzerland- ▁mega- ▁hubs- ▁Infrastructure- ▁tobacco- ▁tweak- ▁films- ▁independently- ▁Ke- matic- ▁offline- ▁TR- ▁interactive- ▁commenting- ▁shoppers- fill- new- range- ▁DA- ▁outperforming- ▁GDP- ▁composite- ▁warrants- ▁gateway- ▁consultation- ▁critically- ▁deepening- Point- ▁Hospital- ▁batteries- ▁diabetes- ▁milk- ▁preserving- ▁reinvent- ▁farms- ▁consists- ▁Denver- ▁underpinned- ▁observation- ▁attraction- ▁Med- ▁HR- ▁ME- ▁crystal- ▁Labor- ▁dropping- ▁alert- ▁liquidation- tz- ▁kicked- ▁explicit- ▁ultra- ▁molecule- ▁assay- ▁bundled- train- ▁recommendation- ▁teens- ▁Carl- ▁workplace- ▁EV- ari- ▁enjoying- ▁crush- ▁spacing- ▁malls- ▁prescriptions- ▁Bur- ▁renewing- ▁400- ▁Value- fully- ▁Russian- ▁examine- ▁prolonged- ▁truth- ▁standalone- ▁till- RP- ▁instrumental- ▁Alaska- ▁prominent- ▁semester- ▁flash- ▁jewelry- ▁Currently- ▁reconcile- ▁deferral- ▁dislocation- ▁Communications- ▁Post- ona- CH- ▁withdraw- ▁goodwill- ▁Grand- ▁theaters- ▁provisioning- ▁originated- ▁nearing- ▁approve- ▁associate- ▁insurers- ▁sun- ▁Equipment- ▁Meanwhile- ▁Professional- ▁kitchen- ▁Boeing- ▁panels- ▁belt- body- ▁White- ▁isolated- ▁AL- ▁fan- ▁smoothly- ▁midterm- ▁molecules- ▁Georgia- ▁Taiwan- ▁durability- ▁prioritizing- ▁Aerospace- ▁deserve- ▁rose- ▁Intel- ▁distinctive- ▁error- media- ▁confidential- ▁predicting- ▁regime- FA- ▁Volume- ▁complain- ▁tackle- ▁customary- Link- ▁suffering- ▁mandates- ▁eventual- ▁advisor- ▁intermediate- ▁congratulate- ▁continuity- ▁moderation- ▁instant- ▁End- ▁ASP- ▁GM- ▁notion- ▁le- ▁Sim- ▁NO- ▁frozen- ▁shippers- ▁interpretation- ▁fear- ▁Box- ▁Trade- ▁fueling- cut- ▁Mountain- ▁translating- ▁equipped- ▁mainstream- life- ▁lung- ▁modular- ▁stem- ▁ST- ▁reservation- ▁Fresh- ▁footage- ▁AT- ▁cancellations- ▁seasoned- contract- Star- ▁reopen- ▁shall- ▁Ireland- NS- ▁Similarly- ▁sharply- ▁suppose- ▁Greater- ▁authentic- ▁transit- ▁civil- ▁expedite- ▁noteworthy- ▁Director- ▁factoring- ▁intrinsic- ▁association- ▁technician- ▁Except- ▁directionally- ▁shrinking- ▁photo- ▁embracing- ▁readily- ▁outset- ▁visiting- ▁RV- ctive- sensitive- ▁symptom- list- ▁Nordic- ▁Euro- ▁pair- season- ▁Bruce- ▁meter- ▁succession- ▁drawn- ▁rewarding- ▁measurable- ▁Contract- ▁leak- ▁acres- ▁Compare- ▁entirety- oma- ▁innings- ▁flood- ▁fe- ▁Probably- ▁Multi- ▁valve- ▁Adam- ▁digitalization- ▁dimension- ▁consult- ▁surgeon- ▁cleaning- ▁conflict- ▁prompt- ▁unpredictable- ▁dispose- ▁spare- ▁CLO- ▁playbook- ▁28- ▁affiliates- ▁evenly- ▁SE- ▁merge- ▁muscle- ▁interior- ▁cleaner- ▁budgeting- ▁temperatures- ▁coincide- ▁defining- ▁quantities- ▁forever- ▁reside- ▁ingredient- ▁actionable- ▁rewarded- ▁Everything- ▁essence- ▁extraordinarily- ▁radar- ▁Statements- ▁Hotel- ▁command- ▁Motor- ▁chips- ▁fitness- ▁guy- ▁float- ▁Charles- ▁Distribution- ▁NGL- ▁Perhaps- ▁decisive- ▁uniform- ▁overhang- rchitectural- zz- ▁petrochemical- ▁beef- ▁constructed- Fi- aries- ▁certified- ▁escalation- ▁rebalancing- ▁surpass- ▁Pricing- ▁confusion- ▁subset- ▁confirmation- ▁sir- ▁adapting- ▁adequately- ▁dimensions- pping- ▁fail- ▁delight- ▁Massachusetts- ▁STACK- ▁tactics- ▁infection- ▁invoice- ▁mask- ▁coach- ▁Radi- ▁specialist- ▁constraint- ▁deceleration- ▁devaluation- figuring- ▁methodical- ▁promised- ▁reinforced- ▁Really- ▁LP- ▁printer- ▁Instead- ▁LIBOR- ▁Strategic- ▁continuum- ▁Roger- ▁Adjust- pped- berg- ▁attach- ▁varying- ▁defensive- ▁signature- ▁Small- ▁desktop- ▁shoe- ▁RFP- ▁Back- ▁Bra- ▁RF- ▁Support- ▁absent- ▁dental- ▁wheel- ▁meters- ▁API- RT- ▁honored- ▁Beginning- ▁Larry- ▁reinforcing- ▁renegotiate- ▁fabrication- ▁publishers- ash- ▁jurisdiction- ▁circ- ▁object- ▁column- ▁injury- ▁lapping- ▁posting- ▁noticeable- ▁prop- ▁OR- mine- ▁NP- ▁realign- ▁counting- ▁Shanghai- ▁pioneer- ▁sluggish- ▁unprofitable- ▁Delta- ▁oversight- ▁Wall- TV- depth- ▁entitled- ▁secret- ▁universal- ▁Advantage- ▁pursued- ▁comm- erial- ▁Caribbean- ▁Venezuela- ▁draft- ▁identification- ▁pediatric- ▁northern- ▁crane- ▁casualty- ▁trailer- ▁laboratory- ▁regimen- ▁VI- ▁Bakken- ▁Pipeline- ▁continent- ▁profound- ▁occurrence- ▁Advisory- ▁hedged- ▁doctor- ▁coating- ▁FA- ▁cancellation- ▁Standard- ▁revaluation- ▁vaccine- pack- ▁OE- ▁divide- ▁Client- ▁Operations- ▁apologize- ▁beautiful- ▁steam- ▁wafer- ▁patch- ▁shake- corp- ▁handset- ▁SAP- ▁Clear- ▁affirm- ▁knock- ▁sleep- ▁telephone- ▁transient- ▁Fuel- ▁incurring- ▁Book- ▁limitation- ▁yen- ▁outreach- ▁refineries- Net- ▁involvement- ▁accrued- ▁spine- gene- ▁coast- ▁Thailand- ▁steer- ▁Patrick- ▁specified- ▁releasing- scrip- tail- tune- ▁circle- ▁Er- ▁attractiveness- ▁MR- front- ▁analyzed- ▁climb- ▁newspaper- ▁Agency- ▁concurrent- ▁wearable- ▁native- ▁progressively- ▁tanker- gel- DR- ▁fluctuation- ▁banners- ▁chicken- ▁Italian- ▁Brent- ▁tonnes- ▁reveal- ▁highway- ▁TI- ▁Mc- ▁Pen- changing- ▁Horizon- ▁varies- ▁assignment- ▁consequently- ▁marginally- ▁graphic- ▁correlated- FI- ▁Corp- ▁partnered- ▁fly- ▁borrower- ▁Logistics- ▁Organic- ▁southern- ▁freedom- ▁Bridge- ▁oriented- ▁officially- ▁Prime- ▁relocate- ▁algorithm- ▁Important- volume- ▁Analytics- ▁battle- ▁deciding- ▁destocking- ▁Glen- ▁quoting- ▁distinction- mont- cycl- ▁derive- ▁thousand- ote- ▁MO- ▁wine- ▁appraisal- ▁motivation- ▁expressly- ▁reversed- ▁Equity- ▁breast- ▁stood- ▁sought- funded- ▁compute- ▁rebates- ▁Max- family- NE- ▁Belgium- ▁nurse- ▁stroke- ▁stringent- ▁golf- ▁comprise- ▁geared- ▁theater- ▁deteriorate- ▁enacted- ▁sensible- ▁sixth- ▁fixing- ▁tailor- ▁contingency- ▁shale- ▁displace- ▁railcar- ▁guaranteed- ▁investigators- ▁recycle- ▁PRO- ▁biotech- ▁Orlando- ▁Tuesday- ▁Wisconsin- ▁vibrant- ▁makers- nova- jo- ▁systemic- pha- ▁Diamond- ▁Operational- ▁desirable- ▁recipe- ▁Par- ▁refinement- ▁Sprint- mount- ▁BP- ▁robotic- cell- ▁habits- ▁unlimited- ▁Omni- ▁summarized- ▁Fee- ▁beds- ▁Cup- ▁promoted- current- ▁Antonio- ▁integrator- ▁suburban- ▁conform- ▁strain- step- ▁Clar- flat- ▁safer- ▁barrier- yield- ▁reinvested- ▁library- ▁sanction- ▁vintage- ▁retrofit- ▁feedstock- ▁Still- ▁CRE- ▁Master- ▁fold- ▁failed- ▁tourist- ▁leaner- ▁Best- ▁Malaysia- ▁Premium- ▁Stephen- ▁Garden- ▁Combined- round- ▁discovered- ▁intensely- bar- ▁visitors- ▁reallocate- ▁fighting- ▁Prior- ▁Keith- ▁nationally- buy- vol- ▁Design- ▁diagnose- ▁railroad- ▁convergence- ▁entrepreneurial- ▁Unit- ▁ban- serve- ▁routing- ▁ranging- ▁hunt- ▁Estate- ▁tuned- ▁sticking- disproportionate- ▁Connected- ▁reactor- ▁citizen- ▁Nothing- ▁standardized- ▁accumulated- ▁Diego- ▁attitude- ▁propane- ▁26- build- ▁augmented- ▁lien- ▁Nevada- ▁Vietnam- ▁bonuses- ▁deliberately- ough- ▁overhaul- saving- ▁furnish- ▁Continental- ▁appointed- ▁benign- ▁bottle- ▁gallon- ▁reiterating- ▁PI- ▁gu- ▁borrow- rk- ▁originate- ▁monetizing- ▁resistance- ▁underneath- ▁onshore- ▁deadline- ▁behave- ▁favorite- ▁oversee- ▁CT- ▁confirming- ▁repeating- ▁embark- ▁pin- ▁catching- ▁Test- ▁permission- ▁tremendously- ▁Dar- haul- ▁explaining- ▁behavioral- 'NO'- ▁discounted- ▁Consequently- ▁Randy- ▁cannibalization- ▁choppy- ▁departure- ▁minimizing- ▁Absolutely- ▁19%- ▁27- ▁TAM- ▁assisted- ▁outsourced- ▁Paris- ▁reconciled- ▁Meta- built- consumer- ▁random- ▁2013- user- ▁Hard- ▁friendly- ▁sticky- ▁divested- ▁consumed- ▁CR- LO- ▁imported- ▁cannabis- ▁sequencing- ▁Anything- ▁Three- ▁dress- ▁mono- ▁Mag- ▁perceived- ▁ideally- ▁existed- ▁ranking- ▁accountable- bridge- ▁approximate- ▁robot- ▁Special- ▁Philippines- ▁graduate- ▁harness- ▁navigation- ▁striving- ▁wildfire- ▁outflow- ▁Recently- ▁witnessed- ▁mutually- ▁Add- ▁midyear- week- ▁Among- ▁sensing- put- ▁warning- ▁consumable- ▁handled- ▁Community- ▁duties- ▁educating- ▁entertain- ▁grab- ▁granularity- ▁suitable- ▁abate- ▁suddenly- ▁EC- cin- ▁Ray- ▁Farm- ▁cast- ▁dampen- ▁genuine- ▁surcharge- ▁enrich- ▁Shell- rick- dale- gress- ▁RP- ▁Ten- ▁scar- sourcing- ▁lately- ▁Para- ▁convince- ▁flatten- town- ▁urge- ▁cognizant- ▁paradigm- ▁sequence- ▁underserved- ▁distort- ▁Large- ▁About- ▁embarked- ▁reserved- PL- ▁aided- ▁Packaging- ▁biomarker- ▁pacing- ▁Team- ▁Interest- ▁prevention- ▁homeowners- ▁immaterial- ▁postpone- ▁Main- ▁archived- ▁downtown- ▁temperature- ▁MI- ▁govern- ▁Ever- ▁Cable- ▁Manhattan- ▁Trump- ▁delinquency- ▁easiest- ▁university- ▁unanticipated- ▁finger- ▁Reserve- ▁sustainably- ▁vertically- ▁keenly- ▁Shi- ▁survive- ▁classification- ▁assembled- ▁visited- ▁flooding- ▁Hub- ▁Fortunately- ▁concentrating- ▁navigating- ▁Income- ▁grand- ▁propel- ▁Sean- ▁narrowing- ▁selecting- ▁participant- ▁Matthew- ▁conservatism- ▁simulation- ▁whatsoever- ▁Travel- ▁Show- ▁outpatient- patient- ▁Area- ▁competency- ▁precious- ▁satisfactory- ▁swift- ▁synergistic- ▁east- ▁Provid- ▁sending- ▁RA- ▁consultant- ella- ▁antibiotic- ▁coordination- ▁disclosing- ▁reorganize- ▁universities- ▁unparalleled- band- ▁containment- burg- ▁Five- ▁TE- ▁BI- ▁Hopefully- ▁afraid- ▁bundling- ▁creativity- ▁innovator- ▁telco- ▁Deliver- ▁Tu- ▁friend- ▁bone- ▁Head- ▁enduring- ▁Choice- ▁drought- ▁commencement- ▁groundwork- ▁Road- ▁PS- ▁converge- ▁Marcellus- ▁Swiss- ▁commensurate- ▁kidney- ▁reshape- ▁Metro- ▁Outside- ▁Royal- tax- ▁incoming- ▁Mortgage- ▁advocate- ▁garner- ▁moderating- ▁lawsuit- ▁Top- ▁SKU- ara- ▁Ci- ▁formally- ▁emphasizing- ▁presumably- ▁urgent- ▁brew- ▁headroom- ▁Sur- ▁thin- ▁catering- ▁checking- ▁RB- ▁corridor- ▁verification- ▁Wholesale- ▁Shift- ▁disorder- ▁Vision- ▁besides- ▁campuses- ▁ring- ▁walked- ▁systematic- ▁president- ▁Kentucky- ▁arrival- ▁automobile- ▁diner- ▁sufficiently- ▁emerged- ▁awaiting- ▁Poly- ▁replenish- ▁odd- ▁ONE- ▁carries- ▁Manager- ▁ER- ▁embraced- ▁wo- ▁Adjuste- ▁'14- ▁Egypt- ▁simplicity- ▁tackling- ▁Full- ▁breakout- ▁attended- ▁fallen- face- ▁tension- ▁Sub- ▁die- ▁revitaliz- ▁Alliance- ▁Beauty- ▁incorrect- ▁penetrating- ▁creep- ▁Square- ▁batch- ▁revert- ▁Order- ▁ice- ▁accompany- ▁35- ▁administer- ▁backbone- ▁soybean- ▁Assuming- ▁renovate- ▁DRAM- ▁bound- ▁death- ▁Fortune- ada- ▁Dow- ▁Pharmaceutical- ▁Simply- ▁impaired- ▁Disney- ▁cellular- ▁wireline- ▁Rail- ▁Step- ▁intentionally- sys- ▁prosper- ▁stance- ▁45- branded- owner- ▁processors- ▁Austin- ▁incentivize- ▁proppant- ▁unplanned- ▁widespread- ▁initiation- ▁genomic- ▁Regulation- ▁Marketplace- ▁loose- ▁insured- ▁barrel- ▁Manage- ▁runoff- ▁Medicine- ▁Until- ▁tranche- ▁transplant- ▁bullet- ▁Paper- iness- ▁terminated- ▁NE- ▁Commerce- ▁Patient- ▁actuarial- ▁privacy- ▁Protection- ▁Payment- ▁realities- ▁Society- ▁Spanish- ▁Tennessee- ▁collaborating- ▁breach- ▁dark- ▁wake- ▁arising- ▁analytic- ▁weakest- ▁prevailing- ▁directional- elect- ▁SI- ▁extensively- ▁curtail- ▁Vancouver- ▁diagnosis- ▁diamond- ▁fertilizer- ▁prevalent- ▁inception- ▁zero- ▁lane- ▁Barry- ▁Play- ▁Later- ▁outsource- ▁advantageous- ▁AV- ▁register- bearing- ▁Industries- ▁suspension- ▁Arabia- ▁abnormal- ▁exhaust- ▁unwind- ▁toxic- ▁10,000- ▁WA- ▁z- fil- ▁Rather- ▁intuitive- ▁AUM- ▁Bi- ▁footing- ▁squarely- ▁AN- ▁hesitate- ▁possess- ▁unclear- ▁attachment- ▁rider- '30'- ▁skewed- ridge- ▁recommended- omic- ▁modification- ▁rigor- born- ▁child- ▁crowd- ▁Hydro- ▁contemplating- ▁ethanol- ▁nuance- ▁vacant- ▁Drive- ▁warmer- ▁bra- ▁Clean- ▁Smith- ▁encompass- ▁Recall- ▁vector- ▁combat- ▁sponsorship- ▁markdown- ▁boom- ▁angle- ▁pent- ▁featured- count- ▁seismic- ▁emergence- ▁divisional- ▁distressed- ▁kicking- ▁reacting- uck- ▁illustrated- ▁Focus- ▁Miami- ▁envelope- ▁inevitable- ▁vigilant- ▁Success- ▁Change- ▁municipalities- ▁Finland- ▁blow- ▁hydrogen- ▁Centr- ▁recycled- ▁PO- ▁assessed- ▁bodies- ▁institute- ▁pursuan- ▁flag- ▁Yet- ▁coastal- ▁disrupted- ▁29- ▁repeated- ▁enabler- link- ▁unfortunate- worth- ▁Benefit- ▁Family- ▁initiating- ▁SME- ▁hey- ▁rebalance- ▁resin- ▁repeatedly- ▁Dakota- ▁disadvantage- ▁nickel- ▁referencing- ▁Quest- ▁presidential- ▁comfortably- ▁Roche- ▁coin- meter- ▁foundry- ▁entrepreneur- ▁Jonathan- ▁Journal- ▁Typically- ▁abroad- ▁entitlement- ▁alarm- ▁Aviation- ▁fed- ▁Buy- ▁Kar- shop- ▁correspond- ▁jointly- ▁Place- ▁cylinders- ▁faith- ▁redeem- ▁Print- ▁committing- ▁digitization- ▁installment- ▁totality- ▁thoughtfully- ▁triggered- friendly- ▁Residential- ▁Which- ▁crazy- ▁seventh- ▁subsidies- ▁teammates- ▁Essential- ▁unveil- ▁versa- ▁deductible- ▁lagging- ▁Lead- ▁POS- ▁Longer- ▁Fred- ▁Alan- ▁Del- ▁CF- ▁cooling- ▁shopper- ▁vest- ▁Discovery- ▁reassess- ▁reliably- ▁undertook- ▁Creek- ▁antenna- ▁peso- ▁Bryan- ▁tourism- ▁magic- ▁Cyber- ▁tree- ▁halfway- ▁Denmark- ▁candidly- ▁sneak- ▁silo- ▁haul- ▁tendency- ▁prohibited- ▁encountered- ▁localized- ▁Field- ▁contrary- ▁exclusivity- ▁extrapolate- 3,000- ▁smallest- ▁posture- ▁establishment- ▁cure- ▁matched- ▁organize- ▁Industry- ▁NIKE- ▁alleviate- ▁reluctant- ▁steadfast- ▁restoration- ▁Local- ▁hair- ▁complexities- ▁Indiana- ▁MSR- ▁seize- ▁arrived- ▁Online- ▁Medi- umab- ette- ▁intensify- ▁culminat- ▁penalty- ▁scientists- ▁Steel- ounce- ▁deepwater- ▁Ship- ▁permitted- ▁Loan- One- ▁1.5- ▁amplify- ▁electrification- ▁umbrella- ▁wild- ▁stuck- ▁admit- ▁absorbing- ▁Solar- ▁satisfying- ▁instruct- ▁Utilities- ▁roaming- ▁uncover- ▁Louis- ▁desk- ▁Sears- ▁installing- ▁lessen- ▁tightened- generating- ▁RM- ▁CAR- ▁MD- ▁compounded- ▁FL- ▁Domestic- ▁housekeeping- ▁radical- ▁leap- ▁camp- ▁GI- ▁accrue- ▁articulate- ▁LC- ▁struggled- under- ▁English- ▁counsel- ▁aesthetic- ▁Human- ▁gig- position- ▁frontline- ▁Authority- ▁William- ▁mechanics- ▁sampling- ▁sterling- ▁Living- ▁Regional- ▁wound- ▁Josh- ▁excel- ▁Initial- ▁abilities- ▁Pass- more- ▁witness- ▁moderately- ▁Coming- ▁DM- ▁Recent- ▁Silver- ▁Starbucks- ▁Whilst- ▁responsibly- ▁sacrifice- ▁abandon- ▁captive- ▁Chuck- ▁cornerstone- ▁Audi- office- ▁Penn- ▁permanently- critical- ▁NAND- ▁certificate- ▁consuming- ▁cubic- ▁pharmacies- ▁Alpha- ▁preview- ▁pub- ▁Vince- ▁x- ▁reprice- ▁Verizon- ▁ammonia- ▁introductory- ▁probable- ▁reliant- ▁subcontractor- ▁cited- ▁Being- ▁Cro- trip- ▁Wind- ▁Austria- ▁OLED- ▁Oregon- ▁revamp- ▁structuring- ▁yourselves- ▁grind- ▁multichannel- ▁ACA- ▁Simon- ▁drastic- ▁Engineering- ▁Israel- ▁cognitive- ▁ocean- ▁refurbishment- ▁renegotiation- ▁undervalued- ▁Cross- rich- '40'- ▁insert- ▁Partner- ▁critic- 5,000- ▁neighbor- ▁Dennis- ▁LED- ▁mandatory- ▁necessity- ▁peripheral- ▁provincial- ▁theoretical- ▁bleed- ▁hyperscale- ▁Dollar- ▁Environmental- ▁interval- ▁Events- ▁tightness- ▁machinery- ▁pitch- ▁broadest- leasing- ▁architect- ▁repurchasing- ▁subdued- ▁turnkey- ▁reject- ▁Edge- ▁ethic- ▁static- ▁customization- ▁engineer- ▁relentlessly- ▁backfill- ▁vesting- share- ▁logistical- '90'- ▁Count- enabled- ▁APAC- ▁COGS- ▁Norwegian- ▁Swedish- ▁bankruptcies- ▁lunch- ▁overarching- ▁sophistication- ▁tirelessly- ▁waiver- ▁breath- reclassification- ▁periodically- ▁modernizing- ▁Santa- ▁inspired- creation- ▁perceive- ▁DR- ▁scan- gram- ▁2021- ▁Institute- ▁Jerry- ▁Philadelphia- ▁rethink- ▁singular- ▁arbitration- ▁dense- ▁NR- ▁implication- ▁Virtu- ▁Holdings- ▁disposable- ▁earliest- ▁featuring- ▁repatriation- ▁veteran- ▁interchange- ▁wholly- ▁NDA- ▁dominated- ▁repeatable- ▁flattening- ▁Mary- ▁continual- ▁Notwithstanding- ▁Profit- ▁ceiling- ▁resolving- ▁unitholders- ▁afterwards- ▁replenishment- ▁headway- ▁Epic- ▁Van- ▁Foundation- ▁binding- ▁dispatch- ▁orientation- ▁anomaly- ▁kill- ▁Sunday- ▁echo- ▁onwards- ▁Peru- ▁governor- ▁logistic- ▁farmer- ▁Companies- ▁FedEx- ▁Relative- ▁rotation- ▁Fire- ▁redirect- ▁brain- ▁matches- ▁discern- ▁Clinical- ▁Generation- ▁NASDAQ- ▁Spirit- ▁elevating- ▁ethane- ▁ethylene- ▁intermodal- ▁microphone- ▁nonresidential- ▁oversupply- ▁unnecessary- ▁viability- ▁vice- ▁nonperforming- ▁assert- speed- ▁Understood- ▁abstract- ▁blind- ▁disappear- ▁garden- ▁march- ▁Unless- ▁controllable- ▁biometric- ▁Progressive- ▁loop- ▁Howard- ▁taper- ▁withstand- Tech- ▁Continued- ▁expiring- ▁imbalance- ▁substance- ▁virtue- ▁egg- ▁Cisco- ▁reimbursed- borne- ▁amortized- ▁coordinated- suit- trol- ▁narrowed- balance- ▁Channel- ▁Connecticut- ▁Increasing- ▁biosimilar- ▁surveillance- ▁untapped- ▁Tower- ▁cabinet- ▁curtailment- ▁compressed- ▁MP- ▁prediction- company- fuel- ▁Senate- ▁stockpile- ▁oftentimes- ▁Index- ▁underpinning- ▁HD- ▁DSO- ▁owe- ▁controller- ▁standardization- ▁Aero- dependent- agnostic- ▁None- ▁drift- ▁Ministry- ▁immense- ▁imminent- ▁Panama- ▁stemming- ▁specialties- ▁truckload- ▁Lee- ▁vet- ▁painful- ▁tune- ▁arguably- ▁ignore- ▁struck- ▁Terry- ▁orphan- ▁interview- ▁Visa- ▁favorability- home- ▁closest- plex- ▁placebo- ▁Quality- ▁Supreme- ▁aforementioned- ▁champion- ▁furnace- ▁obstacle- ▁quantum- ▁tempered- ▁disappointment- ▁Philip- ▁underwriters- ▁supermarket- ▁syndicated- ▁inspire- ▁Lloyd- ▁unwavering- ▁OTT- 4,000- ▁baby- ▁unrelated- sproportionately- eign- ▁lapse- ▁propose- ▁skew- ▁lump- ▁Pete- ▁Consulting- ▁Jennifer- ▁Thanksgiving- ▁Twitter- ▁cultivate- ▁deviation- ▁imposed- ▁narrative- ▁shelves- ▁supplied- ▁Army- ▁nerve- ▁rationalizing- ▁formulary- ▁accompanied- ▁MAC- ▁emission- ▁35%- prem- ▁cater- ▁reshaping- ▁injuries- ▁canceled- ▁solicitation- ▁Coach- ▁banner- ▁hourly- ▁Animal- ▁PayPal- ▁Wireless- ▁harsh- ▁varied- ▁2012- ▁Romania- ▁wrapped- ▁acquirer- ▁interconnection- aaS- ▁nearby- ▁gun- assi- ▁Charter- ▁District- ▁iPhone- ▁Android- ▁intimate- ▁adopters- ▁Law- ▁Join- ▁occupied- ▁BA- ▁subsea- ▁procure- ▁SEDAR- ▁calculating- ▁cardiac- ▁ceramic- ▁cruise- ▁Meaning- ▁offense- ▁biology- ▁mapping- ▁cord- ▁weaknesses- ▁intentional- ▁discretion- ▁inspiration- ▁Fluid- ▁Mississippi- ▁Presentation- ▁Silicon- ▁Ultra- ▁compromising- ▁disagree- ▁eBay- ▁inevitably- ▁inspiring- ▁observing- ▁optimum- ▁cycling- ▁vein- ▁reorder- ▁transferring- ▁decor- ▁height- ▁PURE- ▁Stuart- ▁ballpark- ▁nevertheless- ▁CN- ▁Hunt- ▁oilfield- ▁pocket- ▁surprisingly- ▁Maria- ▁Current- ▁Average- ▁Drilling- ▁bottleneck- ▁nervous- ▁potash- ▁speculative- ▁Kelly- ▁indices- ▁spill- ▁western- ▁Notably- ▁thoroughly- ▁Citi- ▁isolate- Stream- Source- ▁degradation- ▁fiduciary- ▁timber- ▁vegetable- ▁epi- ▁pose- ▁PPA- ▁Oak- ▁richer- ▁broke- ncreased- ▁Pandora- ▁collapse- ▁undoubtedly- ▁megawatts- emphasize- ▁Mainland- ▁intersection- ▁confused- ▁fitting- ▁excessive- ▁Make- school- high- ▁elasticity- ▁magazine- ▁striking- ▁Truck- ▁assigned- developed- ▁travelers- ▁Gar- ▁Precision- ▁Universal- ▁cardiovascular- ▁delinquencies- ▁emotional- ▁filtration- ▁predicated- ▁Dutch- ▁Correct- ▁checkpoint- ▁Factor- ▁Six- ▁tag- ▁Included- ▁cigarette- ▁confusing- ▁contingencies- ▁prescribing- ▁scrutiny- ▁suffice- ▁alloy- ▁systematically- ▁competence- ▁Rest- ▁correlate- ▁Pharma- ▁Engine- ▁credential- ▁exempt- ▁biological- ▁reevaluate- ▁scrubber- ▁wrote- ▁Think- crib- ▁Tier- ▁redefine- ▁exponential- ▁Charlotte- ▁Speak- ▁console- ▁credible- ▁influencing- ▁weakened- ▁Rewards- ▁Games- ▁2,000- ▁Stan- person- ▁tab- ▁Excellence- ▁denominator- ▁earthquake- ▁quartile- ▁reactivation- ▁respiratory- ▁automating- ▁dentist- ▁stickiness- ▁backwards- ▁Return- ▁pullback- ▁Fox- ▁passage- ▁prevail- cession- intensive- vir- ▁Basically- ▁Lincoln- ▁Marriott- ▁Nashville- ▁estimation- ▁summarizing- ▁smoke- ▁transitory- ▁Money- ▁email- ▁distracted- ▁Train- '80'- ▁circumstance- ▁advertiser- ▁tro- ▁Cooper- ▁Manufacturing- ▁Strategy- ▁cybersecurity- ▁devastating- ▁magnet- ▁multitude- ▁presume- ▁guard- ▁commend- ▁sync- ▁encounter- ▁enforce- ▁boutique- ▁contemporary- ▁gratitude- ▁wheat- ▁dream- ▁rebranding- ▁creator- ▁landfill- ▁buses- ▁suspended- ▁Quit- ▁rebate- ▁terminate- ▁List- ▁NAFTA- ▁Renewable- ▁Segment- ▁Transformation- ▁adjacencies- ▁companion- ▁consortium- ▁distributing- ▁repaid- ▁easing- ▁hallmark- ▁Indeed- ▁subsegment- ▁flush- ▁Deep- ▁NPL- ▁subside- ▁instrumentation- ▁portable- ▁render- ▁dead- ▁avenue- oncology- ▁Fleet- ▁quantified- ▁warehousing- ▁adherence- ▁75- ▁layout- ▁Frankly- View- ▁Applied- ▁Considering- ▁Thomas- ▁estimating- ▁lodging- ▁metropolitan- ▁monetary- ▁tunnel- ▁amenities- ▁drone- ▁Utica- ▁instructions- ▁tube- ▁Atlas- ▁stone- ▁Expense- ▁caregiver- ▁football- ▁gratifying- ▁preservation- ▁rebroadcast- ▁retrospective- ▁Airbus- ▁Heath- ▁Old- ▁Veri- trans- troph- ▁Flow- ▁Improvement- ▁Search- ▁Thursday- ▁Yesterday- ▁inconsistent- ▁stimulation- ▁uneven- ▁horsepower- ▁automatic- ▁scrapping- genic- ▁Carol- ▁Apart- ▁realigned- connect- dollar- ▁Anthem- ▁Intelligence- ▁Nigeria- ▁Tampa- ▁judicious- ▁leather- ▁pellet- ▁reimagin- ▁studied- ▁telematics- ▁Idaho- ▁tolerability- ▁Space- ▁Midstream- ▁WiFi- ▁Maryland- ▁Marty- ▁Whereas- ▁normalizing- Atlantic- ▁DIY- ▁Regardless- ▁asphalt- ▁pizza- ▁poultry- ▁propensity- ▁puzzle- ▁redundant- ▁verify- ▁zinc- ▁anxious- ▁immers- ▁reserving- ▁alpha- ▁investigate- ▁Front- ▁Station- ▁quo- ▁shy- ▁resident- abilities- ▁Almost- ▁Summit- ▁duplicate- ▁frustrating- ▁fundraising- ▁Quick- ▁phrase- ▁Iowa- ▁originating- ▁classroom- ▁validating- ▁wrapping- ▁Range- ▁hate- gged- investment- ▁Emerging- ▁Netflix- ▁juncture- ▁longevity- ▁ebb- ▁sidelines- ▁occasionally- ▁nut- ▁lining- ▁spur- ▁viewpoint- ▁Salt- ▁bike- ▁freeze- ▁Ku- world- ▁recur- invest- ▁Entertainment- ▁Portugal- ▁accommodation- ▁feasible- ▁negligible- ▁polymer- ▁preclude- ▁rumor- ▁Depot- ▁retro- ▁antibody- ▁Audience- ▁tractor- ▁salt- ▁auditors- ▁mold- ▁Upon- ▁MRO- business- mproving- ▁Device- ▁abundant- ▁nail- ▁IMAX- ▁settling- ▁chair- tenant- ▁2.0- mitted- ▁Nex- ▁customize- ▁Calgary- ▁ETF- ▁Sunrise- ▁beneficiary- ▁condensate- ▁distributable- ▁speech- ▁virus- ▁Jamie- ▁Fiber- ▁Everybody- ▁heels- ▁Talk- ▁Karen- ▁illustration- ▁recast- ▁acid- ▁Deb- ▁Za- generative- order- acute- border- ▁Arkansas- ▁brown- ▁subsidy- ▁synthetic- ▁Oracle- ▁Rental- ▁boundaries- ▁Daniel- ▁caveat- ▁Comcast- ▁Otherwise- ▁Select- ▁Cancer- ▁Near- ▁trail- craft- Mobile- first- recapitalization- ▁Journeys- ▁expansive- ▁rhythm- ▁spectacular- ▁Aaron- ▁Freight- ▁Airlines- ▁circulation- ▁Susan- ▁Portland- ▁missile- ▁headset- ▁lucky- known- ▁obligat- ▁Four- ▁Cleveland- ▁Czech- ▁constituent- ▁Utility- ▁fierce- ▁recoup- ▁policyholders- ▁Model- ▁restoring- ▁clip- ▁debit- ▁stopping- space- ▁Palm- ▁Active- ▁Discussion- ▁Hudson- ▁Hyatt- ▁Legacy- ▁affinity- ▁balloon- ▁eCommerce- ▁fracture- ▁discharge- ▁plot- ▁Johnson- ▁tailings- ▁conceptual- ▁supplementary- ▁hat- ▁According- trend- ▁Major- ▁accelerator- ▁relax- ▁welcoming- ▁BDC- ▁knee- ▁plateau- ▁compressor- break- ▁embed- ▁Columbus- ▁Learning- ▁Liquid- ▁acuity- ▁altogether- ▁ambulatory- ▁junior- ▁preceding- ▁substitution- ▁syndication- ▁Casino- ▁entail- ▁Julie- ▁constrain- ▁transmit- ground- ▁Engineered- ▁Integrated- ▁accumulation- ▁exclusion- ▁stagger- ▁substantive- ▁Studio- ▁Vehicle- ▁shipyard- ▁0.5- production- ▁Off- ▁categorize- income- ▁Civil- ▁Continuing- ▁blockchain- ▁breakfast- ▁laboratories- ▁refranchising- ▁sacrificing- ▁utmost- ▁cosmetic- ▁dashboard- ▁cease- ▁distill- 8,000- ▁Lending- ▁breed- ▁606- ▁Golden- ▁rightsizing- ▁CRO- currence- ▁Neil- ▁Luc- ▁subscribe- course- tronics- ▁Azure- ▁Equally- ▁Granite- ▁Sydney- ▁appreciative- ▁mentality- ▁solvency- ▁underwritten- ▁helicopter- ▁mattress- ▁mobilize- ▁mutation- ▁plain- ▁reoccur- ▁Empire- ▁identical- ▁methodologies- ▁ASCO- ▁Mining- ▁75%- label- ▁Samsung- ▁Noble- ▁coordinate- ▁luck- ▁Anthony- ▁Beijing- ▁Nielsen- ▁affairs- ▁commoditized- ▁inclined- ▁proliferation- ▁yellow- ▁receptive- ▁Content- ▁tying- ▁cinema- ▁precedent- metric- ▁foothold- ▁cope- itude- ▁detriment- ▁Tableau- ▁hesitant- ▁turmoil- ▁SMB- ▁Watch- ▁thick- ▁Fast- ▁rally- ▁Video- trade- science- ▁Economic- ▁Fitness- ▁Partially- ▁accustomed- ▁athletic- ▁educator- ▁invaluable- ▁scarcity- ▁contest- ▁van- ▁Town- ▁Detail- ▁nowhere- ▁hall- ▁deflationary- ▁Grow- ▁Snap- ▁abuse- ▁prostate- ▁5,000- ▁Invest- ▁Marlin- ▁motivate- ▁ARR- ▁Turk- ▁Downstream- ▁Experience- ▁Venture- ▁analyses- ▁athlete- ▁drain- ▁episode- ▁penalties- ▁smelter- ▁Listener- ▁Carbon- ▁Surface- ▁Blackstone- ▁Internal- ▁agnostic- ▁CAT- currency- ▁BlackRock- ▁Institutional- ▁intensified- ▁sensitivities- ▁situated- ▁stimulus- ▁vacuum- ▁volunteer- ▁worthwhile- ▁prioritization- ▁waterfall- ▁formulate- ▁compress- ▁await- ▁OMIDRIA- ▁Approximately- ▁Storage- ▁blade- ▁congestion- ▁dialysis- ▁hydraulic- ▁mouth- ▁procedural- ▁leach- ▁shallow- ▁responsiveness- ▁string- ▁Victor- purpose- ▁Council- ▁Individual- ▁commencing- ▁independence- ▁nurture- ▁paramount- ▁Member- ▁Unlike- ▁ratable- ▁insulin- ▁inquiry- ▁denominated- ▁holistically- ▁rack- ▁authentication- vantage- ▁Rose- ▁digitize- ▁accumulate- ▁Fiscal- ▁adequacy- ▁alternate- ▁eighth- ▁irrespective- ▁postpaid- ▁rehabilitation- ▁remarkably- ▁taxpayer- ▁arbitrage- ▁hint- ▁discoveries- ▁hook- ▁resetting- ▁bang- system- ▁reconstruct- ▁Agreement- ▁Integration- ▁NASH- ▁Short- ▁Technical- ▁aggregation- ▁chassis- ▁outweigh- ▁vulnerable- ▁scanner- ▁Warner- ▁popularity- ▁PAC- ▁discontinue- ▁dedicate- charge- help- ▁Chegg- ▁Nutrition- ▁depreciate- ▁reclassified- ▁Jackson- ▁clock- ▁tapping- ▁capped- ▁trace- ▁cooperate- ▁School- structure- economic- deliver- ▁Ralph- ▁Example- ▁Utah- ▁irrigation- ▁nonaccrual- ▁suppress- ▁Underlying- ▁remediate- ▁stripping- ▁iteration- ▁sincerely- ▁Orange- path- close- measure- process- ▁Block- ▁Significant- ▁Treasury- ▁caliber- ▁compliment- ▁virtuous- ▁busiest- ▁forthcoming- track- ▁inhibit- profit- ▁reestablish- ▁Progress- ▁Apollo- ▁Tokyo- ▁chemotherapy- ▁mathematical- ▁retiring- ▁stellar- ▁sweep- ▁timeframe- ▁roster- ▁specify- ▁Ameri- ▁SIM- carbon- ▁Alabama- ▁Application- ▁Hemisphere- ▁Mineral- ▁administrator- ▁dinner- ▁empty- ▁endorsement- ▁facilitating- ▁happier- ▁vacancies- ▁voting- 7,000- ▁protest- ▁reactivate- ▁bird- ▁aspire- apples- ▁redevelop- ▁hazard- ▁Iridium- ▁Related- ▁experiential- ▁mismatch- ▁philosophical- ▁thumb- ▁Leasing- ▁deductibility- ▁Drug- ▁Wild- ▁illustrat- ▁reinvigorate- ▁sandwich- ▁Affordabl- ▁DOL- ▁Hilton- ▁advocacy- ▁antibodies- ▁chief- ▁entrance- ▁examining- ▁snapshot- ▁unfair- ▁ForEx- ▁defect- ▁mixture- ▁Getting- ▁digging- ▁Monster- ▁liquidate- ▁characteristic- period- cutting- ▁Competition- ▁Furniture- ▁Kroger- ▁oxygen- ▁vigorously- ▁2011- ▁fellow- heim- ▁alcohol- competitive- megawatt- ▁Fifth- ▁Retirement- ▁Robinson- ▁counterparties- ▁dispense- ▁petroleum- ▁rainfall- ▁separating- ▁testimony- ▁PBM- ▁restatement- ▁restocking- ▁instill- ▁brake- ▁syndicate- Pacific- ▁Previously- ▁escalator- ▁offensive- ▁perimeter- ▁problematic- ▁recreational- 6,000- ▁Bowl- ▁Kindred- ▁purposeful- ▁Half- ▁increment- flex- ▁bargain- ▁reengineer- ▁Heavy- ▁Jeremy- ▁flagged- ▁unconventional- ▁unreasonable- ▁Creative- ▁Gaming- ▁Sorry- ▁LTE- ▁Vista- ▁excite- ▁suspend- producing- complete- ▁Winnebago- ▁Signature- ▁Subsequent- ▁fabulous- ▁hypothesis- ▁inherited- ▁legislature- ▁marry- ▁revising- ▁lagged- ▁motorcycle- ▁depict- ▁divert- ▁shore- ▁persistence- ▁deduct- efficiency- platform- ▁Virgin- ▁Century- ▁Currency- ▁MLP- ▁Plaza- ▁annuities- ▁flawless- ▁lobby- ▁monotherapy- ▁cotton- ▁configure- ▁Genesis- ▁Crest- Guard- ▁inspect- operated- ▁expose- ▁Academy- ▁Champion- ▁Especially- ▁Resort- ▁depletion- ▁prestigious- ▁spark- ▁Weather- ▁trauma- ▁Michelle- ▁Term- ▁Build- established- ▁cabin- ▁Whole- ▁Administration- ▁Polish- ▁platinum- ▁remeasurement- ▁humble- ▁outlining- ▁Own- ▁scanning- ▁cooperative- ▁Reduc- ▁parse- ▁Custom- neutral- ▁Affiliate- ▁Limited- ▁Nuclear- ▁Targa- ▁frustration- ▁oxide- ▁practitioner- ▁reconsider- ▁underperformed- ▁subsidize- ▁bacteria- ▁buck- ▁gray- ograph- Care- ▁Acquisition- ▁Cameron- ▁Interactive- ▁Saturday- ▁congratulations- ▁escalate- ▁noncontrolling- ▁safeguard- ▁funeral- ▁giant- ▁river- ▁Kirk- ▁Harris- defined- ▁Section- ▁Victoria- '70'- ▁NASCAR- ▁Pinnacle- ▁destroy- ▁retroactive- ▁viral- ▁Leverag- ▁pork- ▁habit- located- ▁Combin- ▁Inventory- ▁insignificant- ▁literature- ▁nitrogen- ▁qualities- ▁retransmission- ▁terribly- ▁unforeseen- ▁NII- ▁merging- ▁Cedar- ▁hydrocarbon- ▁Social- ▁melt- ▁origin- ▁Deposit- ▁Rapid- ▁buoy- ▁Avenue- ▁Depending- ▁Pfizer- ▁hospice- ▁ladder- ▁overcapacity- ▁reconciling- ▁unleash- ▁attribution- ▁FCC- ▁IBM- ▁wastewater- ▁baking- ddle- called- ▁Driving- ▁Jordan- ▁Restaurant- ▁calibrate- ▁decelerate- ▁discontinuation- ▁enzyme- ▁nonetheless- ▁segregat- ▁slippage- ▁sovereign- ▁steroid- ▁remix- ▁Crane- ▁pinpoint- ▁Display- ▁dump- ▁coding- ▁Likewise- Works- credit- ▁Double- ▁Catalyst- ▁Halloween- ▁NEXT- ▁blockbuster- ▁incidence- ▁eastern- ▁blast- ▁Dream- regulated- lecommunications- ▁Kind- storm- ▁Surgical- ▁Triumph- ▁editorial- ▁irrational- ▁juice- ▁kiosk- ▁slope- ▁sulfur- ▁Dental- ▁vending- ▁Insight- ▁Baker- ▁anecdotal- ▁Whit- ▁dilute- ▁Albert- development- voltage- ▁College- ▁destiny- ▁influx- ▁microbiome- ▁migraine- ▁occupy- ▁politics- ▁reversion- ▁rubber- ▁variant- ▁Glass- ▁NOLs- ▁supervisor- ▁Trading- ▁loud- ▁infant- ▁weapon- operative- ▁technique- ▁surround- ▁distress- ▁tradition- ▁Advisor- ▁Bancorp- ▁Collection- ▁League- ▁Perfect- ▁pragmatic- ▁firing- ▁Know- ▁Better- ▁slice- ▁dwell- ▁outlier- ▁colleague- prime- Bank- ▁Buffalo- ▁Greece- ▁Portfolio- ▁Sustain- ▁Taylor- ▁Women- ▁cohesive- ▁hypothetical- ▁nontraditional- ▁refractory- ▁stewardship- ▁Darren- ▁horse- ▁Irish- ▁Arrow- ▁Associate- ▁Nonetheless- ▁Williston- ▁YouTube- ▁catheter- ▁latency- ▁maritime- ▁uncommon- ▁firewall- ▁Speed- ▁orange- ▁Pharmacy- ggle- ▁Including- ▁Restructuring- ▁bubble- ▁clause- ▁consummate- ▁deficiency- ▁receptor- ▁redundancy- ▁titanium- ▁Windows- ▁thread- ▁Partnership- ▁Accu- plica- ▁Solution- ▁assemble- ▁author- ▁AFFO- ▁Cologuard- ▁aggregator- ▁behaving- ▁choppiness- ▁conservation- ▁groundbreaking- ▁impediment- ▁reallocating- ▁registry- ▁tandem- ▁Besides- ▁Lisa- ▁Help- ▁STAR- 0%- ▁Charlie- ▁Orleans- ▁Platinum- ▁abundance- ▁acquisitive- ▁locomotive- ▁maturation- ▁pervasive- ▁pulse- ▁Christian- ▁Housing- ▁instability- ▁textile- group- ▁Bottom- ▁Detroit- ▁LIFO- ▁Mutual- ▁Positive- ▁Tyler- ▁Wondering- ▁arriving- ▁beneficiaries- ▁century- ▁dismiss- ▁turbulence- ▁DUC- ▁OPEC- ▁pathogen- ▁adhere- ▁Music- ▁originator- ▁prohibit- ▁grocer- nanometer- ▁FireEye- ▁believing- ▁false- ▁matrix- ▁proposing- ▁remedy- ▁shaft- ▁Brett- ▁Hello- ▁Allied- ▁arrow- pronged- ▁snap- cloud- ▁Campbell- ▁Loyalty- ▁Patterson- ▁Terminal- ▁biomass- ▁exercising- ▁footnote- ▁fragrance- ▁frustrated- ▁garage- ▁interference- ▁referendum- ▁simplifies- ▁unrivaled- ▁seemingly- ▁Close- direct- ▁dominate- Health- Corp- ▁Fabric- ▁Casualty- ▁Petrobras- ▁SCOOP- ▁acknowledging- ▁activating- ▁delineation- ▁dissipate- ▁exterior- ▁orthopedic- ▁resumption- ▁shield- ▁stainless- ▁Imaging- ▁outgrow- ▁Beverage- ▁Expect- ▁Outdoor- ▁brilliant- ▁curriculum- ▁decentralized- ▁deteriorating- ▁episodic- ▁fault- ▁Automation- ▁retool- ▁darn- ▁Terra- ▁debut- ▁dangerous- ▁IND- ▁Couple- ▁amortize- dealer- ▁BOSS- ▁Cardinal- ▁Hollywood- ▁Pizza- ▁Study- ▁antitrust- ▁autumn- ▁bunker- ▁ePlex- ▁frequencies- ▁hinder- ▁inflammation- ▁infotainment- ▁relocating- ▁victory- ▁Critical- ▁Geographic- ▁transpire- ▁carpet- ▁insurer- interest- walk- insured- ▁phenomena- ▁Specific- ffsetting- ▁Appalachia- ▁Particularly- ▁Westinghouse- ▁ambassador- ▁lithium- ▁lucrative- ▁unsustainable- ▁firearm- ▁tolerance- ▁FinTech- ▁promo- ▁celebrating- ▁conducive- ▁disparate- ▁Subsea- ▁Tesco- ▁halt- ▁Lauren- ▁Mitch- frac- ▁Managing- ▁Recovery- ▁Watson- ▁Wyndham- ▁compatible- ▁council- ▁facilitator- ▁league- ▁prolific- ▁unacceptable- ▁preempt- ▁secondarily- ▁embedding- ▁vacate- gui- ▁Banc- ▁occupie- enhancing- ▁Dublin- ▁Florence- ▁Franchise- ▁LOE- ▁Properties- ▁clothing- ▁excise- ▁obsess- ▁relapse- ▁Jean- ▁racing- ▁Etsy- ▁burger- ▁Temp- ▁photograph- ▁stride- Mark- watch- ▁equip- ▁Chapter- ▁Offshore- ▁Regulatory- ▁Seasonal- ▁enviable- ▁exemplifie- ▁fracturing- ▁inaugura- ▁plasma- ▁thriving- ▁Fusion- ▁lawyers- ▁peel- ▁alluding- ▁aisle- minating- necdotally- ▁simultaneous- ▁frank- authorized- ▁Dolby- ▁EXPAREL- ▁LTL- ▁Wednesday- ▁biopsy- ▁bureau- ▁collision- ▁contiguous- ▁desperate- ▁expeditious- ▁female- ▁veterinary- ▁Moody- ▁halo- ▁reagent- ▁remiss- ▁handicap- asset- ▁Advertising- ▁Gathering- ▁Surgery- ▁dermatology- ▁festival- ▁intermediary- ▁modalities- ▁syndrome- ▁sweetener- ▁rotate- ▁Needle- ▁stead- ▁Analysis- ▁HVAC- ▁Secure- ▁Volkswagen- ▁affluent- ▁amplified- ▁copies- ▁culinary- ▁hindsight- ▁implicit- ▁inaccurate- ▁pollution- ▁radiation- ▁susceptible- ▁veterinarian- ▁50-50- ▁grasp- ▁paving- ▁rehab- ▁unused- ▁depot- ▁renal- ▁bull- ▁interrupt- ▁Publishing- ▁Splunk- ▁biopharma- ▁deplete- ▁explosive- ▁injunction- ▁mountain- ▁pyramid- ▁quantification- ▁resurgence- ▁underutilized- ▁viewership- ▁northeast- ▁aftermath- ▁sweat- ▁knit- ▁delineate- ▁definite- claim- etween- ▁Flotek- ▁Haynesville- ▁Scientific- ▁Spark- ▁ammunition- ▁examination- ▁faculty- ▁framing- ▁hygiene- ▁ninth- ▁Fixed- ▁Traditional- ▁Henry- ▁vocal- ▁Flat- ▁Merchant- ▁Microchip- ▁Spectrum- ▁Triferic- ▁densification- ▁equilibrium- ▁identifies- ▁illegal- ▁predecessor- ▁reversing- ▁shadow- ▁vascular- ▁tubing- ▁tiny- ▁invitation- ▁tolerated- utheastern- moving- ▁disturb- ▁Chipotle- ▁Cushing- ▁Effective- ▁Keppel- ▁Summer- ▁bracket- ▁fibrosis- ▁undrawn- ▁contend- ▁franc- ▁Argentin- ▁arrange- ▁Adobe- ▁Kratos- ▁Quantum- ▁admittedly- ▁prudence- ▁DTC- ▁debenture- ▁diving- ▁Quint- ▁Titan- ▁cream- ▁relieve- ▁Apparel- ▁Conversely- ▁Employee- ▁Frozen- ▁Hampshire- ▁Staffing- ▁Yield- ▁buzz- ▁census- ▁clarified- ▁compensating- ▁finite- ▁influential- ▁protracted- ▁submarine- ▁valuing- ▁Fundamental- ▁Canyon- ▁Tommy- ▁investigator- ▁archive- ▁locate- ▁revolve- Vision- collect- ▁Protect- ▁overshadow- ▁reconfirm- ▁reintroduc- ▁Circuit- ▁Hungary- ▁duplication- ▁formidable- ▁intermediaries- ▁remuneration- ▁sauce- ▁biopharmaceutic- ▁admin- burn- screen- mproved- ▁Novartis- ▁Oxford- ▁cultivating- ▁reengage- ▁renegotiating- ▁reorganizing- ▁Something- ▁Linda- change- technology- mobile- standard- 2,000- ▁Michel- ▁Brown- ▁Commonwealth- ▁Honda- ▁Kathy- ▁Memory- ▁Separately- ▁constellation- ▁redetermination- ▁unbilled- ▁unintended- ▁crystallize- ▁harmonize- ▁Forrester- ▁Collectively- ▁Montana- ▁Reflect- ▁consolidator- ▁expensing- ▁mobilization- ▁reassure- ▁remedies- ▁rescue- ▁microcontroller- ▁Command- ▁sailing- ▁myriad- ▁Crown- ▁deviate- energy- ▁helm- ▁Flag- ▁Cinema- ▁Recogniz- ▁Oncology- ▁Pioneer- ▁approving- ▁atmosphere- ▁autonomy- ▁celebration- ▁invoicing- ▁legitimate- ▁peace- ▁refrigeration- ▁shelter- ▁Flash- ▁Sterling- ▁regret- ▁rotating- ▁multiply- ▁erode- ▁Triple- ▁assign- constrained- ▁Develop- ▁Expand- ▁Mosaic- ▁Alpine- ▁diameter- ▁hidden- ▁mezzanine- ▁multifaceted- ▁reconfigure- ▁ruble- ▁tournament- ▁uranium- ▁2022- ▁MBS- ▁tilt- ▁lesion- ▁err- IVE- ▁criminal- ▁Broker- ▁Comfort- ▁Exactly- ▁Facility- ▁basketball- ▁explosion- ▁hypo- ▁investigating- ▁obsolete- ▁plumbing- ▁voyage- ▁whiskey- ▁pruning- ▁retreat- ▁ripe- minded- average- ▁potent- ▁gravitat- ▁refrain- ▁Alzheimer- ▁Freddie- ▁Heritage- ▁Intermodal- ▁catastrophic- ▁caustic- ▁geology- ▁indebtedness- ▁multibillion- ▁nonstrategic- ▁occupancies- ▁propulsion- ▁terrible- ▁summit- ▁Understand- managed- ▁Cincinnati- ▁Condition- ▁Governor- ▁Holiday- ▁Initiative- ▁MiFID- ▁cheese- ▁deficiencies- ▁elegant- ▁elevation- ▁nonoperating- ▁receptivity- ▁scatter- ▁theatrical- ▁varieties- ▁PFS- ▁entries- ▁ourself- ▁browse- ▁lull- ▁Commodit- ▁Thermo- chieving- target- ▁Bureau- ▁Circle- ▁Completion- ▁Instagram- ▁Polaris- ▁Qualcomm- ▁Student- ▁Wyoming- ▁averaging- ▁delinquent- ▁franchising- ▁ratably- ▁requisite- ▁underscoring- ▁vinyl- ▁Instant- ▁LTAC- ▁Transition- ▁fastener- ▁Container- ▁Mercury- ▁Superior- ▁Wolfcamp- ▁accumulating- ▁eligibility- ▁expend- ▁himself- ▁methanol- ▁voucher- ▁Knight- ▁Carrier- ▁subtract- ▁Ranch- ▁entrant- approved- ▁Frankfurt- ▁Melbourne- ▁anxiety- ▁cartridge- ▁combustion- ▁escalating- ▁infectious- ▁laundry- ▁pledge- ▁styrene- ▁custodia- ▁Interestingly- segment- normal- annual- ▁multimillion- inflammatory- ▁Brothers- ▁Jacobs- ▁Minneapolis- ▁Principal- ▁dispensing- ▁jeopardiz- ▁nutrient- ▁Enhanc- xisting- midst- typical- ▁solicit- ▁Dominic- ▁Edmonton- ▁Fannie- ▁Identity- ▁Ingredients- ▁Nokia- ▁Yelp- ▁allegations- ▁appraise- ▁envisage- ▁flesh- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_unnorm_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "description_en": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout cd8b84dc705e49796f2c8940d4aecf8f923f9976pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Mon Mar 8 23:43:09 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.7.1`- Git hash: `cd8b84dc705e49796f2c8940d4aecf8f923f9976` - Commit date: `Fri Mar 5 10:41:31 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|95631|94.9|4.5|0.6|0.5|5.5|61.6||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|948632|94.9|4.5|0.6|0.5|5.5|61.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|554413|98.8|0.6|0.6|0.4|1.6|61.6||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|5502566|98.8|0.6|0.6|0.5|1.6|61.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|112276|95.5|2.8|1.7|1.0|5.6|61.6||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|1114651|95.5|2.8|1.7|1.1|5.6|61.4|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 33274dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nulldetect_anomaly: falsepretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/train/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/train/text_shape.bpevalid_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/valid/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/train_nodev_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/train_nodev_unnorm/text - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- ▁in- ▁that- ''''- ▁a- ▁our- s- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁this- ▁be- ▁We- ▁And- ▁will- re- '-'- ▁year- ▁quarter- ▁at- ▁more- ▁So- ▁from- ▁business- ▁think- ▁what- t- ▁not- ▁some- ▁us- ▁by- ▁about- ▁there- ve- ▁growth- ▁can- ▁was- ▁which- ▁new- ▁very- ▁or- ▁do- '?'- ▁an- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁been- ▁all- ▁just- ▁has- ▁these- ▁so- ▁well- ▁those- ▁over- ▁now- ▁time- ▁customers- ▁into- ▁where- ▁like- ▁first- ▁results- ▁out- ▁But- ▁really- ▁other- ▁how- ll- ing- ▁if- d- ▁their- ▁up- ▁forward- ▁expect- ▁company- ▁were- ▁than- ▁last- ▁your- ▁look- ▁through- ▁get- ▁any- ▁because- ▁one- ▁call- ▁strong- ▁had- ▁believe- ▁sales- ▁when- ▁This- ▁then- ▁As- ▁good- ▁second- ▁In- ▁revenue- m- ▁performance- ▁product- ▁make- ▁lot- ▁cost- n- ▁much- ed- ▁years- ▁Our- ▁could- ▁financial- ▁capital- ▁terms- ▁don- ▁future- ▁both- ▁impact- ▁right- ▁value- ▁them- ▁It- ▁today- ▁little- ▁want- ▁customer- ▁next- ▁bit- ▁back- ▁work- ▁increase- ▁products- ▁take- ▁number- ▁end- ▁higher- ▁opportunities- ▁able- ▁half- ▁markets- ▁kind- ▁way- ▁may- ▁significant- ▁know- ▁operating- ▁better- ▁go- ▁cash- ▁say- ▁things- ▁still- ▁focus- ▁most- ▁statements- ▁provide- ▁should- ▁being- ▁point- ▁part- ▁team- ▁across- ▁lower- ▁made- ▁opportunity- ▁need- ▁important- ▁third- ▁2- ▁during- ▁rate- ▁line- ▁long- ▁people- ▁fourth- ▁down- ▁strategy- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁around- ▁portfolio- ▁working- ▁management- ▁share- ▁price- ▁investment- ▁due- ▁additional- ▁actually- ▁give- ▁only- ▁come- ▁while- ▁seeing- ▁high- ▁demand- ▁no- ▁few- ▁plan- ▁same- ▁looking- ▁progress- ▁here- ▁great- ▁costs- ▁even- ▁development- ▁different- ▁margin- ▁result- ▁current- ▁seen- ▁doing- ly- ▁grow- ▁further- ▁start- ▁change- ▁coming- ▁guidance- ▁positive- ▁service- ▁me- ▁earnings- ▁data- ▁drive- ▁technology- ▁position- ▁process- ▁key- ▁full- ▁investments- looking- ▁past- ▁That- ▁said- ▁who- ▁turn- ▁overall- ▁basis- ▁expected- ▁improve- ▁increased- ▁support- ▁again- ▁question- ▁3- ▁within- ▁focused- ▁sort- ▁services- ▁got- ▁environment- ▁potential- ▁help- ▁before- ▁businesses- ▁large- ▁pricing- ▁months- ▁These- ▁remain- ▁making- ▁done- ▁balance- ▁something- ▁ability- ▁interest- ▁strategic- ▁move- ▁already- ▁production- ▁sure- ▁side- ▁based- ▁platform- ▁best- ▁program- ▁such- ▁information- ▁mentioned- er- ▁acquisition- ▁Now- ▁Q- ▁talk- ▁expectations- ▁maybe- ▁early- ▁several- ▁operations- ▁use- ▁put- ▁given- ▁segment- ▁feel- ▁deliver- ▁assets- ▁rates- ▁pleased- ▁changes- ▁experience- ▁period- ▁my- ▁each- ▁couple- ▁growing- ▁You- ▁base- ▁benefit- ▁including- ▁place- ▁improvement- ▁projects- ▁tax- ▁order- ▁certain- ▁model- ▁related- ▁initiatives- term- ▁areas- ▁companies- ▁activity- ▁driven- ▁build- ▁continues- ▁getting- ▁existing- ▁A- ▁margins- ▁flow- ▁its- ▁levels- ▁addition- ▁term- ▁commercial- ▁pretty- ▁volume- ▁fact- ▁thing- ▁income- ▁course- S- ▁capacity- ▁big- ▁factors- ▁quarters- y- ▁might- ▁clients- ▁probably- ▁net- ▁mix- ▁always- ▁does- ▁competitive- ▁There- ▁under- ▁release- ▁mean- ▁risk- ▁marketing- ▁brand- ▁Thank- ▁quite- ▁prices- ▁saw- al- ▁update- ▁offset- ▁top- ▁why- ▁project- ▁every- ▁supply- ▁available- ▁off- ▁world- ▁leverage- ▁having- e- ▁With- ▁recent- ▁after- ▁between- ▁efforts- ▁core- ▁global- ▁quality- ▁conference- ▁area- ▁shareholders- ▁earlier- ▁real- ▁far- ▁less- ▁understand- ▁let- ▁low- ▁prior- ▁expenses- ▁trying- ▁actual- ▁credit- ▁primarily- ▁continuing- ▁building- ▁amount- ▁another- ▁system- ▁While- ▁certainly- ▁digital- ▁view- ▁whether- ▁solutions- ▁operational- ▁success- ▁questions- ▁pipeline- ▁day- ▁inventory- ▁outlook- ▁return- ▁range- ▁Or- ▁ahead- ▁taking- ▁improved- ▁review- ▁set- ▁expense- ▁If- ▁thank- ▁major- ▁retail- ▁profitability- ▁fiscal- ▁capabilities- ▁timing- ▁risks- ▁expand- ▁materially- ▁group- ▁presentation- ▁increasing- ▁confident- ▁ago- ▁consumer- ▁obviously- ▁revenues- ▁excited- ▁benefits- ▁hard- ▁For- ▁driving- ▁own- ▁moving- ▁What- ▁acquisitions- ▁On- ▁plans- ▁talked- ▁differ- ▁non- ▁solid- ▁partners- ▁- ▁increases- ▁China- ▁sheet- ▁expansion- ▁perspective- in- ▁particularly- ▁4- ▁distribution- ▁keep- ▁approach- ▁invest- ▁bring- ▁S- ▁add- ▁structure- ▁Yes- ▁space- ▁They- ▁debt- ▁stores- ▁sense- ▁small- ▁total- ▁versus- ▁compared- ▁asset- ▁programs- ▁improving- ▁begin- ▁measures- ▁clear- ▁numbers- ▁longer- ▁specific- ▁patients- ▁close- ▁needs- ▁significantly- ▁consistent- ▁average- ▁open- ▁create- ▁trends- ▁beginning- ▁scale- ▁run- C- ▁currently- ▁re- ▁strength- ▁conditions- ▁network- r- ▁tell- ▁decline- ▁since- ▁organization- ▁points- ▁5- ▁detail- ▁transaction- ▁volumes- ▁include- ▁execution- ▁anything- ▁profit- ▁towards- ▁per- ▁deal- ▁contract- ▁together- ▁cause- ▁larger- ▁starting- ▁remains- ▁However- ▁advantage- ▁material- ▁spend- ▁efficiency- ▁uncertainties- ▁comments- ▁throughout- ▁example- ▁fully- ▁ongoing- ▁greater- ▁organic- ▁yet- ▁events- ▁store- ▁care- ▁1- ▁trend- ▁successful- ▁2017- ▁announced- ▁brands- ▁morning- ▁returns- ▁started- ▁Europe- ▁discuss- ▁find- ▁gas- or- ▁control- ▁difficult- ▁innovation- ▁reduce- ▁talking- ▁particular- ▁track- ▁At- ▁achieve- ▁case- o- ▁allow- ▁short- ▁become- ▁infrastructure- ▁access- ▁decision- ▁later- ▁momentum- ▁providing- ▁recently- ▁Okay- ▁completed- ▁improvements- c- ▁press- ▁along- ▁associated- ▁oil- ▁too- ▁sell- ▁discussed- ▁guess- ▁try- ▁activities- es- ▁systems- ▁manage- ▁impacted- p- 'on'- ▁lines- ▁note- ▁report- ▁previously- ▁everyone- ▁2018- ▁similar- ▁confidence- ▁anticipate- ▁used- ▁remarks- ▁issues- ▁offering- ▁pressure- ▁6- ▁U- ▁effect- to- ▁reduction- ▁integration- ▁record- ▁health- ▁teams- ▁pay- ▁segments- ▁offer- ▁reason- ▁board- ▁positioned- ▁Before- ▁delivering- ▁launch- ▁meet- ▁investors- ▁energy- ▁economic- ▁website- ▁equity- ▁against- ▁cycle- ▁subject- ▁2016- ▁contracts- ▁items- ▁slightly- ▁percentage- ▁stock- ▁quickly- ▁using- ▁guys- ▁power- ▁money- ▁single- ▁Slide- ▁actions- ▁beyond- ▁adjusted- ▁front- ▁international- ▁selling- ▁leadership- ▁To- ▁equipment- ▁channel- ▁clearly- ▁target- ▁especially- ▁possible- ▁spending- ▁unique- ▁relative- ▁direct- ▁once- ▁size- ▁remind- ▁comes- ▁means- ▁general- ▁combination- ▁incremental- ▁maintain- ▁without- ▁facility- ▁manufacturing- ▁execute- ▁multiple- ▁rest- ▁complete- ers- ▁employees- ▁resources- ▁One- ▁either- year- ▁ensure- ▁client- ▁near- ▁job- up- ▁thinking- ▁issue- ▁details- ▁taken- ▁online- ▁challenges- ▁included- ▁content- ▁local- ▁show- ▁loan- ▁reflect- ▁investing- ▁various- ▁generate- ▁type- ▁regarding- ▁leading- ▁month- G- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁wanted- ▁whole- ▁meaningful- g- ▁date- ▁attractive- ▁New- ▁F- ▁B- ▁productivity- ▁relationships- ▁happen- ▁corporate- ▁transition- ▁stronger- ▁free- ▁regulatory- ▁solution- ▁largest- ▁committed- ▁All- ▁thought- ▁partner- ▁goal- ▁government- ▁marketplace- ▁deals- ▁profitable- M- ▁sale- ▁discussion- ▁relatively- ▁delivered- ▁cloud- ▁shift- ▁clinical- ▁portion- P- ▁anticipated- ▁likely- ▁annual- ▁favorable- ▁savings- ▁chain- ▁public- ▁Well- ▁EBITDA- ▁provided- ation- ▁ways- ▁When- ▁respect- ▁consumers- ▁lead- GAAP- ▁prepared- ▁serve- ▁least- ▁bottom- ▁comment- ▁days- ▁highly- a- ▁underlying- ▁transformation- ▁delivery- ▁category- le- T- ▁develop- ▁moment- ▁flexibility- ▁combined- ▁Let- ▁gives- ▁experienced- ▁address- ▁orders- ▁dividend- ro- ▁First- ▁closing- able- ▁E- ▁season- ▁built- ▁haven- ▁majority- ▁C- ▁entire- ur- ▁Can- u- ▁slide- ▁quarterly- ▁design- ▁agreement- ▁expanding- ▁hope- ▁situation- ▁challenging- ▁step- D- ▁though- ▁efficient- ▁effective- ▁accelerate- ▁commitment- ▁generation- ▁upon- ▁initial- ▁generally- ▁answer- ▁home- ▁buy- ▁doesn- ▁required- ▁strategies- ▁play- ▁competitors- ▁currency- ▁During- ▁normal- ▁country- ▁critical- ▁provides- ▁everything- ▁region- ▁largely- ▁hand- ▁facilities- ▁active- ▁week- ▁competition- ▁loss- ▁pace- ▁enhance- ▁T- ▁profile- ▁bank- ▁extremely- ▁smaller- ▁behind- ▁patient- ▁weeks- ▁enough- ▁e- ▁property- ▁ourselves- ▁flat- ▁allows- ▁stable- ▁book- ▁relationship- ▁Please- ri- ▁following- ▁sector- ▁operate- E- ▁sustainable- ▁came- ▁ever- ▁planning- ▁reported- end- ▁fair- ▁categories- ▁am- ▁final- ▁includes- ▁happy- ▁away- ▁specifically- ▁software- B- ▁recovery- b- ▁assumptions- ▁unit- ▁internal- ▁effort- ▁reduced- ▁loans- ▁his- R- ▁running- ▁contribution- ▁transactions- ▁accounts- ▁reach- ▁ramp- ▁achieved- ▁rather- ▁life- O- ▁he- ▁enable- l- ar- ▁technologies- ▁wondering- ▁exactly- ▁account- ▁GAAP- ▁metrics- I- ▁follow- ▁offerings- ▁parts- ▁state- ▁above- A- L- K- ▁faster- ▁units- ▁makes- ▁applications- ▁appropriate- ▁added- ▁mobile- ▁gain- ▁decrease- ▁un- ▁won- ▁G- ▁efficiencies- ▁weather- th- ▁received- ▁10- ▁safety- ▁private- ▁reflects- ▁basically- ▁channels- ▁exciting- ▁estate- ion- ra- ▁directly- ▁seems- ▁changed- ▁discussions- ▁study- ▁partially- ▁consider- ▁industrial- over- ▁developing- ▁took- ▁insurance- ▁accounting- ▁outside- ▁field- ▁footprint- '1'- ity- ▁restructuring- ▁plant- ▁shareholder- ▁ratio- ▁statement- ▁P- ▁changing- ▁reasons- x- ▁center- ▁substantial- ▁Thanks- '2'- ▁joining- ▁capability- en- ▁January- ▁decisions- ▁traffic- ▁integrated- ▁mind- ▁expectation- ▁robust- ▁adding- ▁drivers- ▁win- ▁despite- ▁times- ▁purchase- ▁December- ▁enterprise- ▁tend- ▁creating- ▁healthy- ▁options- ▁gains- ▁processes- ▁platforms- ▁happening- ▁12- ▁managing- based- ▁disconnect- ▁therefore- ▁potentially- ▁forecast- ▁typically- ▁premium- ▁backlog- ▁community- ▁Just- ▁ultimately- ▁advertising- ▁speak- ▁executing- ▁primary- ▁driver- ▁understanding- ▁saying- ▁almost- ▁fund- ▁optimistic- ▁nature- ▁others- ▁exchange- ▁traditional- il- ▁s- ▁trade- ▁filings- ▁planned- ▁bringing- ▁security- ▁comfortable- ▁historical- ▁needed- ▁effectively- ▁goes- ▁found- ▁necessary- ▁D- ▁million- ▁ask- ▁highlights- ▁mid- ▁please- ▁putting- ▁excellent- ▁office- ▁2019- ▁labor- ▁stay- ▁visibility- ▁proud- ▁cases- ▁refer- ▁limited- ▁Asia- ▁countries- ▁disciplined- ▁liquidity- ▁natural- la- ▁losses- ▁else- ic- ▁encouraged- ▁standpoint- ▁de- ▁food- ▁targets- f- ▁bigger- ▁double- ▁funding- ▁comparable- ▁late- ▁launched- ▁recognize- ▁obligation- ▁June- ▁volatility- ▁difference- ▁September- it- ment- ▁extent- ▁March- ▁never- co- ▁remaining- ▁financing- ▁expanded- ▁response- i- ▁main- ▁maintenance- ▁How- ▁broader- ▁types- ▁land- ▁utilization- ▁regions- ▁members- ▁Do- ▁detailed- an- ▁completion- ▁fleet- ▁sold- ▁yield- ▁focusing- ▁broad- ▁Because- ▁fixed- ▁partnership- ▁meeting- ▁tremendous- ▁reducing- ▁operation- ▁intend- ▁path- ▁although- ▁ready- el- ▁approximately- ▁direction- F- ▁economy- ▁research- ▁acquired- li- ▁remainder- ▁dollars- ▁locations- ▁Turning- ▁test- ▁cover- ▁fees- ▁CapEx- ▁properties- ▁went- ▁reflected- ▁media- ▁highlight- ent- ▁9- ▁interesting- ▁below- ▁O- est- ▁finally- ▁allocation- ▁2015- ▁fuel- ▁7- k- ▁conversion- ▁biggest- ▁nice- ▁foundation- ▁fairly- ▁engagement- '4'- ▁takes- ▁tools- ▁individual- ▁highest- ▁Re- ▁successfully- ▁perhaps- ▁H- ▁phase- ▁closely- ▁hit- ▁present- ▁inflation- ▁pre- ▁summary- ▁stage- ▁Looking- ▁led- ▁requirements- ▁buying- ▁history- ▁increasingly- ▁opening- ▁Good- ▁water- ▁legacy- ▁necessarily- ▁Finally- ▁shows- ▁commodity- ▁reporting- ▁standard- ▁flows- ▁outstanding- ▁attention- ▁somewhat- ▁giving- ▁simply- ▁priority- V- ▁everybody- ▁strengthen- ▁goals- ▁news- ▁expecting- ▁talent- ▁force- ▁proposition- ▁mainly- ▁European- '3'- ▁trial- ▁exposure- ▁maintaining- ▁20- ▁expertise- ▁capture- ▁Some- ▁lease- ▁closed- ▁appreciate- ▁factor- ▁fall- ch- ▁steps- ▁regard- ization- ▁prospects- ▁itself- ▁paid- us- ▁shares- ▁component- ▁event- ▁innovative- ▁periods- ▁implementation- ▁drilling- ▁role- ▁gross- ▁dollar- ▁discipline- ▁franchise- ▁policy- ▁light- ▁Canada- ▁approval- ▁national- ▁8- ▁developed- ▁Although- ▁priorities- ▁testing- ▁yes- ▁live- ▁adoption- ry- ▁piece- ▁initiative- ▁funds- ▁historically- ter- ▁leader- ▁compensation- ▁treatment- ▁10-- ▁definitely- ate- ▁2017.- ▁Also- ▁October- ▁optimize- ▁April- ▁speed- ▁matter- ▁created- ▁co- ▁M- ▁realize- ul- ▁challenge- ne- ▁noted- ▁centers- ▁worked- ▁assume- ▁happened- ▁payments- rs- ▁true- ▁importantly- at- ▁produce- ▁perform- ▁foreign- ▁targeted- ▁actively- ▁culture- ▁operator- ▁context- ▁described- ▁analysis- ▁resulting- ▁domestic- ▁resulted- ▁N- ▁hold- ▁Given- ▁site- ▁presence- ▁aggressive- ▁application- ▁SEC- ▁medical- ▁comp- ▁No- ▁payment- ▁steady- et- ▁helping- ▁p- ▁conclude- ▁July- ive- lo- ▁remember- ▁read- ▁summer- ▁training- ▁generated- ▁designed- H- ▁nothing- ▁middle- ▁huge- ▁positions- ▁relates- ▁looks- ▁upside- ▁Are- ▁dynamics- ▁seasonal- ▁modest- ▁coverage- ▁participation- ▁players- ▁Brazil- ▁becoming- ▁idea- ▁evaluate- ▁retailers- te- ▁Day- ▁emerging- ▁R- ▁synergies- ▁South- ▁invested- ▁L- ▁safe- ▁among- ▁regional- ▁Additionally- ▁2018.- ▁trading- ▁push- ▁fee- ▁deposit- ▁heard- ▁implemented- ▁models- ▁measure- ▁dynamic- ▁leveraging- ▁pursue- ▁30- ▁materials- ▁May- ▁gone- ▁advanced- com- ▁road- ▁complex- ▁affected- ▁K- ▁relevant- ▁mortgage- ▁America- ▁impacts- ▁Over- ▁recognized- ▁schedule- ▁room- ▁variety- ▁managed- ▁reminder- ▁moved- ▁Securities- ▁reasonable- ▁providers- ol- ▁November- ▁story- ated- ▁Overall- ▁soon- ▁helpful- ▁adjustments- ▁otherwise- ▁Services- w- ▁action- ▁ones- ▁effects- ▁joint- ▁Second- ▁count- ▁enhanced- ▁compete- ▁developments- ▁objectives- ▁issued- ▁must- ▁budget- age- ▁generating- ▁demonstrate- ▁calls- ▁My- ▁reflecting- ▁face- ▁reductions- ▁closer- ▁special- ▁communities- ▁represents- ▁vision- ▁common- ▁February- ▁banking- ▁headwinds- ▁function- ▁source- ▁often- ▁banks- ▁firm- ▁decided- ▁performing- ▁absolutely- ▁easier- ▁charge- ▁California- ▁analytics- ▁began- ▁identified- ▁hear- ▁uncertainty- ▁fast- de- ▁happens- ▁technical- ▁looked- ▁extend- ▁undertake- ▁advance- ▁roll- ▁essentially- ▁affect- ▁York- ▁table- ▁recognition- ▁interested- ▁deep- ▁turning- ▁investor- ▁slow- ▁represent- ▁finance- ▁users- ▁identify- ally- ▁c- ▁cannot- ▁sites- ▁pick- ▁bookings- ▁car- ▁stated- ▁outcomes- ▁established- ▁form- ta- ▁helped- ▁underwriting- ▁easy- ▁require- ▁estimate- ▁division- ▁consolidation- ▁maximize- ▁paying- ▁consistently- ▁components- ▁partnerships- ▁left- ant- ▁compelling- ▁Commission- ▁excess- ▁conservative- ▁spot- ▁provider- ▁touch- out- ▁independent- ▁figure- ▁predict- ▁agreements- ▁aware- ▁drug- ▁operators- ▁penetration- ▁allowed- ▁Mexico- ▁W- ▁Moving- ▁capitalize- ▁fit- ▁wins- ▁engineering- ▁thoughts- as- ▁projections- ▁shown- Q- ▁indicated- ▁achieving- N- ▁raw- ▁presented- ▁learning- ig- ating- ▁rapidly- ▁brought- ▁toward- ▁game- ▁East- ▁deploy- ▁'17- ▁reform- ▁ground- ▁demonstrated- ▁video- ▁folks- ▁outcome- ▁tough- ▁August- ▁occur- ▁differentiated- ▁encouraging- ▁drop- U- ▁supported- ▁recorded- ▁problem- ▁plants- ▁sequential- ▁degree- ▁filed- ▁receive- ▁deployment- ▁grew- ▁frankly- ▁section- ▁finding- digit- ▁considered- ▁option- ▁seasonality- ▁showing- ▁accelerated- ▁multi- h- ▁From- na- ▁federal- ▁devices- ▁law- ▁West- ▁substantially- ▁remained- ▁quick- ies- ▁concludes- ▁objective- ▁senior- ▁suppliers- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁holiday- ▁positioning- ▁Form- ▁curious- ▁realized- ▁elements- se- ▁retention- X- ▁estimates- ▁Those- ia- ▁staff- ▁Group- ▁involved- ▁dedicated- ▁walk- ▁securities- ▁benefited- ▁contributed- ▁18- ▁professional- ▁promotional- ▁felt- ge- ▁wells- ▁consolidated- ▁post- ▁supporting- ▁license- ▁comprehensive- ▁leaders- ▁shared- ▁involve- ▁Today- ▁legal- time- ▁rental- ▁He- ▁claims- ▁contribute- ▁leasing- ▁specialty- ▁subscription- id- ▁feedback- ▁Chinese- ▁truly- ▁pass- ▁taxes- ize- ▁rent- ▁reconciliation- ▁Exchange- ▁excellence- ▁correct- ▁residential- ▁stuff- ▁original- ▁traction- ac- ▁nearly- ▁John- ▁signed- ness- ▁raise- ine- line- ▁Mike- ▁projected- ▁wholesale- ▁deposits- ▁aggressively- ▁external- ▁population- ▁merger- ▁cross- ▁themselves- ▁spread- ▁proven- ▁India- ▁whatever- ▁allowing- ▁pull- ▁availability- ▁stand- ▁automotive- ▁Again- ▁lending- ▁gave- ▁implement- ▁macro- ad- ▁2016,- ▁economics- ▁By- ru- ▁Page- ▁digits- ▁15- ▁name- ▁announcement- ▁social- ▁vehicle- ▁V- ▁card- ▁commentary- ▁holding- ▁afternoon- ▁declines- ▁recurring- ▁location- ▁stages- ▁updated- ▁'18- ▁studies- ▁processing- ▁respond- ▁geographic- ▁seem- ▁held- ▁conversations- ▁optimization- ▁Texas- ▁deferred- ▁Co- ce- ▁Of- ▁creation- ▁features- ▁acquire- ▁speaking- ▁list- ▁user- ▁engaged- ting- ▁picture- ▁known- ▁page- ▁adjust- ▁Obviously- ▁explain- ▁collaboration- ▁mostly- ▁transportation- ▁welcome- ▁posted- market- ▁chart- ▁enter- ▁journey- ▁completely- ▁overview- ▁internally- ▁strengthening- ke- ▁choice- um- ▁efficiently- ▁constant- ▁fundamentals- ▁practices- ▁wide- ck- ▁IT- ▁gentlemen- ▁called- ▁mention- ▁venture- ▁lost- ▁con- ▁participating- ▁indication- ▁accelerating- ▁secure- ▁shipments- va- ▁personal- related- ▁contain- ▁states- ▁slower- ▁sources- ▁manner- ▁performed- ▁keeping- ▁dividends- ▁minutes- ▁expressed- ▁auto- ▁curve- ▁recall- ▁helps- ▁sometimes- ▁worth- ▁calendar- ▁After- ▁frame- ▁globally- ▁alternative- ma- ▁evaluating- ▁smart- ▁superior- ▁valuable- ▁signs- ▁b- ▁announce- ▁st- ure- ▁strongly- ▁peers- ▁gets- ▁Financial- ton- ▁introduced- ▁launches- ▁awareness- is- ▁resource- ▁storage- ▁housing- ▁comparison- ▁compliance- ▁hopefully- ▁De- ▁Investor- ▁knowledge- ▁however- ▁monitor- ▁encourage- ▁upcoming- ▁extended- ca- ▁contained- ▁evolve- ▁brief- ▁slides- ▁commitments- ▁forth- ▁parties- ▁element- ▁engage- ▁sharing- ▁pursuing- ▁pressures- ▁old- W- ▁wait- ▁break- ▁evidence- ▁prudent- z- ▁peak- ▁provision- ▁t- ▁proceeds- ▁acceleration- ▁plus- ▁standards- ▁inside- ▁meaning- ▁contributions- ▁Could- ▁'19- ▁disease- ▁evolution- ▁charges- ▁Management- ▁broadly- ▁'16- ▁participate- ▁vehicles- ▁American- ▁stability- commerce- ▁carry- ▁2019.- ▁offers- ▁thanks- ▁exit- ▁willing- ▁Based- vi- ▁highlighted- ▁diversified- ▁considering- ▁ended- ▁opposed- pe- ▁Any- ▁medium- ▁asked- ▁balanced- ▁pro- ▁profits- ▁shipping- ▁concluded- ▁implementing- ance- v- ▁setting- ▁executed- ▁bad- ▁enhancing- ▁circumstances- ▁separate- go- ▁Since- ▁J- ▁geographies- ▁sign- ▁device- ▁attract- ▁reserve- ▁shape- ▁discussing- ex- ▁becomes- ▁places- ▁shopping- ▁simple- ▁item- ▁targeting- ▁renewal- ▁vertical- ▁publicly- ▁works- ▁financials- ▁concerned- ▁exceptional- ▁conclusion- ▁seek- ▁protect- ▁rising- ▁roughly- ▁landscape- ▁words- ized- ▁slight- ▁matters- ▁weakness- ▁enables- ▁aspects- ▁managers- ▁insight- ▁integrate- ▁An- ▁mission- ▁settlement- ▁valuation- ▁industries- ▁Steve- di- per- ▁mining- ▁reports- ▁trust- ▁automation- ▁approved- ▁ownership- ▁winter- ▁heavy- ▁fundamental- ▁Most- ▁aircraft- ▁Then- ▁recover- 'off'- ▁structural- ▁behavior- ▁leave- ▁chance- ▁aligned- ▁negatively- lu- ▁mine- ▁physicians- ▁Ma- ▁assuming- ▁winning- ▁reserves- ▁tool- ▁evolving- ▁enabling- ▁wind- ▁starts- ▁Energy- ▁drove- ▁Despite- ▁Australia- ▁begun- un- ▁physical- ▁campaign- ▁travel- izing- ▁variable- ▁rise- log- uch- ▁engine- ▁opened- ▁importance- ▁hospital- ho- ▁Mark- ▁family- ▁continuous- ▁Internet- ▁typical- ▁Germany- ▁practice- ▁trajectory- ▁Act- con- ▁mature- ▁organizations- ▁mitigate- ▁lack- ▁sit- ▁rig- ▁learn- ling- ▁spring- ▁rolling- ▁cautious- ▁reality- ▁employee- ▁label- ▁deeper- ▁Florida- ▁examples- ▁rigs- am- ▁strategically- po- ▁adjustment- ▁app- ▁10%- ▁Solutions- ▁implied- ▁two- ▁inventories- ▁connected- ▁ship- tra- ▁consecutive- ▁loyalty- ▁50- ▁love- ▁sustained- ▁movement- ▁floor- ▁sounds- ary- ▁caused- im- ▁opportunistic- ▁weak- ▁views- ▁yields- ▁Latin- ▁subsequent- ▁utility- ▁commission- ▁determine- ▁steel- ▁pieces- ▁flexible- ▁assortment- ▁search- ▁fashion- ▁enabled- ted- ▁replacement- ▁delay- ▁hearing- ▁groups- ▁agencies- ▁Both- ▁sufficient- ▁underway- ist- ▁reached- ▁cut- ▁rapid- ▁utilize- ▁owners- ▁David- ▁occupancy- ▁her- ▁impacting- ▁extra- ▁ex- ▁heavily- ▁protection- ▁outlined- ▁Ca- ▁compare- do- ▁incentive- be- ▁experiencing- ▁vast- ▁excluding- ▁diversification- ▁absolute- tion- ▁stakeholders- ▁leases- ▁restaurant- ▁export- ▁thus- ▁gotten- ▁therapy- mi- land- ▁Al- ▁retain- ▁clarity- ▁replay- ▁Last- ▁North- ▁regards- ▁networks- ▁International- ▁disruption- ▁Bank- ▁reimbursement- ▁dramatically- ▁repurchase- ▁2020- ▁Con- ▁f- ▁latest- ▁finish- ▁consideration- ▁logistics- ▁yesterday- ▁watch- 'no'- ▁sectors- ▁updates- ie- ▁consumption- ▁discount- ▁asking- ▁weaker- ▁she- ▁machine- ▁entered- ▁depend- store- ▁figures- ▁guide- ▁Sure- ▁trials- ▁upgrade- ▁Ladies- ▁soft- ▁met- ▁align- ▁Capital- ▁restaurants- ▁depreciation- ▁brings- ▁provisions- ▁problems- ▁exceeded- ▁choose- ▁wish- ▁Pro- ▁assessment- ▁Actual- ▁City- ba- ▁usage- ▁cycles- ▁daily- ▁introduce- ▁apply- ▁imagine- ▁package- ▁carefully- ▁Middle- ▁reference- ▁declined- ▁hiring- ▁depends- ▁class- ▁guests- ▁occurred- ish- quality- ▁proportion- ▁producing- man- ▁contributing- ▁expenditures- ir- ▁framework- tic- ▁productive- ▁Z- ▁Coast- ▁agency- sh- ▁returning- ▁downturn- ▁attributable- ▁Western- ▁freight- ▁sub- ▁insights- ▁gap- ▁Another- ▁unless- ▁St- ▁i- ▁convert- ▁temporary- ▁11- ▁clean- ▁aren- ▁collection- ▁gaining- ▁hotel- ▁Have- ▁connect- ▁immediately- ▁fill- ▁series- ▁originally- ▁stream- ▁scope- ▁lots- ▁requires- ▁sequentially- ▁grown- ▁complexity- ▁ensuring- ▁repeat- ▁bid- ▁handle- ▁powerful- ▁introduction- ▁serving- and- ti- op- ▁values- way- ni- ▁concept- ▁communication- ▁usually- ▁condition- ▁launching- ▁rules- ▁experiences- ▁connection- ty- ▁metric- ▁supplier- ▁X- ▁diverse- ▁education- ▁shortly- ▁advantages- ▁exceed- ▁Africa- ▁Mo- ▁cancer- ▁purpose- ▁webcast- ▁Tom- ▁et- ▁attending- ▁followed- ▁political- ▁Chief- ▁cap- ▁human- ▁Officer- ▁paper- ▁bar- ▁concern- ▁distributors- ▁Not- Y- ▁usual- ▁ecosystem- ▁coupled- ▁emphasize- ▁strongest- ▁coal- ▁learned- ▁laid- ▁reliability- ▁revise- ▁elevated- ▁leads- ▁busy- ▁transfer- ▁amounts- ▁satisfaction- ▁briefly- ▁monitoring- ▁optimizing- ▁alternatives- ▁Next- he- ▁Jim- ▁manufacturers- ▁Even- ▁carriers- ▁environmental- ▁numerous- ▁suggest- ▁Business- ▁message- ▁dis- ▁addressing- ▁tenants- ▁duration- ▁scheduled- ▁fewer- ▁proprietary- ▁produced- class- ▁20%- ▁transform- ▁earn- ▁executive- ▁Health- ▁initially- ▁caution- ▁decide- ▁harbor- ▁check- ence- ▁intention- ning- ical- ▁extensive- ▁waiting- ▁indications- '5'- ▁installed- ▁vendors- ▁file- me- ▁pension- ▁Great- ▁exercise- ▁merchandise- io- ▁differences- ▁facing- ▁feeling- ▁phone- ▁central- ▁pilot- ▁hardware- ▁minimum- ▁Hav- ▁dealers- ▁decade- ▁except- ▁reiterate- ▁hours- ▁tariffs- ▁associates- ▁deployed- ▁dependent- ▁him- ▁institutional- ▁draw- ▁decreased- ▁moderate- ▁positively- vo- ▁milestones- ▁showed- ▁declining- ▁dedication- ▁act- ▁careful- ▁creates- ▁agents- ▁intended- ▁Chris- ens- ▁input- ▁regular- ▁President- ▁ramping- ▁100- ous- ▁Global- ▁5%- ▁hotels- ▁emphasis- party- ▁Other- ▁buyers- ▁supplemental- ▁secured- ▁magnitude- ▁competitor- ▁cetera- ▁immediate- ▁hospitals- ▁contact- ▁More- ▁balances- ▁cars- ▁normalized- ▁told- ▁pool- ▁adapt- ite- ▁personnel- ▁accretive- ▁constantly- ▁audience- ▁concerns- ng- ▁assess- ▁covered- ▁policies- bo- ▁homes- ▁enhancements- ▁negotiations- ▁delays- ▁mo- ability- ab- ok- ▁electric- ▁bought- ▁nicely- ▁sound- ▁lowest- ▁differentiate- ▁confirm- ▁progressing- ▁match- ut- ▁administration- ▁Many- ▁normally- ▁Power- ▁tight- ▁somebody- ▁quantify- os- ▁extension- ▁conversation- ▁stop- ▁France- ▁moves- ▁length- ▁turnaround- ▁prove- ▁packaging- ▁deliveries- ▁playing- ▁awards- ▁shifting- ▁wireless- ▁shop- ▁establish- ▁purchasing- ▁okay- ▁maintained- ▁demonstrates- ▁useful- of- ▁agree- ber- ▁incredibly- ▁benefiting- ▁v- ▁aspect- ▁lift- ▁Therefore- ▁instead- ▁intelligence- ct- ▁volatile- ▁liability- ▁player- ▁released- ▁expensive- ▁tracking- ▁delayed- ot- ▁purchases- ▁organizational- ▁headwind- ▁Ar- ▁placed- ▁defined- ▁assumption- ▁lives- ▁fiber- ▁fresh- ▁amortization- ▁desire- ring- ▁Pu- ▁hoping- ▁science- ▁enrollment- ▁finished- ▁possibility- ▁topic- ▁relating- ▁map- ▁describe- ▁possibly- ▁select- ors- ▁Life- ▁status- ▁influence- one- ▁turned- ▁students- ci- date- ▁functions- ▁En- ▁40- ▁Pacific- ▁tried- ▁migration- ▁solve- back- ▁communications- bi- ▁50%- ▁house- ▁Ro- ▁display- ▁tied- ▁Third- ▁breadth- ▁appear- by- ▁determined- ▁Be- ▁slowdown- ▁evaluation- ▁crude- ▁Consumer- ▁licensing- '00'- ▁plays- ▁avoid- ▁scenario- ▁person- ▁preferred- ▁Once- ver- ▁replace- ▁13- ▁sourcing- ag- ▁organically- ▁depth- ▁embedded- ▁explore- ▁completing- ▁sustain- ▁surprised- ▁Right- ▁Home- ▁Going- ▁milestone- ▁updating- ▁rolled- ▁spreads- ▁box- ▁promotions- ▁heart- ▁unusual- ▁indicators- ▁responsible- ▁incurred- ▁integrating- ▁pushing- quarter- ▁belief- ▁Ex- ▁divisions- ▁opinion- mb- ▁dealing- ▁intent- ▁differently- ▁impressive- ▁bulk- ▁filing- ▁age- ▁Americas- ▁exploration- ▁branch- ▁comps- ▁criteria- ▁lose- ▁lag- ▁air- ▁drag- ▁La- ▁Maybe- ▁concerning- ▁basic- om- ▁truck- ▁aggregate- ▁exact- ▁accomplished- leading- ian- ▁Mi- ▁regulations- ▁patterns- ▁contributor- ▁drill- ▁hedge- ▁gold- ▁Houston- nt- ▁percent- ▁comparisons- ▁split- ▁pattern- port- ▁wage- ▁seeking- ▁Se- ▁po- ris- ide- ▁weighted- ▁spectrum- ▁FX- ▁unchanged- ▁aim- nd- ial- ▁head- ▁churn- ▁unfavorable- ▁dose- ▁ideas- ▁eye- ▁overhead- ▁combine- ▁puts- ▁creative- ▁via- ▁disclosure- ▁member- ▁purposes- ▁join- ▁suite- ▁participants- ▁stress- her- ▁appears- ▁Jeff- ▁estimated- ▁transparency- ▁reliable- ▁promise- ▁guest- ▁acquiring- ▁institutions- ▁14- em- ▁analysts- ▁accomplish- ▁exist- ▁selective- ▁offshore- ▁partly- ▁summarize- ▁sand- ▁Vi- ▁entering- ▁resolution- ▁minimal- ▁Le- ▁located- ▁Ba- ▁easily- ▁softness- ▁monthly- ▁verticals- ▁Commercial- fi- ▁plenty- ▁impairment- ▁FDA- ▁revised- ▁jobs- ▁CEO- ▁functionality- ▁disclosed- ▁Lo- ▁d- ▁raising- ▁sustainability- ▁someone- ▁entirely- ▁Importantly- ▁enjoy- CO- ▁sets- ▁written- ▁complement- ▁Phase- ▁Industrial- ▁portfolios- ga- ▁newer- ging- ▁considerable- ▁diversity- ▁bill- ▁minute- ▁fine- ▁rating- ▁prepare- ▁lean- ▁ad- ▁drives- ▁stabilize- ▁eventually- ▁save- ▁producers- ▁effectiveness- gen- ▁self- ▁realization- ue- ▁regulators- ▁colleagues- ▁administrative- ▁maturity- ▁Air- ▁doubt- ▁introducing- ▁assist- house- ▁block- ▁mass- ph- less- ▁tenant- ▁solar- ▁rollout- ▁newly- ▁laws- ▁notice- ▁supplement- ping- iv- ▁capable- ▁w- ▁frequency- load- ▁train- ▁acreage- ▁architecture- ub- ▁Bill- net- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁diversify- ▁talented- ▁knew- ▁published- ▁rule- ▁election- ▁consulting- ▁proposed- ▁repair- ▁according- ▁globe- ▁thousands- ▁retailer- ▁refinancing- ▁exclude- ▁approvals- ▁owned- ▁seasonally- ▁appeal- pi- ▁3%- ▁dramatic- ▁write- ▁communicate- the- ▁deploying- ▁kinds- ▁Private- ▁reviewing- ▁structures- ▁exception- ▁modeling- ▁older- ▁Amazon- ▁incredible- od- ▁anybody- ▁60- ▁rail- ▁promotion- ▁servicing- ▁wonderful- ▁indicator- ▁Following- ▁TV- ▁Investors- ▁feature- ▁spoke- ▁Scott- day- ▁treat- hi- ▁connectivity- through- act- ile- ▁dialogue- ▁concentration- ▁Me- ▁Michael- ▁demonstrating- ▁entry- ▁levers- ▁reflection- ▁EPS- ▁Li- ▁legislation- ▁accordance- ▁backdrop- ▁latter- ▁differentiation- ▁damage- ron- ▁preparing- ▁super- 0,000- ▁upper- fa- ▁engaging- ▁2%- ▁skills- ▁retirement- ▁translate- ▁g- ▁limit- ▁hybrid- ▁litigation- ▁headcount- ▁meaningfully- ▁candidates- ▁Permian- ▁utilizing- ▁16- ▁0- ▁streams- ▁continuously- ▁utilities- ▁National- ction- ▁respective- ▁facilitate- ▁massive- ▁referring- ec- ▁Revenue- ▁formal- ▁vessels- ▁measured- ▁catch- ▁buildings- lic- ▁Got- ▁Retail- ▁city- ▁react- ▁load- ▁Gulf- ▁Bob- ▁Dave- ▁ratios- ▁menu- ▁appropriately- ▁procedures- ▁hands- ▁books- ▁competing- ▁physician- ▁greatest- ▁worse- ▁window- ▁department- ▁equal- ▁dealer- ▁applied- ▁cell- ▁Sa- ▁adjusting- ▁millions- ▁documents- ▁communicated- ▁movements- ▁installation- ow- ▁bear- ▁factory- ▁branches- ▁mark- ▁distributor- ier- ▁offsetting- ▁origination- ▁reaching- ▁selected- ▁defense- ▁procurement- ▁cities- ▁di- ▁uptick- ▁Care- ▁merchandising- ▁regulation- ▁vary- ▁purchased- ▁fantastic- ▁synergy- ▁fire- ▁Central- ▁incentives- ▁transmission- ions- ▁perfect- ▁beliefs- ▁selection- ▁visit- ▁challenged- ▁became- ▁generic- ha- ▁modestly- ▁Products- ▁hundreds- ▁round- sis- ▁heading- ▁games- ip- ▁proactive- ▁reinsurance- ▁offices- ▁payers- ▁receiving- ▁specifics- ward- ▁4%- ▁advertisers- ▁ticket- ▁workforce- ▁Forward- ▁adverse- ▁mode- che- ▁promising- ▁dry- mer- ▁relate- ard- ▁Where- ▁fundamentally- ▁IP- ▁extraordinary- ▁award- ▁te- ▁faced- ▁listening- ▁vendor- ▁liabilities- ▁upward- ▁harder- ▁Bo- ▁strengthened- ▁Dan- ▁exclusive- ▁innovations- ▁elaborate- ative- pa- ▁stack- ran- ▁repurchases- ▁achievements- ▁claim- ▁succeed- ▁Medicare- ▁wrong- ▁Regarding- ▁switch- ful- ▁door- 1,- ▁1,- ▁bunch- ▁living- ▁voice- ▁feed- ▁night- ▁version- ▁li- ▁campaigns- ▁h- ▁surprise- ▁en- ▁continually- ▁fix- ▁accurate- ▁90- ▁inter- ice- ▁se- cost- ▁jump- ▁terrific- ▁metal- ▁crop- ▁regardless- ▁Operating- ▁edge- ▁initiated- ▁disposal- ▁responsibility- ▁served- ▁ultimate- ▁predictable- ▁mill- ▁extending- ▁promote- ▁cadence- ▁wave- ▁San- ▁navigate- ▁explained- ▁raised- ▁notable- ib- ▁definition- ▁receivables- ▁Paul- ▁broaden- ▁Ra- ▁Service- ▁offered- ger- ▁format- ▁print- ▁sports- ▁index- ▁uniquely- ▁assurance- ▁behalf- ▁ma- ▁tests- ▁bo- ▁lenders- ▁Joe- ▁upfront- ap- ities- ▁grade- ▁entertainment- ▁manager- ▁square- ▁Part- ▁secondly- ▁beneficial- ▁hedging- ▁bridge- fin- ▁Further- ▁rebound- ▁broadcast- ▁collections- ▁advancing- ▁warehouse- ▁innovate- ▁rents- ▁professionals- ▁essential- ▁joined- ▁sophisticated- ix- ny- ▁indeed- ▁worldwide- ▁women- ▁request- ▁goods- ▁Di- ▁thoughtful- ▁carrier- ▁bond- ▁Brian- ▁inform- ▁anticipating- ▁pain- ▁funded- ▁satisfied- ▁court- ▁Am- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁guarantees- ▁consistency- ▁secondary- ▁agenda- ▁compression- ▁indicate- driven- ▁continuation- lin- ▁Car- '8'- ▁link- ▁facts- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁prefer- ▁meetings- ▁announcements- ▁wrap- ster- ▁strengths- ▁preliminary- ▁Northern- ▁fruit- ▁lastly- ▁realizing- ▁anyone- ▁affecting- ▁Like- ▁Systems- ify- down- ▁efficacy- ▁eliminate- ▁pending- ▁occurring- fe- ▁Through- ▁Factors- ▁boost- ▁screen- ▁telling- ▁gaming- ▁modern- ▁firms- ▁excitement- ▁30%- ▁beverage- ▁electronic- ▁preparation- ▁Each- month- ▁allowance- ▁pushed- ▁equation- ▁listen- ▁Additional- ▁constraints- ▁conjunction- ▁severe- ▁characteristics- ▁Mar- ▁London- ▁somewhere- ak- ▁credits- ▁identifying- ▁earning- ▁watching- ▁EBIT- ▁translation- ▁signal- ▁agent- ▁favor- SA- ▁Tim- ▁collect- ▁15%- ▁picking- '7'- ▁analyze- ▁optimal- ▁advisers- ▁hopeful- ▁clarify- ▁diligently- ▁obvious- ▁alignment- ▁individuals- ▁anywhere- ▁noise- ▁evident- ▁renewals- ▁staffing- wide- ▁agreed- ▁optimism- ▁constitute- ▁reputation- ack- ▁permanent- ▁party- ium- ▁requirement- ▁acceptance- ▁fluctuations- ▁attack- ▁reverse- ▁slowing- ▁distributed- ▁contracted- ▁hire- ▁contains- ▁World- ▁1%- ▁sellers- ▁onetime- ▁waste- ▁enormous- ▁6%- ▁Does- ▁controls- ▁affordable- ▁signing- 4,- ▁define- ▁uses- ▁principles- generation- ▁aftermarket- ▁calculation- ▁complicated- ▁families- ▁trucks- ▁word- ▁branded- ▁comfort- ▁drugs- ▁disclose- ▁Plan- ▁represented- ▁background- ▁19- ▁competitiveness- ▁rely- king- ▁transparent- ▁Growth- ▁Matt- ▁alone- rate- AR- ▁stabilized- ▁currencies- ▁instance- ▁equally- ▁Street- ▁patent- RA- ▁exceeding- ▁nor- ▁feet- ▁variability- ▁benchmark- ▁unlock- ▁cable- ▁virtually- ▁Rob- ▁task- ▁accomplishments- ▁17- ▁assumes- ▁consolidate- ▁appetite- ▁relation- ▁refine- pro- ▁shorter- ▁maximizing- ▁philosophy- ▁situations- ▁harvest- ▁unknown- ▁fulfill- ▁reset- work- ▁shut- ▁qualified- ified- ▁Center- ▁Board- ▁smooth- ▁simplify- use- ▁satellite- ight- ▁midpoint- ▁shifts- ▁guarantee- ▁buyer- ▁decades- ▁openings- ped- ▁gained- les- ▁linked- ▁deck- ▁internationally- ▁former- ▁mixed- ▁corresponding- hand- ER- ▁renewed- ▁Sha- qui- ▁cards- ft- ▁Ad- J- ▁familiar- ▁green- ▁destination- ▁reconciliations- ▁OpEx- ▁complementary- ▁tech- ▁interim- ▁custom- ric- ▁Te- ▁renewable- ▁Korea- ▁classes- ▁Would- ▁upgrades- ▁allocate- ▁owner- ▁structured- ▁pickup- ▁gradually- ▁exploring- den- ▁passed- ▁fortunate- ▁releases- ▁Ta- ▁OEM- ▁proceed- ▁booking- ▁closure- ▁addressed- ▁prevent- ▁pure- ▁recruiting- ▁method- margin- ▁burn- ▁prospective- ▁horizon- ▁addressable- ▁prime- ▁Mr- ▁contractual- ▁audit- ▁Digital- ▁reliance- ▁bidding- ▁inherent- ▁IR- ▁reaction- ▁representing- ▁Fed- ▁entity- ▁tangible- ▁Basin- ▁appreciation- ▁24- ▁personally- ten- ▁obligations- ▁Kevin- side- ▁bio- ▁Here- ▁Ho- ▁awarded- ▁staying- ▁200- ▁disclaim- ▁burden- ▁stabilization- ▁liquid- ▁straight- ▁macroeconomic- ▁progression- 2,- dy- ▁pipe- ▁none- ▁copy- ▁Risk- ▁picked- ▁franchisees- ▁guided- ▁neutral- ▁3-- tle- ▁supports- ▁inflection- ▁forecasting- ▁counter- ▁ch- ▁cold- ▁Net- ▁surface- ner- ▁softer- ▁notes- ▁partnering- ▁experts- ▁measurement- que- ▁television- ▁environments- ▁student- ▁reasonably- ea- ▁afford- ▁funnel- ▁Comp- ▁priced- ▁mechanism- ▁OEMs- ▁timely- ▁career- cel- ▁booked- ay- ▁advisory- ▁session- ▁accepted- ▁sentiment- ▁constructive- ▁sensitive- ▁choices- ▁proceeding- ible- ▁catalyst- ▁hot- ▁proactively- ▁downward- ▁adjacent- MA- ▁Pe- ▁converting- ▁Sp- ▁amazing- ee- ▁Trans- ▁auction- '9'- ▁reinvest- ▁express- ▁testament- ▁Clearly- ▁sp- ▁earned- ▁firmly- ▁language- if- ▁incorporate- ▁Secondly- ▁survey- ▁Russia- ▁lock- ▁accordingly- ▁bright- ▁8%- ▁Op- ▁grid- ▁arise- ▁subscribers- ▁Market- 3,- ▁2014- ▁diligence- ▁referred- ▁operated- ▁25- cent- ▁electronics- ▁Within- ▁onto- ▁budgets- ▁diagnostic- added- ▁reps- ▁II- IC- ▁proposal- ▁wider- ▁financially- ▁therapeutic- ▁healthcare- ▁rights- ▁trending- ▁hurricanes- ▁lowering- ▁royalty- ▁barrels- ▁terminal- ▁consequence- forward- offs- ▁Data- ▁weight- ase- ▁Ne- ▁supportive- ▁shifted- ▁math- ▁acknowledge- ▁Reform- ▁virtual- ▁school- ▁indicative- ▁totally- ▁returned- ▁premiums- ▁buyback- ▁pointed- ▁Eastern- ▁marked- ▁FY- gi- ▁n- led- ▁frac- ▁web- ▁fronts- ▁achievement- level- ▁cyclical- ▁monetize- ▁Pa- ▁engines- ▁applicable- ▁understood- ably- ▁interact- ▁cutting- ology- ▁attempt- ▁registration- ▁treated- ▁AR- ▁sight- ▁flavor- ▁steadily- ▁greatly- '4.'- ▁anticipation- ▁developers- ▁properly- Z- ▁Ha- ▁accept- ▁standing- ld- ▁committee- ▁shelf- ▁concentrated- ▁capturing- ▁recycling- ▁additions- ▁lay- ▁State- low- ▁storm- ▁designs- ▁Was- ▁kick- ▁commissions- ▁memory- ▁Lastly- ▁stick- ▁serious- ▁noncash- ▁REIT- ▁40%- wa- ▁entities- ▁urban- ▁Po- ▁programming- ▁implications- du- ▁visible- ▁refining- ▁composition- ▁clinic- ▁meant- board- ▁Work- ▁letter- ▁host- ▁swing- ▁answers- IN- ▁Pre- ▁nuclear- ▁resolved- ▁IoT- ▁bonds- ▁Na- '1.'- ▁announcing- ▁equivalent- ade- ification- mission- for- ▁1.- ▁Spain- fer- ▁Greg- ▁historic- ▁Ga- ▁wonder- ▁kept- ▁repositioning- ▁economies- ▁Italy- ▁transactional- ▁literally- ▁Tri- ▁hired- ▁layer- ▁Brexit- ▁pack- yn- ▁formula- Co- '6'- ▁certainty- ▁resilient- ▁discontinued- ▁turnover- ▁functional- ▁messaging- ory- ▁Investment- '0'- ▁import- ▁Sea- ▁artificial- ▁discovery- ▁sh- ▁authorities- ▁assure- ▁commodities- ▁prioritize- ever- ▁establishing- ▁tariff- CE- ▁traditionally- ▁adds- ▁losing- ▁territories- ▁yourself- ▁theme- ▁radio- ▁laser- ▁enterprises- ▁adopted- ▁employment- ▁pound- ▁pharmaceutical- ▁calling- ▁sorry- ▁indirect- ▁Excluding- ▁separation- ▁bullish- ▁evidenced- ▁redevelopment- ▁gathering- ▁tie- ▁strive- ▁Technology- ▁payroll- ▁'18,- ▁attracting- ▁Markets- av- ▁foot- ▁Washington- ▁slowed- ▁quicker- ▁reflective- ▁predominantly- ▁row- ▁micro- ▁technological- ▁amongst- ▁Conference- ▁parent- ▁sc- grade- ▁responding- ▁differential- ▁decent- ▁disclosures- IS- ▁Department- ▁attrition- ▁pause- ▁membership- ons- ▁fits- ▁persist- ▁Litigation- ▁assumed- ▁notably- ▁cells- ins- ▁absorb- ▁materialize- ▁personalized- ▁regulated- ▁outperform- ▁cautionary- ▁handful- ▁wants- ▁Carolina- ▁closures- ▁ranges- ▁Under- ▁seamless- ▁poor- ▁naturally- ned- ▁7%- ▁adequate- ▁scheme- ▁ease- ▁highlighting- ▁sizable- ▁General- ▁arrangements- ▁chosen- ▁lever- ▁meantime- ▁carried- ▁hitting- ▁referenced- ▁database- ▁Mer- ▁j- ▁spin- ▁Corporate- ▁balancing- scale- ▁payout- ▁broadband- ▁swap- ▁vote- ▁Water- vent- ▁characterize- ▁issuance- ▁Bar- ▁military- ▁Furthermore- ▁AI- ▁receivable- ▁Enterprise- ▁controlling- ▁endpoint- da- light- ▁intellectual- ▁alluded- ▁streamline- ▁carbon- ▁compound- ▁knowing- ▁machines- ▁reinforce- ▁sizes- ▁prospect- ▁conducted- ▁Year- ▁transforming- vis- win- ▁Should- ▁rep- ship- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁Cha- ▁capitalized- ▁lumpy- ps- amp- ▁transport- ▁absorption- ▁semiconductor- ▁originations- ▁Don- gra- value- ▁audio- ▁contracting- ▁tender- ▁adopt- ▁install- und- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁pulling- ▁'15- ▁LNG- ▁People- ▁overcome- ▁Total- ▁deployments- ▁shipment- ▁principal- ▁convinced- ▁El- ▁scalable- ▁Ken- ▁sooner- ▁Hong- ▁learnings- '2.'- ▁bump- selling- ▁AS- ▁intensity- ists- ▁Medical- ▁Go- ▁merchant- ▁manufacturer- ▁copper- ▁takeaway- ▁disappointed- ▁Kong- der- ▁judgment- ism- ▁carrying- ▁CA- xi- gan- ▁penetrate- ▁validation- ▁Network- ▁billing- ▁repayment- ▁played- ▁transitioning- ▁description- ▁maximum- ▁o- ▁output- ▁automated- ▁remove- ▁imp- ▁'17.- service- ▁image- ▁methodology- ▁household- ▁conduct- ▁ho- ▁Cor- ▁ratings- ▁Chicago- ▁contractors- ▁tire- ▁Media- ▁presenting- ▁spite- ▁licenses- ▁territory- ▁Argentina- ▁Start- top- ▁route- ator- ▁Performance- ▁CFO- tor- ▁principally- ▁amendment- ▁apparel- ▁elsewhere- ▁foreseeable- ▁listed- ▁speaks- ▁observed- ▁code- lay- ▁undu- ▁Information- ▁men- ▁port- single- ▁aerospace- ▁successes- ▁scaling- 'ON'- ▁cohort- ▁recap- ▁tri- ▁three- ▁approaches- ▁quote- ▁pharma- ▁throughput- ▁ordering- ▁smartphone- ▁correctly- ▁ran- ▁governance- ▁Cloud- ▁sharp- ▁sensitivity- ▁therapies- ▁fluid- ency- ▁Delaware- ▁Google- ▁Why- ▁resolve- ▁minor- ▁introductions- ▁narrow- lan- ▁hurricane- cor- ▁Hurricane- ▁borrowing- than- ai- ▁lifetime- ▁Ru- ▁inflationary- ▁covering- ▁applying- ▁disruptive- ▁electricity- ▁profitably- ▁basin- ▁beat- ka- ▁noticed- ▁intense- ▁emerge- ▁subscriber- ▁investigation- ▁Vice- ▁scientific- ▁feels- field- ▁Southeast- ▁whom- ▁constrained- ach- ▁farm- ound- ▁delighted- ▁demands- TA- oo- tics- ▁pulled- ▁German- ▁leg- ▁packages- ▁sa- har- ▁threat- ▁chemical- ▁incur- ▁body- ▁downstream- ▁schedules- ▁slowly- ▁forma- ▁causing- ▁submission- ▁cat- ▁5-- ▁downside- ▁Number- fo- focused- ▁refinance- ▁panel- ries- ▁recruit- ley- ▁expenditure- bu- EN- aw- AN- ▁Everyone- ▁ba- ▁gradual- ▁enhancement- ▁tail- ▁favorably- ▁forecasts- ▁sponsor- ▁approaching- ▁Due- ill- ▁considerably- ▁forecasted- ▁jurisdictions- MS- ▁scenarios- ▁RE- AS- site- ▁securing- ▁Per- state- ▁domain- ▁unfortunately- ▁exceptionally- ▁stake- ▁proof- ▁warm- ▁deeply- ▁utilized- ▁Class- ▁mobility- ▁blend- ▁charter- ▁protocol- ▁tumor- ▁shipped- ▁listeners- ▁Lu- ▁billings- ▁bundle- ▁Northeast- ▁explanation- ▁remarkable- ick- van- ▁reviewed- ▁tap- ▁ore- ▁finalized- erto- ▁merchants- ▁accommodate- ▁doubled- ▁Mon- ▁vessel- ▁mindful- ▁operationally- ▁niche- ▁prepayment- ▁allocated- ▁appendix- ene- ▁sum- mark- ▁Ag- ▁hedges- ▁Every- ▁passion- ▁art- ▁commented- ▁trusted- ▁myself- ▁SaaS- ler- qua- ▁broker- ▁animal- ▁System- ▁valuations- ▁redeploy- ious- ▁Y- ▁passenger- ▁Key- ▁renovation- ▁workers- ▁Project- ▁ample- ▁battery- ▁monetization- ▁Company- ▁luxury- ▁progresses- ▁peer- ▁weekend- ▁attributes- ▁strike- ▁normalize- ▁upstream- ▁Ed- ▁exhibit- ▁threshold- ▁north- ▁obtain- ▁Gra- ▁combining- ▁diesel- ▁duty- ▁Gas- ▁lab- sell- ▁converted- ▁pharmacy- ▁Star- ▁touched- wood- oc- ▁Ac- ▁enthusiasm- ▁Ri- ▁payable- ▁conventional- ▁remodel- ▁Your- ▁subsidiaries- ▁surrounding- ▁decreases- ▁attributed- ▁leaving- ▁parallel- ▁Specifically- ▁She- ▁forms- ▁Bio- ivity- ▁bonus- ▁AM- ▁dive- ▁incident- ▁movie- like- ▁fulfillment- ▁ca- ▁graph- ▁exists- ▁chose- ▁sometime- ▁ambition- sized- ear- ▁conscious- au- 5%- ▁Col- ▁remote- ▁fastest- ▁strides- ▁consultants- ▁pet- ▁Black- ▁Park- ▁relief- ▁recoveries- air- ▁trigger- ▁rare- ▁Pi- ▁tons- holder- ▁tested- ▁interface- ▁executives- ▁Ti- ▁enthusiastic- ▁preserve- ▁Rico- ▁Customer- ▁engagements- ▁Beyond- ▁Corporation- ▁dozen- ▁airport- '3.'- ▁missed- ▁pump- ▁resilience- ▁variance- ▁simultaneously- ▁retaining- ▁street- ▁pretax- ▁holidays- ▁Consistent- ▁Gu- ▁reviews- ▁underground- ▁send- ▁lifestyle- ▁submitted- ▁factories- ▁Ch- ▁elect- ▁collaborative- ▁supplies- ▁whilst- ▁par- ▁informed- ▁separately- ▁lateral- ▁density- ▁acute- ▁discounts- ▁calculated- ▁accounted- ▁controlled- ▁Easter- ▁breakdown- ▁assessing- ▁topics- ▁educate- ▁bankers- ▁placement- ▁completions- ▁Their- ▁listing- ▁extract- ▁agile- ▁anyway- ▁rigorous- ▁Things- ▁Peter- ▁subsidiary- ▁proper- ▁ships- ▁digit- ▁predictions- ▁wanting- ▁young- ▁consolidating- ▁acceptable- ▁Su- ▁Insurance- ▁optionality- pay- ▁fell- ▁shortage- ▁skill- ▁Analyst- ▁EMEA- ▁Two- ▁phases- ath- ▁negotiation- ▁recording- ▁discrete- ▁termination- ▁airline- making- ▁impression- ▁loyal- ▁accountability- ▁tier- ek- ▁Jo- val- ▁urgency- ators- ▁aimed- ▁moments- ▁throw- rg- ▁marks- ▁CO- we- ▁basket- ▁crisis- let- ▁70- ▁wood- ▁Certainly- ▁resonate- ▁tougher- pt- ▁tightening- ▁Will- ▁Real- ▁distinct- ane- ▁pleasure- ▁validate- ▁document- ▁arrangement- ▁mis- nce- ▁advice- ▁weigh- ▁forces- ▁impressed- ▁medicine- ▁interaction- rm- ▁proxy- ▁80%- ▁CP- ▁tables- ▁surgical- ▁producer- ome- ▁r- ▁precise- ▁Wa- ▁Medicaid- ▁Vegas- ▁identity- ▁9%- ▁Mac- ▁Ka- ▁district- ▁JV- ▁viewed- ▁discretionary- ▁rich- ▁accident- ▁ID- ▁outperformance- ▁connecting- ▁apart- right- ▁disposition- run- ral- ▁spoken- ery- ▁spec- ▁failure- ▁pathway- ▁frequently- ▁expansions- ▁blue- ▁100%- ▁Ni- ▁protein- ▁array- ▁unfold- ▁rebuild- ▁exposed- ax- par- ▁doctors- ▁drilled- all- ▁everywhere- ▁inclusion- ▁worry- ▁8-- ▁Ju- ▁skilled- ▁popular- ▁retained- ▁alliance- ▁unexpected- uc- ▁tighter- ▁Eagle- ▁corporation- ▁upgrading- ▁flight- ▁Va- ▁Call- ▁Du- ▁80- ▁preference- ▁deliberate- ▁High- ▁60%- ▁improves- ▁settle- ▁31- ▁roles- ▁pivot- ▁pa- ▁Christmas- ▁white- ▁Alberta- ▁gr- ▁Food- ▁campus- ▁empower- ▁reposition- ▁novel- ▁inspection- NA- ▁Ve- ▁leased- ▁precision- effective- ▁stockholders- ▁Australian- ▁influenced- ▁Asian- ▁film- ▁contemplated- ▁Jersey- ▁absence- ▁reinvestment- LA- ▁certification- ▁negotiating- ▁perception- ▁twice- ▁derivative- ▁underscore- centric- ▁guiding- ▁Specialty- ▁Hi- ▁integrity- ▁nonrecurring- ▁stretch- ▁replaced- ▁ingredients- ▁ROI- ▁defend- ▁negotiate- ▁satisfy- ▁commit- ▁airlines- ▁resume- ▁Green- ▁receipt- ▁pillars- ▁proposals- ker- ▁regularly- ▁dilution- ▁replacing- ▁ball- ▁instruments- ▁manufacture- ▁comparative- ▁pipelines- ▁confirmed- ▁fun- ▁ladies- ▁substitute- ▁Apple- ▁younger- ▁advances- ▁collateral- ▁fifth- ▁Las- ▁red- ▁climate- ▁disappointing- ▁responses- ina- ▁PC- EX- ▁optimized- ▁visits- ▁engineers- ▁tank- ▁stands- ▁blocks- mar- ▁op- ▁nation- ▁Japanese- ▁determination- ▁Fourth- ▁mineral- ▁franchises- ▁imply- ▁authorization- ▁finalize- ▁script- ▁thrilled- ▁undertaking- sale- ▁motor- ▁rationalization- ▁Nu- ▁leveraged- ▁Dr- ▁hurt- ▁midstream- ES- ▁whose- growing- ▁falling- ▁unable- ▁comparing- ▁outline- ▁Inter- ▁honest- mail- ▁heat- ▁Look- ▁thereby- ▁secular- ▁States- ▁cl- ▁turns- ST- ▁Construction- ▁reading- ▁audiences- ▁Connect- outs- ▁beauty- ▁intelligent- ▁velocity- ▁conversions- ▁specialized- ▁container- ▁invite- ▁Red- ▁wages- ▁rec- ▁Smart- ▁brokers- ville- ▁tra- performance- ▁2-- ▁blood- ▁reorganization- ▁master- ▁deem- ctor- ▁unlikely- ▁Customers- ▁workflow- ▁exiting- ▁anniversary- ▁inorganic- ▁diluted- ▁AD- ▁payer- ▁Sun- ▁submit- ▁Quarter- ▁whereas- ▁recovered- ose- ▁periodic- ▁French- ware- ▁corner- ▁cultural- ▁preclinical- ▁surgery- ▁surgeons- ▁interactions- ▁Security- ▁anchor- ▁concentrate- ▁diseases- ▁flowing- ug- ▁imports- ▁Annual- ▁Ge- ▁reward- ▁deleveraging- ▁trained- ulation- ey- ▁Midwest- ▁relevance- ▁Boston- ▁baseline- ise- TE- ▁incorporated- ▁concepts- ▁qu- ▁linear- ▁bolster- adjusted- chi- ▁excludes- ▁overlap- ▁extreme- ▁breakeven- ▁headquarters- ▁discounting- ▁valued- ▁attribute- cy- AP- ▁miss- ▁adult- ▁vital- ▁Doug- ▁hub- ▁DC- ▁wherever- ▁pockets- ▁agility- ▁12%- ▁construct- ▁Building- ▁prudently- ▁Com- ▁revolving- ▁Rock- ▁stations- ▁outsourcing- ▁intangible- ▁reservoir- ▁alongside- iti- tting- ▁Auto- OR- ▁responded- ang- ▁stabilizing- ▁noncore- ▁protecting- ▁distributions- ▁methods- ▁Gen- ▁evening- ▁m- ▁concrete- ▁geo- ▁rock- ▁representative- ▁pad- PA- core- ▁immune- ▁Blue- ▁Fin- ▁academic- ▁multifamily- ▁Mobile- ▁ideal- ▁practical- ▁Congress- ▁rewards- ock- ▁anti- ▁computing- ▁Cost- ▁procedure- ▁mandate- ▁midst- ud- ▁Results- ▁casino- ▁reversal- ▁accretion- ▁Ford- ▁serves- ▁Frank- ▁man- ▁revolver- ▁referral- ▁IPO- ▁annualized- ▁convenient- ▁doors- ▁storms- ▁willingness- ▁deterioration- ▁Che- ▁parameters- ▁Very- ▁presentations- ▁scores- ▁records- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁formation- ▁grant- ▁contractor- ▁Man- ▁uplift- ▁whenever- risk- ▁suggested- ake- OS- tech- ▁Ce- ▁responsive- ▁bankruptcy- ▁viable- ame- ▁marine- ▁visual- ▁MA- ▁contingent- AM- ▁deepen- ▁recession- ▁flu- ▁restore- ▁download- hy- ▁Cap- ▁divestiture- ▁Federal- ▁apartment- ▁reduces- ▁purely- ▁negotiated- ▁nimble- ▁suspect- ▁Har- hold- ▁distribute- ▁fight- ▁Brazilian- ▁covenants- ▁Colorado- ▁augment- ▁solely- ▁publication- ▁gear- ▁missing- ▁outdoor- ▁sides- ▁hires- ▁Ki- ana- ▁foresee- ▁renew- ▁adviser- US- ▁timeline- ▁k- ray- ▁extensions- ▁modernization- ▁enjoyed- ▁Certain- ▁cuts- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁possibilities- ▁Valley- ▁Virginia- ▁ventures- ▁marginal- ki- ▁demographic- ▁partial- ▁Banking- ▁convertible- ▁brokerage- ▁presents- ▁experiment- EL- ▁restrictions- ual- ▁difficulty- ▁retire- ▁accuracy- ▁analyzing- ▁camera- ▁lighting- ▁station- ▁capitalizing- ▁zone- ▁disruptions- ▁aluminum- ▁expire- ▁unprecedented- ▁sensor- ▁relentless- ▁glad- ▁occurs- ▁pillar- ▁title- ▁powder- ▁tomorrow- ▁spike- ▁lesser- ▁miles- ▁ending- ▁bag- ▁predictive- ▁undertaken- era- ▁scrap- well- ▁guidelines- tim- ▁formulation- ▁beta- ▁borrowers- ▁Gary- growth- TI- ▁eliminating- ▁poised- ▁resort- ▁captured- ▁anymore- CA- ox- ▁Hawaii- ▁likelihood- ▁simplification- tain- nder- ▁gift- wi- ▁correlation- ▁qualification- ▁redesign- ▁directors- ▁EU- standing- ▁bucket- ▁gl- ▁aspiration- ▁recruitment- ev- IT- IP- ▁triple- ▁chunk- ▁focuses- ▁apps- ▁projection- ▁Wi- ▁streaming- ▁dial- ▁ne- ▁permit- ▁safely- ▁Colombia- ▁redemption- ▁snow- ▁apparent- ▁pursuit- ▁Pat- ▁correction- ▁deflation- ▁refined- press- ▁consent- ▁root- ▁iron- ▁exports- ▁startup- ▁buybacks- ▁war- ▁trans- ▁club- ▁references- ▁unified- ▁involves- ▁Program- ▁Poland- ▁rooms- ▁collective- ▁tick- ▁healthier- cer- ▁Jon- ▁hour- ▁Demand- ▁foremost- ▁sustaining- ▁forget- form- DA- ▁seemed- ▁noting- ▁pit- ▁candidate- ▁employ- ▁outpace- ▁upgraded- ▁employers- ▁replicate- ▁realignment- ▁permitting- ▁Asset- ▁connections- ▁ramped- ▁Th- IA- alone- ▁Office- ▁Healthcare- mic- ▁headed- ▁variables- ▁names- ▁Similar- efficient- ▁Earlier- ▁Ontario- ▁underperforming- ▁restricted- ▁geographically- ▁ads- '20'- ▁bids- ▁Rick- ▁Strong- ▁doubling- ▁saving- ▁norm- ford- ▁Core- ▁plastic- ▁cargo- ▁hospitality- ▁Eric- ▁hoped- ▁Friday- ▁exited- ▁mutual- ▁proving- ▁worried- ▁granted- ▁trip- ▁contrast- ▁70%- ▁motion- ▁analyst- ▁11%- ▁Marketing- ▁Brad- ▁dates- ble- ▁Whether- ▁Jack- uring- ▁passing- ▁hundred- ▁Partners- ▁illustrate- ▁messages- ▁treating- iz- ▁1995- ▁Credit- ▁treasury- ▁tissue- ▁motivated- ▁borrowings- ▁mechanisms- ▁excluded- ▁Technologies- ▁additive- ▁glass- ▁pilots- ▁oncology- ▁lap- ▁rational- ▁spaces- ▁expiration- ▁forefront- ▁90%- ▁affiliate- cap- ▁official- ▁institution- cept- ▁refund- bl- ▁wall- stage- ▁style- kin- ▁stat- ▁aside- ▁imaging- ▁IFRS- ▁progressed- ▁tens- ▁grows- ▁diversifying- ▁segmentation- ▁regulator- ▁revision- ▁subs- ▁fl- ▁modules- ancy- ▁wire- ▁electrical- ▁em- ▁geographical- ▁coffee- ▁default- ▁placing- ▁Up- ▁domestically- ▁boxes- ▁logic- ▁park- ▁broadening- ▁fluctuate- ▁billion- plus- ▁Da- ▁mines- ▁Dallas- ▁consensus- ▁fragmented- ▁generator- ▁flagship- ▁ERP- ▁evolved- ▁Executive- ▁hike- ▁permits- ▁foundational- ▁Control- ▁smarter- ▁recovering- ▁AB- ▁choosing- ▁Fund- ▁rain- ▁rationale- ▁temp- ▁Throughout- ▁seller- ▁indicates- ▁Sweden- ▁judge- ▁builds- ▁switching- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Development- ▁Note- ▁grades- ▁Together- ▁conviction- ▁click- ▁intake- ▁headline- ▁thorough- ▁selectively- ▁reaffirm- ▁Finance- ▁limits- ▁clearance- ▁municipal- ▁venue- ▁children- ▁assistance- ▁cautiously- lon- ▁removed- ▁evaluated- ▁Has- ▁stories- ▁honestly- ▁Open- ▁decreasing- ▁heightened- ▁attendance- ▁themes- ▁broken- ju- ▁Inc- ▁incrementally- ▁hu- car- ▁lumber- ▁dropped- ▁rank- ▁Remember- ▁tactical- ▁County- pac- ▁fleets- ▁downtime- ▁cur- ▁Brands- ▁worst- ▁locally- rd- ▁GE- ▁begins- met- ▁trouble- ▁farmers- ▁Did- ▁log- ▁Product- ▁filling- ▁caught- ▁unsecured- comp- ▁Han- ▁gather- ▁sensors- ff- ▁seriously- ▁sample- ▁preferences- ▁dispositions- ▁gate- room- ▁arm- ▁tailwind- ▁considerations- ▁unmet- fu- ▁Syn- ▁seat- ▁Chairman- ▁affordability- ▁economically- ▁pronounced- ▁telecom- ▁music- ▁schools- ▁tower- ▁Big- ▁Cal- ▁Ohio- ▁statistics- ▁uptake- point- late- ▁disclaimer- ▁chronic- ▁nobody- '%'- ▁Access- ▁debate- ▁Ver- oriented- ▁quantity- ▁refinery- ▁Rich- CI- ▁River- ▁factored- ▁traded- nic- ▁commerce- ▁prescription- ▁exclusively- ▁severity- ▁muted- ▁shutdown- ▁initiate- ▁terminals- af- ▁perfectly- ▁diminish- ▁routine- turn- ▁da- ica- ▁Unfortunately- cal- yl- ▁departments- ▁mechanical- ▁mistake- ▁shrink- ▁chains- ▁surprising- power- ▁ambitious- ▁sweet- ▁lens- ▁fo- ▁ro- ▁pop- ▁probability- ▁slate- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁accessories- ▁Accordingly- ▁needle- ▁similarly- ▁filled- ▁Microsoft- ▁dispute- ▁Safety- ▁Oil- ▁instrument- ▁branding- ▁disrupt- ▁communicating- ▁simplified- ▁grocery- ional- ▁lowered- sum- ▁Across- ▁pivotal- ▁Higher- ▁formats- ▁strict- ▁Public- ▁compensate- ▁calculate- ▁mall- ▁Meeting- ▁spirit- 2%- ▁greenfield- ▁classified- ▁CD- ▁sea- ▁everyday- ▁suggests- ▁bus- ▁NIM- ▁grateful- q- long- ▁studio- je- gate- ▁gaps- ▁signals- ▁residents- ▁gene- bra- ▁mile- water- ▁Facebook- ▁residual- ▁bolt- ▁crews- ▁eliminated- ▁ten- VA- ▁requiring- ▁Jason- ▁Lake- '10'- ▁payback- ▁Pay- ▁server- ▁oral- ▁Gross- ▁ROE- ▁bode- ▁floating- ▁enroll- ▁union- ▁allocating- ▁barriers- ▁conducting- ▁Tele- gy- ison- 1%- ▁FI- ▁Marine- ▁limitations- ▁proved- AT- ▁boat- ▁cluster- ▁House- ▁stepping- ▁breaking- ▁mortgages- han- ▁Dis- ▁Illinois- ▁merit- ▁commence- ▁embrace- ▁Card- ▁warrant- ▁Bay- ▁restart- ▁widely- ▁screening- ▁generates- ▁star- ▁immuno- ▁flip- ▁customized- ▁Si- ▁commenced- men- ▁commissioning- ▁surplus- ▁Bri- ew- ▁logical- ▁shops- ▁baked- ▁inefficiencies- ▁Andrew- ▁minority- ▁span- ▁mail- owned- ▁25%- ▁employed- ▁cool- ▁medicines- MI- ▁Reconciliation- ▁impossible- ▁teleconference- ▁Express- rated- ▁aging- ▁commercially- ▁demographics- ▁fields- ▁unlike- ▁surge- part- ▁bearing- ▁distinguish- ep- ▁la- ▁developer- ▁Direct- ▁aviation- ▁Vo- ▁techniques- ▁outflows- ▁locked- ▁holistic- ▁idle- ▁premise- ▁Materials- ▁adversely- ero- ▁named- ▁autonomous- ▁friction- ▁coupon- fusion- ▁Cash- ▁ATM- ▁adopting- ▁mu- ▁finalizing- ▁refocus- ▁ancillary- ▁incumbent- ▁Brand- ▁impactful- ▁titles- ▁derived- ▁divestitures- ▁publish- stone- ▁overnight- star- ▁simplifying- ▁installations- ▁imperative- ▁Hill- ▁rein- ▁characterized- ▁employer- ▁Uni- ▁eyes- ▁translated- ▁Web- ▁tenure- ▁lifting- ▁gen- ▁Indonesia- ▁manifest- ▁multiples- ▁sent- ▁divest- ▁regain- ▁promoting- ▁flex- ▁border- ▁centralized- can- ko- ▁onboard- ▁delever- ▁pulp- ▁ruling- ▁strip- ▁Tax- ▁royalties- ▁transcript- ▁AC- ▁Atlantic- ▁defer- type- ▁Ja- ▁aligning- ▁emissions- ▁expression- ▁Point- ▁App- ▁expert- ▁principle- ita- ▁kids- ▁intact- ▁unusually- app- ▁text- ▁George- ▁filter- ▁comprised- ▁concessions- ▁diligent- ▁comply- ▁south- ▁Plus- ▁predictability- positioned- ▁cheaper- ▁struggle- ▁demanding- ▁logo- ▁prescribe- ▁shortages- ▁mentioning- ▁friends- ▁Science- ▁revolution- ▁wellness- '-1'- ▁clearer- ▁British- ▁accrual- ▁cement- ▁bias- ▁placements- ▁forced- ▁modernize- ▁casual- ▁Keep- ▁chemicals- ▁stepped- ▁Broad- ▁Phoenix- ▁Zealand- ▁dominant- ▁Along- ▁lighter- '50'- ▁Senior- ▁Wealth- ▁Court- ▁transitions- ▁directed- ▁enhances- ▁matching- ▁weekly- 3%- ▁fueled- ▁routes- ▁appointment- ▁collaborate- ▁speculate- SE- ▁Tech- ▁centered- force- ▁Ber- ▁progressive- ▁PR- ▁CE- ▁Electric- ▁Richard- ▁Norway- ham- pho- ▁elected- ▁21- ▁genetic- ▁Reg- old- OP- ▁settled- EC- ▁predicted- ▁agricultural- ▁modify- ▁crew- ura- premise- ja- ▁Transportation- ▁erosion- ▁resonating- ▁relied- ▁Gold- free- ution- ▁crucial- ▁opposite- ▁streamlining- ▁optical- spec- ▁divestment- ▁consume- ▁quota- ▁Mid- ▁Chemical- ▁millennial- ▁isolation- ▁Flex- ▁authority- ▁transformative- ▁passionate- ▁stayed- ▁disaster- ▁shortfall- print- ▁answered- ▁Ron- ▁nursing- ▁1,000- ▁race- ▁Tony- ▁instances- ▁implies- ▁Republic- ▁trades- ▁accessible- ▁precisely- location- ▁Several- ▁equities- ▁loaded- ▁hosting- ▁elevate- ▁ra- ▁annuity- ▁elimination- ▁landlord- ▁teach- ▁dining- ▁IC- ya- ▁renewables- ▁consist- ▁score- ▁tightly- ▁neighborhood- ▁argue- ▁craft- ▁licensed- dding- ▁TA- wear- ▁temporarily- ID- ▁affects- ▁attracted- ▁drawing- ▁PD- ▁accurately- ▁interpret- ▁Atlanta- ▁Lower- ▁envision- ▁attached- ▁illustrates- ▁Personal- ▁ordinary- ▁rough- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁requests- ▁externally- ua- ▁exposures- ▁newest- ▁Tra- ▁wondered- ▁transact- ▁albeit- ▁differentiating- ▁perpetual- ▁Gene- ▁arena- ▁compares- ▁accompanying- ▁Cy- iff- ▁annually- za- lease- ▁activation- ▁exploit- ▁reception- ▁omnichannel- ▁translates- ▁warranty- ▁restructure- ▁cautioned- ▁mills- ▁Time- ▁sponsors- ▁Navy- ▁premature- ▁revisit- ▁detection- cycle- ▁hole- ▁competencies- ▁integral- ▁VA- ▁overwhelming- ▁town- ▁projecting- ▁300- cho- cus- ▁Netherlands- ▁article- ▁corn- ▁Hu- 8%- ▁hydro- ▁charging- ▁shaping- ▁activate- ▁holds- cha- specific- ▁finishing- ▁eager- ▁implant- ▁unrealized- ▁13%- ▁Fair- ▁hence- ▁supposed- ria- ▁cheap- ▁observations- ▁Series- ▁du- ▁computer- ▁populations- ▁fr- ▁propositions- ▁securitization- ▁GP- product- ▁Oklahoma- ibility- play- ▁dig- ▁phasing- vision- ▁collectively- ▁subscriptions- ▁skin- ▁province- ▁nationwide- ▁zones- ▁networking- ▁metals- ▁Resources- ▁winner- ▁Andy- ▁namely- ▁Foods- ▁softening- ▁chase- ▁rebuilding- ▁Free- ze- ▁War- ▁character- 6%- ▁Pri- ▁Automotive- ▁depressed- ▁privilege- ▁statistical- ▁boot- ▁seamlessly- ▁inflows- ▁Electronic- ▁catastrophe- ▁appreciated- ▁hyper- ▁bi- uff- ▁detect- ▁outages- ▁Arizona- ▁durable- ▁mitigated- ▁Live- ▁printing- ▁renovations- nci- ▁alter- teens- ▁Alex- ▁repay- bit- ▁RevPAR- ▁assembly- ▁difficulties- facing- ▁Trust- ▁dual- ▁basins- ▁yielding- ▁competitively- ▁Super- ening- ▁argument- ▁Though- ▁hang- ▁lender- ▁injection- ▁compensated- ▁airplane- ▁fraud- ▁society- ▁Light- ▁formed- ▁Platform- ▁crack- ▁brick- ▁treatments- ▁analytical- ▁metro- ▁fans- ▁King- ▁fabric- ▁Sand- ▁reinvesting- ▁Michigan- ▁14%- ▁Spring- ▁semi- ago- ▁transitioned- ▁Indian- ▁th- ▁bandwidth- ▁tip- ▁rid- ▁fruition- how- ▁applies- ▁delta- ular- ▁Out- ▁Island- ▁simpler- ▁inherently- ▁qualitative- ▁manual- ▁PE- ▁Way- ▁500- ▁band- 7%- ▁determining- ▁grain- ▁conclusions- ▁contributors- ▁variation- ▁leisure- ▁repricing- ▁amended- ▁12-- ▁blended- ▁PA- weight- ▁'20- ▁wise- ▁Report- ▁Los- ▁occasions- ▁inhibitor- ▁SA- ▁paint- ▁sudden- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- head- source- ▁CMS- wise- ▁automate- ▁innovating- ▁stopped- ▁digest- tel- ▁observe- ▁transformed- ▁aid- ik- ▁Mu- ▁endeavor- ▁transferred- ▁tuck- ▁Marc- ▁chip- ▁suit- ▁Defense- ▁excuse- ▁Mill- ▁outlet- ▁Jay- ▁desired- ▁digitally- cular- ▁pride- ▁hurdle- add- ▁laying- ▁addresses- ▁onboarding- ▁harm- ▁buffer- ▁configuration- ▁Nor- ▁Line- ▁headlines- istic- ▁overly- ▁clarification- ▁outage- ▁rationalize- ky- ▁letting- ▁patents- ▁Craig- ▁Target- ▁convey- ▁Val- ▁Robert- ▁ski- verse- ▁revisions- TS- ▁Nevertheless- ▁silver- ▁Land- ▁advised- ▁analog- ▁Store- ▁pumping- ▁inject- ▁Property- ▁circuit- ▁showcase- ▁Ultimately- ▁engineered- ▁valid- ▁severance- ▁Micro- ▁roof- ▁DNA- ▁energized- ▁Sam- ▁trailing- ▁SKUs- ▁liquids- ▁iconic- ▁Midland- ▁lineup- ▁suggesting- ▁inquiries- ▁intensive- ▁sake- ▁personalization- ▁tailored- ▁manageable- ▁obtained- ▁outperformed- ▁capitalization- ▁concluding- ▁builders- ▁containers- ▁footwear- ▁trucking- serv- ▁tighten- ▁restrict- ▁Seattle- ▁Supply- ▁Sky- ▁demo- ▁samples- ▁heads- ▁honor- ▁holders- ▁repairs- ▁recapture- ▁bench- ories- ▁buckets- ▁lessons- ▁tenders- ▁modified- ▁vacation- ▁steep- ▁sport- ▁celebrate- ▁prepaid- ▁vacancy- ▁bounce- ▁pan- lia- MO- ▁parks- ▁era- ▁Ko- ▁Natural- ▁achievable- ▁drink- ▁scheduling- ▁inclusive- ▁subsequently- ▁eat- ▁protected- ▁portal- ▁lo- ▁gearing- ▁recommendations- ▁Her- ▁Margin- ▁black- ▁capacities- ▁mitigation- ▁taste- ▁Ben- ▁granular- ▁Association- ▁Research- ▁emergency- ▁phenomenon- ▁pleasant- ▁neuro- ▁fab- SP- ▁advancement- LI- ▁Long- ▁Northwest- ▁comparability- ▁contraction- ▁Actually- ▁chat- ▁awful- ▁pertain- ▁lie- ▁individually- cast- ▁frequent- ▁thrive- ▁lumpiness- ▁authorized- ▁Bu- ▁algorithms- ▁concession- ▁tailwinds- ▁avenues- ▁taxable- ▁Process- ▁medication- ▁resiliency- ▁quiet- ▁fraction- ▁walking- ▁participated- tribut- ▁AG- ▁cumulative- ▁validated- ▁submarket- ▁shorten- ▁opt- 9%- ▁thereafter- ▁relying- ▁Firstly- ▁consumables- ▁reseller- ▁Phil- ▁parcel- stock- ▁pie- ▁aiming- ▁heavier- ▁maturing- ▁measuring- ▁prototype- ▁issuing- ▁Todd- ▁EM- ▁ride- ▁organized- ▁reap- ▁representatives- ▁Louisiana- ▁survival- ▁concert- ▁plate- ▁threats- ▁dip- ▁discover- ▁towers- ▁interruption- ▁deduction- TO- ▁registered- ▁module- tier- ▁ES- ▁keen- ▁Nick- ▁NOI- ▁Avi- ▁whereby- ▁acting- ▁designing- maker- ▁sugar- ▁trough- ▁derisk- ▁relocation- ▁structurally- LE- ▁lies- ▁manufactured- ▁Without- ▁inbound- ▁breakthrough- mod- ▁suited- ▁Tru- ▁surprises- ▁involving- ▁salary- ▁significance- ▁Early- ▁Wood- ▁clinicians- ▁weakening- ▁mini- ▁trick- ▁viewing- RO- ah- answer- ▁outlets- ▁Columbia- ▁Mexican- ▁declare- ▁ounces- ▁removing- ▁phones- ▁advise- ility- pic- j- ▁hurdles- ▁England- ▁silicon- ▁Jan- performing- ▁loading- ▁hosted- ▁23- ▁convention- ▁limiting- ▁cyber- ▁ought- ▁Monday- ▁liver- ▁African- ▁somehow- row- ▁answering- ▁arrive- ▁Lab- edge- ▁covenant- ▁CB- ▁notwithstanding- ▁dictate- ▁bold- ▁kit- ▁slip- building- ▁lend- ▁justify- ▁dosing- ▁assured- ▁36- ▁seats- book- ▁underpin- ▁Welcome- ▁feasibility- ▁mitigating- ▁Thus- ▁jet- ▁Union- ▁contemplate- ▁Ya- ▁OP- bank- ▁clinically- ▁Liberty- ▁cushion- ▁gauge- ▁Take- ▁clearing- ▁James- ▁CRM- ▁Chi- ▁RO- ▁consequences- ▁Operator- ▁chapter- ▁chasing- ▁legislative- ▁remediation- ▁relaunch- ▁phenomenal- ▁documentation- ▁streamlined- ▁labs- lect- expected- ▁reinforces- priced- ▁credibility- ▁furniture- ▁Account- ▁pleasing- ▁collected- view- ▁programmatic- ▁refi- ▁flying- ▁advancements- ▁parking- ▁Missouri- ▁dairy- ▁layers- ▁CI- itation- ▁appealing- demand- ▁CS- ▁sharpen- ▁styles- ▁Club- ▁Future- ▁Minnesota- ▁molecular- ▁scratch- ▁tonnage- ▁Martin- ▁requested- ▁passive- stream- ▁recommend- ▁cooperation- ▁deficit- ▁heritage- ▁roadmap- ▁statutory- ▁Chile- ▁pumps- ▁bills- tec- ▁educational- ▁restructured- ▁rural- ▁automatically- ▁readiness- ▁fish- ▁attend- ▁plug- price- ▁occasion- ▁Cu- ▁billions- responsibilities- ▁compliant- ▁salespeople- ▁dilutive- ▁strictly- ▁solidify- hu- ▁pads- ▁underwrite- ▁mirror- ▁opioid- ▁foster- ▁17%- ▁commercialize- via- ▁Non- ▁University- ▁compromise- ▁Ocean- ▁undergoing- ▁straightforward- ▁Taking- ▁deleverage- ▁Port- ▁SP- ye- ▁unlocking- UR- fold- ▁Switch- ▁catalog- ▁universe- ▁Sports- ▁Price- ▁articulated- ▁owning- ugh- ▁relations- ▁Historically- ▁Ryan- ▁journal- ▁mortality- ▁neither- ▁yard- ▁Production- ▁classic- ▁Safe- ▁Angeles- ▁Saudi- ▁proximity- ▁scalability- ▁turbine- ▁variations- ▁entrants- ▁Win- ▁arms- ino- ▁agriculture- ▁chemistry- ▁multinational- ▁voluntary- ▁Sometimes- ▁speculation- ▁DS- ▁Pan- channel- ▁NAV- ▁geopolitical- ▁rush- ▁solving- mortar- ▁shoot- ▁shot- ▁calculations- ▁16%- ▁22- ▁suffered- plan- ▁AP- ▁nominal- ▁stimulate- ▁distraction- ▁persistent- ▁migrating- ▁quantitative- ▁thermal- ▁18%- oid- ▁transitional- ef- place- ▁specialists- ney- ▁interconnect- atory- ▁accomplishment- ▁Education- ▁describing- ▁salaries- ▁squeeze- ▁flattish- iding- EM- ▁EP- ▁Innovation- ▁Irma- ▁dealership- ▁representation- ▁normalization- ▁collecting- ▁removal- ▁shock- ▁enforcement- ▁suffer- ▁outsized- ▁MS- ▁heating- ▁Far- brand- ▁meat- ▁Premier- ▁incorporating- ▁CM- ▁Shop- ▁Stock- ▁four- az- ▁Generally- gar- ▁Government- ▁Kansas- ▁distance- ▁edit- ▁fat- lim- box- ▁publishing- ▁FFO- ▁Harbor- ▁Software- ▁Southwest- ▁slot- ▁Ab- ▁Moreover- bri- ▁approached- ▁absorbed- ▁advertise- reduction- ▁CC- ▁Olympic- ▁college- ▁Division- ▁noninterest- ▁obtaining- ▁widening- ▁robotics- ▁upsell- only- ▁ambitions- ▁landing- ▁Committee- ▁FERC- ▁omni- ji- ▁meal- ▁attain- ▁gasoline- ▁moderated- ▁enrolled- ▁unmatched- ▁snack- ▁Beach- ▁modifications- ▁technically- ▁Advanced- ▁Switzerland- ▁mega- ▁hubs- ▁Infrastructure- ▁tobacco- ▁tweak- ▁films- ▁independently- ▁Ke- matic- ▁offline- ▁TR- ▁interactive- ▁commenting- ▁shoppers- fill- new- range- ▁DA- ▁outperforming- ▁GDP- ▁composite- ▁warrants- ▁gateway- ▁consultation- ▁critically- ▁deepening- Point- ▁Hospital- ▁batteries- ▁diabetes- ▁milk- ▁preserving- ▁reinvent- ▁farms- ▁consists- ▁Denver- ▁underpinned- ▁observation- ▁attraction- ▁Med- ▁HR- ▁ME- ▁crystal- ▁Labor- ▁dropping- ▁alert- ▁liquidation- tz- ▁kicked- ▁explicit- ▁ultra- ▁molecule- ▁assay- ▁bundled- train- ▁recommendation- ▁teens- ▁Carl- ▁workplace- ▁EV- ari- ▁enjoying- ▁crush- ▁spacing- ▁malls- ▁prescriptions- ▁Bur- ▁renewing- ▁400- ▁Value- fully- ▁Russian- ▁examine- ▁prolonged- ▁truth- ▁standalone- ▁till- RP- ▁instrumental- ▁Alaska- ▁prominent- ▁semester- ▁flash- ▁jewelry- ▁Currently- ▁reconcile- ▁deferral- ▁dislocation- ▁Communications- ▁Post- ona- CH- ▁withdraw- ▁goodwill- ▁Grand- ▁theaters- ▁provisioning- ▁originated- ▁nearing- ▁approve- ▁associate- ▁insurers- ▁sun- ▁Equipment- ▁Meanwhile- ▁Professional- ▁kitchen- ▁Boeing- ▁panels- ▁belt- body- ▁White- ▁isolated- ▁AL- ▁fan- ▁smoothly- ▁midterm- ▁molecules- ▁Georgia- ▁Taiwan- ▁durability- ▁prioritizing- ▁Aerospace- ▁deserve- ▁rose- ▁Intel- ▁distinctive- ▁error- media- ▁confidential- ▁predicting- ▁regime- FA- ▁Volume- ▁complain- ▁tackle- ▁customary- Link- ▁suffering- ▁mandates- ▁eventual- ▁advisor- ▁intermediate- ▁congratulate- ▁continuity- ▁moderation- ▁instant- ▁End- ▁ASP- ▁GM- ▁notion- ▁le- ▁Sim- ▁NO- ▁frozen- ▁shippers- ▁interpretation- ▁fear- ▁Box- ▁Trade- ▁fueling- cut- ▁Mountain- ▁translating- ▁equipped- ▁mainstream- life- ▁lung- ▁modular- ▁stem- ▁ST- ▁reservation- ▁Fresh- ▁footage- ▁AT- ▁cancellations- ▁seasoned- contract- Star- ▁reopen- ▁shall- ▁Ireland- NS- ▁Similarly- ▁sharply- ▁suppose- ▁Greater- ▁authentic- ▁transit- ▁civil- ▁expedite- ▁noteworthy- ▁Director- ▁factoring- ▁intrinsic- ▁association- ▁technician- ▁Except- ▁directionally- ▁shrinking- ▁photo- ▁embracing- ▁readily- ▁outset- ▁visiting- ▁RV- ctive- sensitive- ▁symptom- list- ▁Nordic- ▁Euro- ▁pair- season- ▁Bruce- ▁meter- ▁succession- ▁drawn- ▁rewarding- ▁measurable- ▁Contract- ▁leak- ▁acres- ▁Compare- ▁entirety- oma- ▁innings- ▁flood- ▁fe- ▁Probably- ▁Multi- ▁valve- ▁Adam- ▁digitalization- ▁dimension- ▁consult- ▁surgeon- ▁cleaning- ▁conflict- ▁prompt- ▁unpredictable- ▁dispose- ▁spare- ▁CLO- ▁playbook- ▁28- ▁affiliates- ▁evenly- ▁SE- ▁merge- ▁muscle- ▁interior- ▁cleaner- ▁budgeting- ▁temperatures- ▁coincide- ▁defining- ▁quantities- ▁forever- ▁reside- ▁ingredient- ▁actionable- ▁rewarded- ▁Everything- ▁essence- ▁extraordinarily- ▁radar- ▁Statements- ▁Hotel- ▁command- ▁Motor- ▁chips- ▁fitness- ▁guy- ▁float- ▁Charles- ▁Distribution- ▁NGL- ▁Perhaps- ▁decisive- ▁uniform- ▁overhang- rchitectural- zz- ▁petrochemical- ▁beef- ▁constructed- Fi- aries- ▁certified- ▁escalation- ▁rebalancing- ▁surpass- ▁Pricing- ▁confusion- ▁subset- ▁confirmation- ▁sir- ▁adapting- ▁adequately- ▁dimensions- pping- ▁fail- ▁delight- ▁Massachusetts- ▁STACK- ▁tactics- ▁infection- ▁invoice- ▁mask- ▁coach- ▁Radi- ▁specialist- ▁constraint- ▁deceleration- ▁devaluation- figuring- ▁methodical- ▁promised- ▁reinforced- ▁Really- ▁LP- ▁printer- ▁Instead- ▁LIBOR- ▁Strategic- ▁continuum- ▁Roger- ▁Adjust- pped- berg- ▁attach- ▁varying- ▁defensive- ▁signature- ▁Small- ▁desktop- ▁shoe- ▁RFP- ▁Back- ▁Bra- ▁RF- ▁Support- ▁absent- ▁dental- ▁wheel- ▁meters- ▁API- RT- ▁honored- ▁Beginning- ▁Larry- ▁reinforcing- ▁renegotiate- ▁fabrication- ▁publishers- ash- ▁jurisdiction- ▁circ- ▁object- ▁column- ▁injury- ▁lapping- ▁posting- ▁noticeable- ▁prop- ▁OR- mine- ▁NP- ▁realign- ▁counting- ▁Shanghai- ▁pioneer- ▁sluggish- ▁unprofitable- ▁Delta- ▁oversight- ▁Wall- TV- depth- ▁entitled- ▁secret- ▁universal- ▁Advantage- ▁pursued- ▁comm- erial- ▁Caribbean- ▁Venezuela- ▁draft- ▁identification- ▁pediatric- ▁northern- ▁crane- ▁casualty- ▁trailer- ▁laboratory- ▁regimen- ▁VI- ▁Bakken- ▁Pipeline- ▁continent- ▁profound- ▁occurrence- ▁Advisory- ▁hedged- ▁doctor- ▁coating- ▁FA- ▁cancellation- ▁Standard- ▁revaluation- ▁vaccine- pack- ▁OE- ▁divide- ▁Client- ▁Operations- ▁apologize- ▁beautiful- ▁steam- ▁wafer- ▁patch- ▁shake- corp- ▁handset- ▁SAP- ▁Clear- ▁affirm- ▁knock- ▁sleep- ▁telephone- ▁transient- ▁Fuel- ▁incurring- ▁Book- ▁limitation- ▁yen- ▁outreach- ▁refineries- Net- ▁involvement- ▁accrued- ▁spine- gene- ▁coast- ▁Thailand- ▁steer- ▁Patrick- ▁specified- ▁releasing- scrip- tail- tune- ▁circle- ▁Er- ▁attractiveness- ▁MR- front- ▁analyzed- ▁climb- ▁newspaper- ▁Agency- ▁concurrent- ▁wearable- ▁native- ▁progressively- ▁tanker- gel- DR- ▁fluctuation- ▁banners- ▁chicken- ▁Italian- ▁Brent- ▁tonnes- ▁reveal- ▁highway- ▁TI- ▁Mc- ▁Pen- changing- ▁Horizon- ▁varies- ▁assignment- ▁consequently- ▁marginally- ▁graphic- ▁correlated- FI- ▁Corp- ▁partnered- ▁fly- ▁borrower- ▁Logistics- ▁Organic- ▁southern- ▁freedom- ▁Bridge- ▁oriented- ▁officially- ▁Prime- ▁relocate- ▁algorithm- ▁Important- volume- ▁Analytics- ▁battle- ▁deciding- ▁destocking- ▁Glen- ▁quoting- ▁distinction- mont- cycl- ▁derive- ▁thousand- ote- ▁MO- ▁wine- ▁appraisal- ▁motivation- ▁expressly- ▁reversed- ▁Equity- ▁breast- ▁stood- ▁sought- funded- ▁compute- ▁rebates- ▁Max- family- NE- ▁Belgium- ▁nurse- ▁stroke- ▁stringent- ▁golf- ▁comprise- ▁geared- ▁theater- ▁deteriorate- ▁enacted- ▁sensible- ▁sixth- ▁fixing- ▁tailor- ▁contingency- ▁shale- ▁displace- ▁railcar- ▁guaranteed- ▁investigators- ▁recycle- ▁PRO- ▁biotech- ▁Orlando- ▁Tuesday- ▁Wisconsin- ▁vibrant- ▁makers- nova- jo- ▁systemic- pha- ▁Diamond- ▁Operational- ▁desirable- ▁recipe- ▁Par- ▁refinement- ▁Sprint- mount- ▁BP- ▁robotic- cell- ▁habits- ▁unlimited- ▁Omni- ▁summarized- ▁Fee- ▁beds- ▁Cup- ▁promoted- current- ▁Antonio- ▁integrator- ▁suburban- ▁conform- ▁strain- step- ▁Clar- flat- ▁safer- ▁barrier- yield- ▁reinvested- ▁library- ▁sanction- ▁vintage- ▁retrofit- ▁feedstock- ▁Still- ▁CRE- ▁Master- ▁fold- ▁failed- ▁tourist- ▁leaner- ▁Best- ▁Malaysia- ▁Premium- ▁Stephen- ▁Garden- ▁Combined- round- ▁discovered- ▁intensely- bar- ▁visitors- ▁reallocate- ▁fighting- ▁Prior- ▁Keith- ▁nationally- buy- vol- ▁Design- ▁diagnose- ▁railroad- ▁convergence- ▁entrepreneurial- ▁Unit- ▁ban- serve- ▁routing- ▁ranging- ▁hunt- ▁Estate- ▁tuned- ▁sticking- disproportionate- ▁Connected- ▁reactor- ▁citizen- ▁Nothing- ▁standardized- ▁accumulated- ▁Diego- ▁attitude- ▁propane- ▁26- build- ▁augmented- ▁lien- ▁Nevada- ▁Vietnam- ▁bonuses- ▁deliberately- ough- ▁overhaul- saving- ▁furnish- ▁Continental- ▁appointed- ▁benign- ▁bottle- ▁gallon- ▁reiterating- ▁PI- ▁gu- ▁borrow- rk- ▁originate- ▁monetizing- ▁resistance- ▁underneath- ▁onshore- ▁deadline- ▁behave- ▁favorite- ▁oversee- ▁CT- ▁confirming- ▁repeating- ▁embark- ▁pin- ▁catching- ▁Test- ▁permission- ▁tremendously- ▁Dar- haul- ▁explaining- ▁behavioral- 'NO'- ▁discounted- ▁Consequently- ▁Randy- ▁cannibalization- ▁choppy- ▁departure- ▁minimizing- ▁Absolutely- ▁19%- ▁27- ▁TAM- ▁assisted- ▁outsourced- ▁Paris- ▁reconciled- ▁Meta- built- consumer- ▁random- ▁2013- user- ▁Hard- ▁friendly- ▁sticky- ▁divested- ▁consumed- ▁CR- LO- ▁imported- ▁cannabis- ▁sequencing- ▁Anything- ▁Three- ▁dress- ▁mono- ▁Mag- ▁perceived- ▁ideally- ▁existed- ▁ranking- ▁accountable- bridge- ▁approximate- ▁robot- ▁Special- ▁Philippines- ▁graduate- ▁harness- ▁navigation- ▁striving- ▁wildfire- ▁outflow- ▁Recently- ▁witnessed- ▁mutually- ▁Add- ▁midyear- week- ▁Among- ▁sensing- put- ▁warning- ▁consumable- ▁handled- ▁Community- ▁duties- ▁educating- ▁entertain- ▁grab- ▁granularity- ▁suitable- ▁abate- ▁suddenly- ▁EC- cin- ▁Ray- ▁Farm- ▁cast- ▁dampen- ▁genuine- ▁surcharge- ▁enrich- ▁Shell- rick- dale- gress- ▁RP- ▁Ten- ▁scar- sourcing- ▁lately- ▁Para- ▁convince- ▁flatten- town- ▁urge- ▁cognizant- ▁paradigm- ▁sequence- ▁underserved- ▁distort- ▁Large- ▁About- ▁embarked- ▁reserved- PL- ▁aided- ▁Packaging- ▁biomarker- ▁pacing- ▁Team- ▁Interest- ▁prevention- ▁homeowners- ▁immaterial- ▁postpone- ▁Main- ▁archived- ▁downtown- ▁temperature- ▁MI- ▁govern- ▁Ever- ▁Cable- ▁Manhattan- ▁Trump- ▁delinquency- ▁easiest- ▁university- ▁unanticipated- ▁finger- ▁Reserve- ▁sustainably- ▁vertically- ▁keenly- ▁Shi- ▁survive- ▁classification- ▁assembled- ▁visited- ▁flooding- ▁Hub- ▁Fortunately- ▁concentrating- ▁navigating- ▁Income- ▁grand- ▁propel- ▁Sean- ▁narrowing- ▁selecting- ▁participant- ▁Matthew- ▁conservatism- ▁simulation- ▁whatsoever- ▁Travel- ▁Show- ▁outpatient- patient- ▁Area- ▁competency- ▁precious- ▁satisfactory- ▁swift- ▁synergistic- ▁east- ▁Provid- ▁sending- ▁RA- ▁consultant- ella- ▁antibiotic- ▁coordination- ▁disclosing- ▁reorganize- ▁universities- ▁unparalleled- band- ▁containment- burg- ▁Five- ▁TE- ▁BI- ▁Hopefully- ▁afraid- ▁bundling- ▁creativity- ▁innovator- ▁telco- ▁Deliver- ▁Tu- ▁friend- ▁bone- ▁Head- ▁enduring- ▁Choice- ▁drought- ▁commencement- ▁groundwork- ▁Road- ▁PS- ▁converge- ▁Marcellus- ▁Swiss- ▁commensurate- ▁kidney- ▁reshape- ▁Metro- ▁Outside- ▁Royal- tax- ▁incoming- ▁Mortgage- ▁advocate- ▁garner- ▁moderating- ▁lawsuit- ▁Top- ▁SKU- ara- ▁Ci- ▁formally- ▁emphasizing- ▁presumably- ▁urgent- ▁brew- ▁headroom- ▁Sur- ▁thin- ▁catering- ▁checking- ▁RB- ▁corridor- ▁verification- ▁Wholesale- ▁Shift- ▁disorder- ▁Vision- ▁besides- ▁campuses- ▁ring- ▁walked- ▁systematic- ▁president- ▁Kentucky- ▁arrival- ▁automobile- ▁diner- ▁sufficiently- ▁emerged- ▁awaiting- ▁Poly- ▁replenish- ▁odd- ▁ONE- ▁carries- ▁Manager- ▁ER- ▁embraced- ▁wo- ▁Adjuste- ▁'14- ▁Egypt- ▁simplicity- ▁tackling- ▁Full- ▁breakout- ▁attended- ▁fallen- face- ▁tension- ▁Sub- ▁die- ▁revitaliz- ▁Alliance- ▁Beauty- ▁incorrect- ▁penetrating- ▁creep- ▁Square- ▁batch- ▁revert- ▁Order- ▁ice- ▁accompany- ▁35- ▁administer- ▁backbone- ▁soybean- ▁Assuming- ▁renovate- ▁DRAM- ▁bound- ▁death- ▁Fortune- ada- ▁Dow- ▁Pharmaceutical- ▁Simply- ▁impaired- ▁Disney- ▁cellular- ▁wireline- ▁Rail- ▁Step- ▁intentionally- sys- ▁prosper- ▁stance- ▁45- branded- owner- ▁processors- ▁Austin- ▁incentivize- ▁proppant- ▁unplanned- ▁widespread- ▁initiation- ▁genomic- ▁Regulation- ▁Marketplace- ▁loose- ▁insured- ▁barrel- ▁Manage- ▁runoff- ▁Medicine- ▁Until- ▁tranche- ▁transplant- ▁bullet- ▁Paper- iness- ▁terminated- ▁NE- ▁Commerce- ▁Patient- ▁actuarial- ▁privacy- ▁Protection- ▁Payment- ▁realities- ▁Society- ▁Spanish- ▁Tennessee- ▁collaborating- ▁breach- ▁dark- ▁wake- ▁arising- ▁analytic- ▁weakest- ▁prevailing- ▁directional- elect- ▁SI- ▁extensively- ▁curtail- ▁Vancouver- ▁diagnosis- ▁diamond- ▁fertilizer- ▁prevalent- ▁inception- ▁zero- ▁lane- ▁Barry- ▁Play- ▁Later- ▁outsource- ▁advantageous- ▁AV- ▁register- bearing- ▁Industries- ▁suspension- ▁Arabia- ▁abnormal- ▁exhaust- ▁unwind- ▁toxic- ▁10,000- ▁WA- ▁z- fil- ▁Rather- ▁intuitive- ▁AUM- ▁Bi- ▁footing- ▁squarely- ▁AN- ▁hesitate- ▁possess- ▁unclear- ▁attachment- ▁rider- '30'- ▁skewed- ridge- ▁recommended- omic- ▁modification- ▁rigor- born- ▁child- ▁crowd- ▁Hydro- ▁contemplating- ▁ethanol- ▁nuance- ▁vacant- ▁Drive- ▁warmer- ▁bra- ▁Clean- ▁Smith- ▁encompass- ▁Recall- ▁vector- ▁combat- ▁sponsorship- ▁markdown- ▁boom- ▁angle- ▁pent- ▁featured- count- ▁seismic- ▁emergence- ▁divisional- ▁distressed- ▁kicking- ▁reacting- uck- ▁illustrated- ▁Focus- ▁Miami- ▁envelope- ▁inevitable- ▁vigilant- ▁Success- ▁Change- ▁municipalities- ▁Finland- ▁blow- ▁hydrogen- ▁Centr- ▁recycled- ▁PO- ▁assessed- ▁bodies- ▁institute- ▁pursuan- ▁flag- ▁Yet- ▁coastal- ▁disrupted- ▁29- ▁repeated- ▁enabler- link- ▁unfortunate- worth- ▁Benefit- ▁Family- ▁initiating- ▁SME- ▁hey- ▁rebalance- ▁resin- ▁repeatedly- ▁Dakota- ▁disadvantage- ▁nickel- ▁referencing- ▁Quest- ▁presidential- ▁comfortably- ▁Roche- ▁coin- meter- ▁foundry- ▁entrepreneur- ▁Jonathan- ▁Journal- ▁Typically- ▁abroad- ▁entitlement- ▁alarm- ▁Aviation- ▁fed- ▁Buy- ▁Kar- shop- ▁correspond- ▁jointly- ▁Place- ▁cylinders- ▁faith- ▁redeem- ▁Print- ▁committing- ▁digitization- ▁installment- ▁totality- ▁thoughtfully- ▁triggered- friendly- ▁Residential- ▁Which- ▁crazy- ▁seventh- ▁subsidies- ▁teammates- ▁Essential- ▁unveil- ▁versa- ▁deductible- ▁lagging- ▁Lead- ▁POS- ▁Longer- ▁Fred- ▁Alan- ▁Del- ▁CF- ▁cooling- ▁shopper- ▁vest- ▁Discovery- ▁reassess- ▁reliably- ▁undertook- ▁Creek- ▁antenna- ▁peso- ▁Bryan- ▁tourism- ▁magic- ▁Cyber- ▁tree- ▁halfway- ▁Denmark- ▁candidly- ▁sneak- ▁silo- ▁haul- ▁tendency- ▁prohibited- ▁encountered- ▁localized- ▁Field- ▁contrary- ▁exclusivity- ▁extrapolate- 3,000- ▁smallest- ▁posture- ▁establishment- ▁cure- ▁matched- ▁organize- ▁Industry- ▁NIKE- ▁alleviate- ▁reluctant- ▁steadfast- ▁restoration- ▁Local- ▁hair- ▁complexities- ▁Indiana- ▁MSR- ▁seize- ▁arrived- ▁Online- ▁Medi- umab- ette- ▁intensify- ▁culminat- ▁penalty- ▁scientists- ▁Steel- ounce- ▁deepwater- ▁Ship- ▁permitted- ▁Loan- One- ▁1.5- ▁amplify- ▁electrification- ▁umbrella- ▁wild- ▁stuck- ▁admit- ▁absorbing- ▁Solar- ▁satisfying- ▁instruct- ▁Utilities- ▁roaming- ▁uncover- ▁Louis- ▁desk- ▁Sears- ▁installing- ▁lessen- ▁tightened- generating- ▁RM- ▁CAR- ▁MD- ▁compounded- ▁FL- ▁Domestic- ▁housekeeping- ▁radical- ▁leap- ▁camp- ▁GI- ▁accrue- ▁articulate- ▁LC- ▁struggled- under- ▁English- ▁counsel- ▁aesthetic- ▁Human- ▁gig- position- ▁frontline- ▁Authority- ▁William- ▁mechanics- ▁sampling- ▁sterling- ▁Living- ▁Regional- ▁wound- ▁Josh- ▁excel- ▁Initial- ▁abilities- ▁Pass- more- ▁witness- ▁moderately- ▁Coming- ▁DM- ▁Recent- ▁Silver- ▁Starbucks- ▁Whilst- ▁responsibly- ▁sacrifice- ▁abandon- ▁captive- ▁Chuck- ▁cornerstone- ▁Audi- office- ▁Penn- ▁permanently- critical- ▁NAND- ▁certificate- ▁consuming- ▁cubic- ▁pharmacies- ▁Alpha- ▁preview- ▁pub- ▁Vince- ▁x- ▁reprice- ▁Verizon- ▁ammonia- ▁introductory- ▁probable- ▁reliant- ▁subcontractor- ▁cited- ▁Being- ▁Cro- trip- ▁Wind- ▁Austria- ▁OLED- ▁Oregon- ▁revamp- ▁structuring- ▁yourselves- ▁grind- ▁multichannel- ▁ACA- ▁Simon- ▁drastic- ▁Engineering- ▁Israel- ▁cognitive- ▁ocean- ▁refurbishment- ▁renegotiation- ▁undervalued- ▁Cross- rich- '40'- ▁insert- ▁Partner- ▁critic- 5,000- ▁neighbor- ▁Dennis- ▁LED- ▁mandatory- ▁necessity- ▁peripheral- ▁provincial- ▁theoretical- ▁bleed- ▁hyperscale- ▁Dollar- ▁Environmental- ▁interval- ▁Events- ▁tightness- ▁machinery- ▁pitch- ▁broadest- leasing- ▁architect- ▁repurchasing- ▁subdued- ▁turnkey- ▁reject- ▁Edge- ▁ethic- ▁static- ▁customization- ▁engineer- ▁relentlessly- ▁backfill- ▁vesting- share- ▁logistical- '90'- ▁Count- enabled- ▁APAC- ▁COGS- ▁Norwegian- ▁Swedish- ▁bankruptcies- ▁lunch- ▁overarching- ▁sophistication- ▁tirelessly- ▁waiver- ▁breath- reclassification- ▁periodically- ▁modernizing- ▁Santa- ▁inspired- creation- ▁perceive- ▁DR- ▁scan- gram- ▁2021- ▁Institute- ▁Jerry- ▁Philadelphia- ▁rethink- ▁singular- ▁arbitration- ▁dense- ▁NR- ▁implication- ▁Virtu- ▁Holdings- ▁disposable- ▁earliest- ▁featuring- ▁repatriation- ▁veteran- ▁interchange- ▁wholly- ▁NDA- ▁dominated- ▁repeatable- ▁flattening- ▁Mary- ▁continual- ▁Notwithstanding- ▁Profit- ▁ceiling- ▁resolving- ▁unitholders- ▁afterwards- ▁replenishment- ▁headway- ▁Epic- ▁Van- ▁Foundation- ▁binding- ▁dispatch- ▁orientation- ▁anomaly- ▁kill- ▁Sunday- ▁echo- ▁onwards- ▁Peru- ▁governor- ▁logistic- ▁farmer- ▁Companies- ▁FedEx- ▁Relative- ▁rotation- ▁Fire- ▁redirect- ▁brain- ▁matches- ▁discern- ▁Clinical- ▁Generation- ▁NASDAQ- ▁Spirit- ▁elevating- ▁ethane- ▁ethylene- ▁intermodal- ▁microphone- ▁nonresidential- ▁oversupply- ▁unnecessary- ▁viability- ▁vice- ▁nonperforming- ▁assert- speed- ▁Understood- ▁abstract- ▁blind- ▁disappear- ▁garden- ▁march- ▁Unless- ▁controllable- ▁biometric- ▁Progressive- ▁loop- ▁Howard- ▁taper- ▁withstand- Tech- ▁Continued- ▁expiring- ▁imbalance- ▁substance- ▁virtue- ▁egg- ▁Cisco- ▁reimbursed- borne- ▁amortized- ▁coordinated- suit- trol- ▁narrowed- balance- ▁Channel- ▁Connecticut- ▁Increasing- ▁biosimilar- ▁surveillance- ▁untapped- ▁Tower- ▁cabinet- ▁curtailment- ▁compressed- ▁MP- ▁prediction- company- fuel- ▁Senate- ▁stockpile- ▁oftentimes- ▁Index- ▁underpinning- ▁HD- ▁DSO- ▁owe- ▁controller- ▁standardization- ▁Aero- dependent- agnostic- ▁None- ▁drift- ▁Ministry- ▁immense- ▁imminent- ▁Panama- ▁stemming- ▁specialties- ▁truckload- ▁Lee- ▁vet- ▁painful- ▁tune- ▁arguably- ▁ignore- ▁struck- ▁Terry- ▁orphan- ▁interview- ▁Visa- ▁favorability- home- ▁closest- plex- ▁placebo- ▁Quality- ▁Supreme- ▁aforementioned- ▁champion- ▁furnace- ▁obstacle- ▁quantum- ▁tempered- ▁disappointment- ▁Philip- ▁underwriters- ▁supermarket- ▁syndicated- ▁inspire- ▁Lloyd- ▁unwavering- ▁OTT- 4,000- ▁baby- ▁unrelated- sproportionately- eign- ▁lapse- ▁propose- ▁skew- ▁lump- ▁Pete- ▁Consulting- ▁Jennifer- ▁Thanksgiving- ▁Twitter- ▁cultivate- ▁deviation- ▁imposed- ▁narrative- ▁shelves- ▁supplied- ▁Army- ▁nerve- ▁rationalizing- ▁formulary- ▁accompanied- ▁MAC- ▁emission- ▁35%- prem- ▁cater- ▁reshaping- ▁injuries- ▁canceled- ▁solicitation- ▁Coach- ▁banner- ▁hourly- ▁Animal- ▁PayPal- ▁Wireless- ▁harsh- ▁varied- ▁2012- ▁Romania- ▁wrapped- ▁acquirer- ▁interconnection- aaS- ▁nearby- ▁gun- assi- ▁Charter- ▁District- ▁iPhone- ▁Android- ▁intimate- ▁adopters- ▁Law- ▁Join- ▁occupied- ▁BA- ▁subsea- ▁procure- ▁SEDAR- ▁calculating- ▁cardiac- ▁ceramic- ▁cruise- ▁Meaning- ▁offense- ▁biology- ▁mapping- ▁cord- ▁weaknesses- ▁intentional- ▁discretion- ▁inspiration- ▁Fluid- ▁Mississippi- ▁Presentation- ▁Silicon- ▁Ultra- ▁compromising- ▁disagree- ▁eBay- ▁inevitably- ▁inspiring- ▁observing- ▁optimum- ▁cycling- ▁vein- ▁reorder- ▁transferring- ▁decor- ▁height- ▁PURE- ▁Stuart- ▁ballpark- ▁nevertheless- ▁CN- ▁Hunt- ▁oilfield- ▁pocket- ▁surprisingly- ▁Maria- ▁Current- ▁Average- ▁Drilling- ▁bottleneck- ▁nervous- ▁potash- ▁speculative- ▁Kelly- ▁indices- ▁spill- ▁western- ▁Notably- ▁thoroughly- ▁Citi- ▁isolate- Stream- Source- ▁degradation- ▁fiduciary- ▁timber- ▁vegetable- ▁epi- ▁pose- ▁PPA- ▁Oak- ▁richer- ▁broke- ncreased- ▁Pandora- ▁collapse- ▁undoubtedly- ▁megawatts- emphasize- ▁Mainland- ▁intersection- ▁confused- ▁fitting- ▁excessive- ▁Make- school- high- ▁elasticity- ▁magazine- ▁striking- ▁Truck- ▁assigned- developed- ▁travelers- ▁Gar- ▁Precision- ▁Universal- ▁cardiovascular- ▁delinquencies- ▁emotional- ▁filtration- ▁predicated- ▁Dutch- ▁Correct- ▁checkpoint- ▁Factor- ▁Six- ▁tag- ▁Included- ▁cigarette- ▁confusing- ▁contingencies- ▁prescribing- ▁scrutiny- ▁suffice- ▁alloy- ▁systematically- ▁competence- ▁Rest- ▁correlate- ▁Pharma- ▁Engine- ▁credential- ▁exempt- ▁biological- ▁reevaluate- ▁scrubber- ▁wrote- ▁Think- crib- ▁Tier- ▁redefine- ▁exponential- ▁Charlotte- ▁Speak- ▁console- ▁credible- ▁influencing- ▁weakened- ▁Rewards- ▁Games- ▁2,000- ▁Stan- person- ▁tab- ▁Excellence- ▁denominator- ▁earthquake- ▁quartile- ▁reactivation- ▁respiratory- ▁automating- ▁dentist- ▁stickiness- ▁backwards- ▁Return- ▁pullback- ▁Fox- ▁passage- ▁prevail- cession- intensive- vir- ▁Basically- ▁Lincoln- ▁Marriott- ▁Nashville- ▁estimation- ▁summarizing- ▁smoke- ▁transitory- ▁Money- ▁email- ▁distracted- ▁Train- '80'- ▁circumstance- ▁advertiser- ▁tro- ▁Cooper- ▁Manufacturing- ▁Strategy- ▁cybersecurity- ▁devastating- ▁magnet- ▁multitude- ▁presume- ▁guard- ▁commend- ▁sync- ▁encounter- ▁enforce- ▁boutique- ▁contemporary- ▁gratitude- ▁wheat- ▁dream- ▁rebranding- ▁creator- ▁landfill- ▁buses- ▁suspended- ▁Quit- ▁rebate- ▁terminate- ▁List- ▁NAFTA- ▁Renewable- ▁Segment- ▁Transformation- ▁adjacencies- ▁companion- ▁consortium- ▁distributing- ▁repaid- ▁easing- ▁hallmark- ▁Indeed- ▁subsegment- ▁flush- ▁Deep- ▁NPL- ▁subside- ▁instrumentation- ▁portable- ▁render- ▁dead- ▁avenue- oncology- ▁Fleet- ▁quantified- ▁warehousing- ▁adherence- ▁75- ▁layout- ▁Frankly- View- ▁Applied- ▁Considering- ▁Thomas- ▁estimating- ▁lodging- ▁metropolitan- ▁monetary- ▁tunnel- ▁amenities- ▁drone- ▁Utica- ▁instructions- ▁tube- ▁Atlas- ▁stone- ▁Expense- ▁caregiver- ▁football- ▁gratifying- ▁preservation- ▁rebroadcast- ▁retrospective- ▁Airbus- ▁Heath- ▁Old- ▁Veri- trans- troph- ▁Flow- ▁Improvement- ▁Search- ▁Thursday- ▁Yesterday- ▁inconsistent- ▁stimulation- ▁uneven- ▁horsepower- ▁automatic- ▁scrapping- genic- ▁Carol- ▁Apart- ▁realigned- connect- dollar- ▁Anthem- ▁Intelligence- ▁Nigeria- ▁Tampa- ▁judicious- ▁leather- ▁pellet- ▁reimagin- ▁studied- ▁telematics- ▁Idaho- ▁tolerability- ▁Space- ▁Midstream- ▁WiFi- ▁Maryland- ▁Marty- ▁Whereas- ▁normalizing- Atlantic- ▁DIY- ▁Regardless- ▁asphalt- ▁pizza- ▁poultry- ▁propensity- ▁puzzle- ▁redundant- ▁verify- ▁zinc- ▁anxious- ▁immers- ▁reserving- ▁alpha- ▁investigate- ▁Front- ▁Station- ▁quo- ▁shy- ▁resident- abilities- ▁Almost- ▁Summit- ▁duplicate- ▁frustrating- ▁fundraising- ▁Quick- ▁phrase- ▁Iowa- ▁originating- ▁classroom- ▁validating- ▁wrapping- ▁Range- ▁hate- gged- investment- ▁Emerging- ▁Netflix- ▁juncture- ▁longevity- ▁ebb- ▁sidelines- ▁occasionally- ▁nut- ▁lining- ▁spur- ▁viewpoint- ▁Salt- ▁bike- ▁freeze- ▁Ku- world- ▁recur- invest- ▁Entertainment- ▁Portugal- ▁accommodation- ▁feasible- ▁negligible- ▁polymer- ▁preclude- ▁rumor- ▁Depot- ▁retro- ▁antibody- ▁Audience- ▁tractor- ▁salt- ▁auditors- ▁mold- ▁Upon- ▁MRO- business- mproving- ▁Device- ▁abundant- ▁nail- ▁IMAX- ▁settling- ▁chair- tenant- ▁2.0- mitted- ▁Nex- ▁customize- ▁Calgary- ▁ETF- ▁Sunrise- ▁beneficiary- ▁condensate- ▁distributable- ▁speech- ▁virus- ▁Jamie- ▁Fiber- ▁Everybody- ▁heels- ▁Talk- ▁Karen- ▁illustration- ▁recast- ▁acid- ▁Deb- ▁Za- generative- order- acute- border- ▁Arkansas- ▁brown- ▁subsidy- ▁synthetic- ▁Oracle- ▁Rental- ▁boundaries- ▁Daniel- ▁caveat- ▁Comcast- ▁Otherwise- ▁Select- ▁Cancer- ▁Near- ▁trail- craft- Mobile- first- recapitalization- ▁Journeys- ▁expansive- ▁rhythm- ▁spectacular- ▁Aaron- ▁Freight- ▁Airlines- ▁circulation- ▁Susan- ▁Portland- ▁missile- ▁headset- ▁lucky- known- ▁obligat- ▁Four- ▁Cleveland- ▁Czech- ▁constituent- ▁Utility- ▁fierce- ▁recoup- ▁policyholders- ▁Model- ▁restoring- ▁clip- ▁debit- ▁stopping- space- ▁Palm- ▁Active- ▁Discussion- ▁Hudson- ▁Hyatt- ▁Legacy- ▁affinity- ▁balloon- ▁eCommerce- ▁fracture- ▁discharge- ▁plot- ▁Johnson- ▁tailings- ▁conceptual- ▁supplementary- ▁hat- ▁According- trend- ▁Major- ▁accelerator- ▁relax- ▁welcoming- ▁BDC- ▁knee- ▁plateau- ▁compressor- break- ▁embed- ▁Columbus- ▁Learning- ▁Liquid- ▁acuity- ▁altogether- ▁ambulatory- ▁junior- ▁preceding- ▁substitution- ▁syndication- ▁Casino- ▁entail- ▁Julie- ▁constrain- ▁transmit- ground- ▁Engineered- ▁Integrated- ▁accumulation- ▁exclusion- ▁stagger- ▁substantive- ▁Studio- ▁Vehicle- ▁shipyard- ▁0.5- production- ▁Off- ▁categorize- income- ▁Civil- ▁Continuing- ▁blockchain- ▁breakfast- ▁laboratories- ▁refranchising- ▁sacrificing- ▁utmost- ▁cosmetic- ▁dashboard- ▁cease- ▁distill- 8,000- ▁Lending- ▁breed- ▁606- ▁Golden- ▁rightsizing- ▁CRO- currence- ▁Neil- ▁Luc- ▁subscribe- course- tronics- ▁Azure- ▁Equally- ▁Granite- ▁Sydney- ▁appreciative- ▁mentality- ▁solvency- ▁underwritten- ▁helicopter- ▁mattress- ▁mobilize- ▁mutation- ▁plain- ▁reoccur- ▁Empire- ▁identical- ▁methodologies- ▁ASCO- ▁Mining- ▁75%- label- ▁Samsung- ▁Noble- ▁coordinate- ▁luck- ▁Anthony- ▁Beijing- ▁Nielsen- ▁affairs- ▁commoditized- ▁inclined- ▁proliferation- ▁yellow- ▁receptive- ▁Content- ▁tying- ▁cinema- ▁precedent- metric- ▁foothold- ▁cope- itude- ▁detriment- ▁Tableau- ▁hesitant- ▁turmoil- ▁SMB- ▁Watch- ▁thick- ▁Fast- ▁rally- ▁Video- trade- science- ▁Economic- ▁Fitness- ▁Partially- ▁accustomed- ▁athletic- ▁educator- ▁invaluable- ▁scarcity- ▁contest- ▁van- ▁Town- ▁Detail- ▁nowhere- ▁hall- ▁deflationary- ▁Grow- ▁Snap- ▁abuse- ▁prostate- ▁5,000- ▁Invest- ▁Marlin- ▁motivate- ▁ARR- ▁Turk- ▁Downstream- ▁Experience- ▁Venture- ▁analyses- ▁athlete- ▁drain- ▁episode- ▁penalties- ▁smelter- ▁Listener- ▁Carbon- ▁Surface- ▁Blackstone- ▁Internal- ▁agnostic- ▁CAT- currency- ▁BlackRock- ▁Institutional- ▁intensified- ▁sensitivities- ▁situated- ▁stimulus- ▁vacuum- ▁volunteer- ▁worthwhile- ▁prioritization- ▁waterfall- ▁formulate- ▁compress- ▁await- ▁OMIDRIA- ▁Approximately- ▁Storage- ▁blade- ▁congestion- ▁dialysis- ▁hydraulic- ▁mouth- ▁procedural- ▁leach- ▁shallow- ▁responsiveness- ▁string- ▁Victor- purpose- ▁Council- ▁Individual- ▁commencing- ▁independence- ▁nurture- ▁paramount- ▁Member- ▁Unlike- ▁ratable- ▁insulin- ▁inquiry- ▁denominated- ▁holistically- ▁rack- ▁authentication- vantage- ▁Rose- ▁digitize- ▁accumulate- ▁Fiscal- ▁adequacy- ▁alternate- ▁eighth- ▁irrespective- ▁postpaid- ▁rehabilitation- ▁remarkably- ▁taxpayer- ▁arbitrage- ▁hint- ▁discoveries- ▁hook- ▁resetting- ▁bang- system- ▁reconstruct- ▁Agreement- ▁Integration- ▁NASH- ▁Short- ▁Technical- ▁aggregation- ▁chassis- ▁outweigh- ▁vulnerable- ▁scanner- ▁Warner- ▁popularity- ▁PAC- ▁discontinue- ▁dedicate- charge- help- ▁Chegg- ▁Nutrition- ▁depreciate- ▁reclassified- ▁Jackson- ▁clock- ▁tapping- ▁capped- ▁trace- ▁cooperate- ▁School- structure- economic- deliver- ▁Ralph- ▁Example- ▁Utah- ▁irrigation- ▁nonaccrual- ▁suppress- ▁Underlying- ▁remediate- ▁stripping- ▁iteration- ▁sincerely- ▁Orange- path- close- measure- process- ▁Block- ▁Significant- ▁Treasury- ▁caliber- ▁compliment- ▁virtuous- ▁busiest- ▁forthcoming- track- ▁inhibit- profit- ▁reestablish- ▁Progress- ▁Apollo- ▁Tokyo- ▁chemotherapy- ▁mathematical- ▁retiring- ▁stellar- ▁sweep- ▁timeframe- ▁roster- ▁specify- ▁Ameri- ▁SIM- carbon- ▁Alabama- ▁Application- ▁Hemisphere- ▁Mineral- ▁administrator- ▁dinner- ▁empty- ▁endorsement- ▁facilitating- ▁happier- ▁vacancies- ▁voting- 7,000- ▁protest- ▁reactivate- ▁bird- ▁aspire- apples- ▁redevelop- ▁hazard- ▁Iridium- ▁Related- ▁experiential- ▁mismatch- ▁philosophical- ▁thumb- ▁Leasing- ▁deductibility- ▁Drug- ▁Wild- ▁illustrat- ▁reinvigorate- ▁sandwich- ▁Affordabl- ▁DOL- ▁Hilton- ▁advocacy- ▁antibodies- ▁chief- ▁entrance- ▁examining- ▁snapshot- ▁unfair- ▁ForEx- ▁defect- ▁mixture- ▁Getting- ▁digging- ▁Monster- ▁liquidate- ▁characteristic- period- cutting- ▁Competition- ▁Furniture- ▁Kroger- ▁oxygen- ▁vigorously- ▁2011- ▁fellow- heim- ▁alcohol- competitive- megawatt- ▁Fifth- ▁Retirement- ▁Robinson- ▁counterparties- ▁dispense- ▁petroleum- ▁rainfall- ▁separating- ▁testimony- ▁PBM- ▁restatement- ▁restocking- ▁instill- ▁brake- ▁syndicate- Pacific- ▁Previously- ▁escalator- ▁offensive- ▁perimeter- ▁problematic- ▁recreational- 6,000- ▁Bowl- ▁Kindred- ▁purposeful- ▁Half- ▁increment- flex- ▁bargain- ▁reengineer- ▁Heavy- ▁Jeremy- ▁flagged- ▁unconventional- ▁unreasonable- ▁Creative- ▁Gaming- ▁Sorry- ▁LTE- ▁Vista- ▁excite- ▁suspend- producing- complete- ▁Winnebago- ▁Signature- ▁Subsequent- ▁fabulous- ▁hypothesis- ▁inherited- ▁legislature- ▁marry- ▁revising- ▁lagged- ▁motorcycle- ▁depict- ▁divert- ▁shore- ▁persistence- ▁deduct- efficiency- platform- ▁Virgin- ▁Century- ▁Currency- ▁MLP- ▁Plaza- ▁annuities- ▁flawless- ▁lobby- ▁monotherapy- ▁cotton- ▁configure- ▁Genesis- ▁Crest- Guard- ▁inspect- operated- ▁expose- ▁Academy- ▁Champion- ▁Especially- ▁Resort- ▁depletion- ▁prestigious- ▁spark- ▁Weather- ▁trauma- ▁Michelle- ▁Term- ▁Build- established- ▁cabin- ▁Whole- ▁Administration- ▁Polish- ▁platinum- ▁remeasurement- ▁humble- ▁outlining- ▁Own- ▁scanning- ▁cooperative- ▁Reduc- ▁parse- ▁Custom- neutral- ▁Affiliate- ▁Limited- ▁Nuclear- ▁Targa- ▁frustration- ▁oxide- ▁practitioner- ▁reconsider- ▁underperformed- ▁subsidize- ▁bacteria- ▁buck- ▁gray- ograph- Care- ▁Acquisition- ▁Cameron- ▁Interactive- ▁Saturday- ▁congratulations- ▁escalate- ▁noncontrolling- ▁safeguard- ▁funeral- ▁giant- ▁river- ▁Kirk- ▁Harris- defined- ▁Section- ▁Victoria- '70'- ▁NASCAR- ▁Pinnacle- ▁destroy- ▁retroactive- ▁viral- ▁Leverag- ▁pork- ▁habit- located- ▁Combin- ▁Inventory- ▁insignificant- ▁literature- ▁nitrogen- ▁qualities- ▁retransmission- ▁terribly- ▁unforeseen- ▁NII- ▁merging- ▁Cedar- ▁hydrocarbon- ▁Social- ▁melt- ▁origin- ▁Deposit- ▁Rapid- ▁buoy- ▁Avenue- ▁Depending- ▁Pfizer- ▁hospice- ▁ladder- ▁overcapacity- ▁reconciling- ▁unleash- ▁attribution- ▁FCC- ▁IBM- ▁wastewater- ▁baking- ddle- called- ▁Driving- ▁Jordan- ▁Restaurant- ▁calibrate- ▁decelerate- ▁discontinuation- ▁enzyme- ▁nonetheless- ▁segregat- ▁slippage- ▁sovereign- ▁steroid- ▁remix- ▁Crane- ▁pinpoint- ▁Display- ▁dump- ▁coding- ▁Likewise- Works- credit- ▁Double- ▁Catalyst- ▁Halloween- ▁NEXT- ▁blockbuster- ▁incidence- ▁eastern- ▁blast- ▁Dream- regulated- lecommunications- ▁Kind- storm- ▁Surgical- ▁Triumph- ▁editorial- ▁irrational- ▁juice- ▁kiosk- ▁slope- ▁sulfur- ▁Dental- ▁vending- ▁Insight- ▁Baker- ▁anecdotal- ▁Whit- ▁dilute- ▁Albert- development- voltage- ▁College- ▁destiny- ▁influx- ▁microbiome- ▁migraine- ▁occupy- ▁politics- ▁reversion- ▁rubber- ▁variant- ▁Glass- ▁NOLs- ▁supervisor- ▁Trading- ▁loud- ▁infant- ▁weapon- operative- ▁technique- ▁surround- ▁distress- ▁tradition- ▁Advisor- ▁Bancorp- ▁Collection- ▁League- ▁Perfect- ▁pragmatic- ▁firing- ▁Know- ▁Better- ▁slice- ▁dwell- ▁outlier- ▁colleague- prime- Bank- ▁Buffalo- ▁Greece- ▁Portfolio- ▁Sustain- ▁Taylor- ▁Women- ▁cohesive- ▁hypothetical- ▁nontraditional- ▁refractory- ▁stewardship- ▁Darren- ▁horse- ▁Irish- ▁Arrow- ▁Associate- ▁Nonetheless- ▁Williston- ▁YouTube- ▁catheter- ▁latency- ▁maritime- ▁uncommon- ▁firewall- ▁Speed- ▁orange- ▁Pharmacy- ggle- ▁Including- ▁Restructuring- ▁bubble- ▁clause- ▁consummate- ▁deficiency- ▁receptor- ▁redundancy- ▁titanium- ▁Windows- ▁thread- ▁Partnership- ▁Accu- plica- ▁Solution- ▁assemble- ▁author- ▁AFFO- ▁Cologuard- ▁aggregator- ▁behaving- ▁choppiness- ▁conservation- ▁groundbreaking- ▁impediment- ▁reallocating- ▁registry- ▁tandem- ▁Besides- ▁Lisa- ▁Help- ▁STAR- 0%- ▁Charlie- ▁Orleans- ▁Platinum- ▁abundance- ▁acquisitive- ▁locomotive- ▁maturation- ▁pervasive- ▁pulse- ▁Christian- ▁Housing- ▁instability- ▁textile- group- ▁Bottom- ▁Detroit- ▁LIFO- ▁Mutual- ▁Positive- ▁Tyler- ▁Wondering- ▁arriving- ▁beneficiaries- ▁century- ▁dismiss- ▁turbulence- ▁DUC- ▁OPEC- ▁pathogen- ▁adhere- ▁Music- ▁originator- ▁prohibit- ▁grocer- nanometer- ▁FireEye- ▁believing- ▁false- ▁matrix- ▁proposing- ▁remedy- ▁shaft- ▁Brett- ▁Hello- ▁Allied- ▁arrow- pronged- ▁snap- cloud- ▁Campbell- ▁Loyalty- ▁Patterson- ▁Terminal- ▁biomass- ▁exercising- ▁footnote- ▁fragrance- ▁frustrated- ▁garage- ▁interference- ▁referendum- ▁simplifies- ▁unrivaled- ▁seemingly- ▁Close- direct- ▁dominate- Health- Corp- ▁Fabric- ▁Casualty- ▁Petrobras- ▁SCOOP- ▁acknowledging- ▁activating- ▁delineation- ▁dissipate- ▁exterior- ▁orthopedic- ▁resumption- ▁shield- ▁stainless- ▁Imaging- ▁outgrow- ▁Beverage- ▁Expect- ▁Outdoor- ▁brilliant- ▁curriculum- ▁decentralized- ▁deteriorating- ▁episodic- ▁fault- ▁Automation- ▁retool- ▁darn- ▁Terra- ▁debut- ▁dangerous- ▁IND- ▁Couple- ▁amortize- dealer- ▁BOSS- ▁Cardinal- ▁Hollywood- ▁Pizza- ▁Study- ▁antitrust- ▁autumn- ▁bunker- ▁ePlex- ▁frequencies- ▁hinder- ▁inflammation- ▁infotainment- ▁relocating- ▁victory- ▁Critical- ▁Geographic- ▁transpire- ▁carpet- ▁insurer- interest- walk- insured- ▁phenomena- ▁Specific- ffsetting- ▁Appalachia- ▁Particularly- ▁Westinghouse- ▁ambassador- ▁lithium- ▁lucrative- ▁unsustainable- ▁firearm- ▁tolerance- ▁FinTech- ▁promo- ▁celebrating- ▁conducive- ▁disparate- ▁Subsea- ▁Tesco- ▁halt- ▁Lauren- ▁Mitch- frac- ▁Managing- ▁Recovery- ▁Watson- ▁Wyndham- ▁compatible- ▁council- ▁facilitator- ▁league- ▁prolific- ▁unacceptable- ▁preempt- ▁secondarily- ▁embedding- ▁vacate- gui- ▁Banc- ▁occupie- enhancing- ▁Dublin- ▁Florence- ▁Franchise- ▁LOE- ▁Properties- ▁clothing- ▁excise- ▁obsess- ▁relapse- ▁Jean- ▁racing- ▁Etsy- ▁burger- ▁Temp- ▁photograph- ▁stride- Mark- watch- ▁equip- ▁Chapter- ▁Offshore- ▁Regulatory- ▁Seasonal- ▁enviable- ▁exemplifie- ▁fracturing- ▁inaugura- ▁plasma- ▁thriving- ▁Fusion- ▁lawyers- ▁peel- ▁alluding- ▁aisle- minating- necdotally- ▁simultaneous- ▁frank- authorized- ▁Dolby- ▁EXPAREL- ▁LTL- ▁Wednesday- ▁biopsy- ▁bureau- ▁collision- ▁contiguous- ▁desperate- ▁expeditious- ▁female- ▁veterinary- ▁Moody- ▁halo- ▁reagent- ▁remiss- ▁handicap- asset- ▁Advertising- ▁Gathering- ▁Surgery- ▁dermatology- ▁festival- ▁intermediary- ▁modalities- ▁syndrome- ▁sweetener- ▁rotate- ▁Needle- ▁stead- ▁Analysis- ▁HVAC- ▁Secure- ▁Volkswagen- ▁affluent- ▁amplified- ▁copies- ▁culinary- ▁hindsight- ▁implicit- ▁inaccurate- ▁pollution- ▁radiation- ▁susceptible- ▁veterinarian- ▁50-50- ▁grasp- ▁paving- ▁rehab- ▁unused- ▁depot- ▁renal- ▁bull- ▁interrupt- ▁Publishing- ▁Splunk- ▁biopharma- ▁deplete- ▁explosive- ▁injunction- ▁mountain- ▁pyramid- ▁quantification- ▁resurgence- ▁underutilized- ▁viewership- ▁northeast- ▁aftermath- ▁sweat- ▁knit- ▁delineate- ▁definite- claim- etween- ▁Flotek- ▁Haynesville- ▁Scientific- ▁Spark- ▁ammunition- ▁examination- ▁faculty- ▁framing- ▁hygiene- ▁ninth- ▁Fixed- ▁Traditional- ▁Henry- ▁vocal- ▁Flat- ▁Merchant- ▁Microchip- ▁Spectrum- ▁Triferic- ▁densification- ▁equilibrium- ▁identifies- ▁illegal- ▁predecessor- ▁reversing- ▁shadow- ▁vascular- ▁tubing- ▁tiny- ▁invitation- ▁tolerated- utheastern- moving- ▁disturb- ▁Chipotle- ▁Cushing- ▁Effective- ▁Keppel- ▁Summer- ▁bracket- ▁fibrosis- ▁undrawn- ▁contend- ▁franc- ▁Argentin- ▁arrange- ▁Adobe- ▁Kratos- ▁Quantum- ▁admittedly- ▁prudence- ▁DTC- ▁debenture- ▁diving- ▁Quint- ▁Titan- ▁cream- ▁relieve- ▁Apparel- ▁Conversely- ▁Employee- ▁Frozen- ▁Hampshire- ▁Staffing- ▁Yield- ▁buzz- ▁census- ▁clarified- ▁compensating- ▁finite- ▁influential- ▁protracted- ▁submarine- ▁valuing- ▁Fundamental- ▁Canyon- ▁Tommy- ▁investigator- ▁archive- ▁locate- ▁revolve- Vision- collect- ▁Protect- ▁overshadow- ▁reconfirm- ▁reintroduc- ▁Circuit- ▁Hungary- ▁duplication- ▁formidable- ▁intermediaries- ▁remuneration- ▁sauce- ▁biopharmaceutic- ▁admin- burn- screen- mproved- ▁Novartis- ▁Oxford- ▁cultivating- ▁reengage- ▁renegotiating- ▁reorganizing- ▁Something- ▁Linda- change- technology- mobile- standard- 2,000- ▁Michel- ▁Brown- ▁Commonwealth- ▁Honda- ▁Kathy- ▁Memory- ▁Separately- ▁constellation- ▁redetermination- ▁unbilled- ▁unintended- ▁crystallize- ▁harmonize- ▁Forrester- ▁Collectively- ▁Montana- ▁Reflect- ▁consolidator- ▁expensing- ▁mobilization- ▁reassure- ▁remedies- ▁rescue- ▁microcontroller- ▁Command- ▁sailing- ▁myriad- ▁Crown- ▁deviate- energy- ▁helm- ▁Flag- ▁Cinema- ▁Recogniz- ▁Oncology- ▁Pioneer- ▁approving- ▁atmosphere- ▁autonomy- ▁celebration- ▁invoicing- ▁legitimate- ▁peace- ▁refrigeration- ▁shelter- ▁Flash- ▁Sterling- ▁regret- ▁rotating- ▁multiply- ▁erode- ▁Triple- ▁assign- constrained- ▁Develop- ▁Expand- ▁Mosaic- ▁Alpine- ▁diameter- ▁hidden- ▁mezzanine- ▁multifaceted- ▁reconfigure- ▁ruble- ▁tournament- ▁uranium- ▁2022- ▁MBS- ▁tilt- ▁lesion- ▁err- IVE- ▁criminal- ▁Broker- ▁Comfort- ▁Exactly- ▁Facility- ▁basketball- ▁explosion- ▁hypo- ▁investigating- ▁obsolete- ▁plumbing- ▁voyage- ▁whiskey- ▁pruning- ▁retreat- ▁ripe- minded- average- ▁potent- ▁gravitat- ▁refrain- ▁Alzheimer- ▁Freddie- ▁Heritage- ▁Intermodal- ▁catastrophic- ▁caustic- ▁geology- ▁indebtedness- ▁multibillion- ▁nonstrategic- ▁occupancies- ▁propulsion- ▁terrible- ▁summit- ▁Understand- managed- ▁Cincinnati- ▁Condition- ▁Governor- ▁Holiday- ▁Initiative- ▁MiFID- ▁cheese- ▁deficiencies- ▁elegant- ▁elevation- ▁nonoperating- ▁receptivity- ▁scatter- ▁theatrical- ▁varieties- ▁PFS- ▁entries- ▁ourself- ▁browse- ▁lull- ▁Commodit- ▁Thermo- chieving- target- ▁Bureau- ▁Circle- ▁Completion- ▁Instagram- ▁Polaris- ▁Qualcomm- ▁Student- ▁Wyoming- ▁averaging- ▁delinquent- ▁franchising- ▁ratably- ▁requisite- ▁underscoring- ▁vinyl- ▁Instant- ▁LTAC- ▁Transition- ▁fastener- ▁Container- ▁Mercury- ▁Superior- ▁Wolfcamp- ▁accumulating- ▁eligibility- ▁expend- ▁himself- ▁methanol- ▁voucher- ▁Knight- ▁Carrier- ▁subtract- ▁Ranch- ▁entrant- approved- ▁Frankfurt- ▁Melbourne- ▁anxiety- ▁cartridge- ▁combustion- ▁escalating- ▁infectious- ▁laundry- ▁pledge- ▁styrene- ▁custodia- ▁Interestingly- segment- normal- annual- ▁multimillion- inflammatory- ▁Brothers- ▁Jacobs- ▁Minneapolis- ▁Principal- ▁dispensing- ▁jeopardiz- ▁nutrient- ▁Enhanc- xisting- midst- typical- ▁solicit- ▁Dominic- ▁Edmonton- ▁Fannie- ▁Identity- ▁Ingredients- ▁Nokia- ▁Yelp- ▁allegations- ▁appraise- ▁envisage- ▁flesh- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_unnorm_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.8distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm/lm_train_lm_en_unnorm_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 55692dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm/lm_stats_en_unnorm_bpe10000/train/text_shape.bpevalid_shape_file:- exp_unnorm/lm_stats_en_unnorm_bpe10000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- ▁in- ▁that- ''''- ▁a- ▁our- s- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁this- ▁be- ▁We- ▁And- ▁will- re- '-'- ▁year- ▁quarter- ▁at- ▁more- ▁So- ▁from- ▁business- ▁think- ▁what- t- ▁not- ▁some- ▁us- ▁by- ▁about- ▁there- ve- ▁growth- ▁can- ▁was- ▁which- ▁new- ▁very- ▁or- ▁do- '?'- ▁an- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁been- ▁all- ▁just- ▁has- ▁these- ▁so- ▁well- ▁those- ▁over- ▁now- ▁time- ▁customers- ▁into- ▁where- ▁like- ▁first- ▁results- ▁out- ▁But- ▁really- ▁other- ▁how- ll- ing- ▁if- d- ▁their- ▁up- ▁forward- ▁expect- ▁company- ▁were- ▁than- ▁last- ▁your- ▁look- ▁through- ▁get- ▁any- ▁because- ▁one- ▁call- ▁strong- ▁had- ▁believe- ▁sales- ▁when- ▁This- ▁then- ▁As- ▁good- ▁second- ▁In- ▁revenue- m- ▁performance- ▁product- ▁make- ▁lot- ▁cost- n- ▁much- ed- ▁years- ▁Our- ▁could- ▁financial- ▁capital- ▁terms- ▁don- ▁future- ▁both- ▁impact- ▁right- ▁value- ▁them- ▁It- ▁today- ▁little- ▁want- ▁customer- ▁next- ▁bit- ▁back- ▁work- ▁increase- ▁products- ▁take- ▁number- ▁end- ▁higher- ▁opportunities- ▁able- ▁half- ▁markets- ▁kind- ▁way- ▁may- ▁significant- ▁know- ▁operating- ▁better- ▁go- ▁cash- ▁say- ▁things- ▁still- ▁focus- ▁most- ▁statements- ▁provide- ▁should- ▁being- ▁point- ▁part- ▁team- ▁across- ▁lower- ▁made- ▁opportunity- ▁need- ▁important- ▁third- ▁2- ▁during- ▁rate- ▁line- ▁long- ▁people- ▁fourth- ▁down- ▁strategy- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁around- ▁portfolio- ▁working- ▁management- ▁share- ▁price- ▁investment- ▁due- ▁additional- ▁actually- ▁give- ▁only- ▁come- ▁while- ▁seeing- ▁high- ▁demand- ▁no- ▁few- ▁plan- ▁same- ▁looking- ▁progress- ▁here- ▁great- ▁costs- ▁even- ▁development- ▁different- ▁margin- ▁result- ▁current- ▁seen- ▁doing- ly- ▁grow- ▁further- ▁start- ▁change- ▁coming- ▁guidance- ▁positive- ▁service- ▁me- ▁earnings- ▁data- ▁drive- ▁technology- ▁position- ▁process- ▁key- ▁full- ▁investments- looking- ▁past- ▁That- ▁said- ▁who- ▁turn- ▁overall- ▁basis- ▁expected- ▁improve- ▁increased- ▁support- ▁again- ▁question- ▁3- ▁within- ▁focused- ▁sort- ▁services- ▁got- ▁environment- ▁potential- ▁help- ▁before- ▁businesses- ▁large- ▁pricing- ▁months- ▁These- ▁remain- ▁making- ▁done- ▁balance- ▁something- ▁ability- ▁interest- ▁strategic- ▁move- ▁already- ▁production- ▁sure- ▁side- ▁based- ▁platform- ▁best- ▁program- ▁such- ▁information- ▁mentioned- er- ▁acquisition- ▁Now- ▁Q- ▁talk- ▁expectations- ▁maybe- ▁early- ▁several- ▁operations- ▁use- ▁put- ▁given- ▁segment- ▁feel- ▁deliver- ▁assets- ▁rates- ▁pleased- ▁changes- ▁experience- ▁period- ▁my- ▁each- ▁couple- ▁growing- ▁You- ▁base- ▁benefit- ▁including- ▁place- ▁improvement- ▁projects- ▁tax- ▁order- ▁certain- ▁model- ▁related- ▁initiatives- term- ▁areas- ▁companies- ▁activity- ▁driven- ▁build- ▁continues- ▁getting- ▁existing- ▁A- ▁margins- ▁flow- ▁its- ▁levels- ▁addition- ▁term- ▁commercial- ▁pretty- ▁volume- ▁fact- ▁thing- ▁income- ▁course- S- ▁capacity- ▁big- ▁factors- ▁quarters- y- ▁might- ▁clients- ▁probably- ▁net- ▁mix- ▁always- ▁does- ▁competitive- ▁There- ▁under- ▁release- ▁mean- ▁risk- ▁marketing- ▁brand- ▁Thank- ▁quite- ▁prices- ▁saw- al- ▁update- ▁offset- ▁top- ▁why- ▁project- ▁every- ▁supply- ▁available- ▁off- ▁world- ▁leverage- ▁having- e- ▁With- ▁recent- ▁after- ▁between- ▁efforts- ▁core- ▁global- ▁quality- ▁conference- ▁area- ▁shareholders- ▁earlier- ▁real- ▁far- ▁less- ▁understand- ▁let- ▁low- ▁prior- ▁expenses- ▁trying- ▁actual- ▁credit- ▁primarily- ▁continuing- ▁building- ▁amount- ▁another- ▁system- ▁While- ▁certainly- ▁digital- ▁view- ▁whether- ▁solutions- ▁operational- ▁success- ▁questions- ▁pipeline- ▁day- ▁inventory- ▁outlook- ▁return- ▁range- ▁Or- ▁ahead- ▁taking- ▁improved- ▁review- ▁set- ▁expense- ▁If- ▁thank- ▁major- ▁retail- ▁profitability- ▁fiscal- ▁capabilities- ▁timing- ▁risks- ▁expand- ▁materially- ▁group- ▁presentation- ▁increasing- ▁confident- ▁ago- ▁consumer- ▁obviously- ▁revenues- ▁excited- ▁benefits- ▁hard- ▁For- ▁driving- ▁own- ▁moving- ▁What- ▁acquisitions- ▁On- ▁plans- ▁talked- ▁differ- ▁non- ▁solid- ▁partners- ▁- ▁increases- ▁China- ▁sheet- ▁expansion- ▁perspective- in- ▁particularly- ▁4- ▁distribution- ▁keep- ▁approach- ▁invest- ▁bring- ▁S- ▁add- ▁structure- ▁Yes- ▁space- ▁They- ▁debt- ▁stores- ▁sense- ▁small- ▁total- ▁versus- ▁compared- ▁asset- ▁programs- ▁improving- ▁begin- ▁measures- ▁clear- ▁numbers- ▁longer- ▁specific- ▁patients- ▁close- ▁needs- ▁significantly- ▁consistent- ▁average- ▁open- ▁create- ▁trends- ▁beginning- ▁scale- ▁run- C- ▁currently- ▁re- ▁strength- ▁conditions- ▁network- r- ▁tell- ▁decline- ▁since- ▁organization- ▁points- ▁5- ▁detail- ▁transaction- ▁volumes- ▁include- ▁execution- ▁anything- ▁profit- ▁towards- ▁per- ▁deal- ▁contract- ▁together- ▁cause- ▁larger- ▁starting- ▁remains- ▁However- ▁advantage- ▁material- ▁spend- ▁efficiency- ▁uncertainties- ▁comments- ▁throughout- ▁example- ▁fully- ▁ongoing- ▁greater- ▁organic- ▁yet- ▁events- ▁store- ▁care- ▁1- ▁trend- ▁successful- ▁2017- ▁announced- ▁brands- ▁morning- ▁returns- ▁started- ▁Europe- ▁discuss- ▁find- ▁gas- or- ▁control- ▁difficult- ▁innovation- ▁reduce- ▁talking- ▁particular- ▁track- ▁At- ▁achieve- ▁case- o- ▁allow- ▁short- ▁become- ▁infrastructure- ▁access- ▁decision- ▁later- ▁momentum- ▁providing- ▁recently- ▁Okay- ▁completed- ▁improvements- c- ▁press- ▁along- ▁associated- ▁oil- ▁too- ▁sell- ▁discussed- ▁guess- ▁try- ▁activities- es- ▁systems- ▁manage- ▁impacted- p- 'on'- ▁lines- ▁note- ▁report- ▁previously- ▁everyone- ▁2018- ▁similar- ▁confidence- ▁anticipate- ▁used- ▁remarks- ▁issues- ▁offering- ▁pressure- ▁6- ▁U- ▁effect- to- ▁reduction- ▁integration- ▁record- ▁health- ▁teams- ▁pay- ▁segments- ▁offer- ▁reason- ▁board- ▁positioned- ▁Before- ▁delivering- ▁launch- ▁meet- ▁investors- ▁energy- ▁economic- ▁website- ▁equity- ▁against- ▁cycle- ▁subject- ▁2016- ▁contracts- ▁items- ▁slightly- ▁percentage- ▁stock- ▁quickly- ▁using- ▁guys- ▁power- ▁money- ▁single- ▁Slide- ▁actions- ▁beyond- ▁adjusted- ▁front- ▁international- ▁selling- ▁leadership- ▁To- ▁equipment- ▁channel- ▁clearly- ▁target- ▁especially- ▁possible- ▁spending- ▁unique- ▁relative- ▁direct- ▁once- ▁size- ▁remind- ▁comes- ▁means- ▁general- ▁combination- ▁incremental- ▁maintain- ▁without- ▁facility- ▁manufacturing- ▁execute- ▁multiple- ▁rest- ▁complete- ers- ▁employees- ▁resources- ▁One- ▁either- year- ▁ensure- ▁client- ▁near- ▁job- up- ▁thinking- ▁issue- ▁details- ▁taken- ▁online- ▁challenges- ▁included- ▁content- ▁local- ▁show- ▁loan- ▁reflect- ▁investing- ▁various- ▁generate- ▁type- ▁regarding- ▁leading- ▁month- G- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁wanted- ▁whole- ▁meaningful- g- ▁date- ▁attractive- ▁New- ▁F- ▁B- ▁productivity- ▁relationships- ▁happen- ▁corporate- ▁transition- ▁stronger- ▁free- ▁regulatory- ▁solution- ▁largest- ▁committed- ▁All- ▁thought- ▁partner- ▁goal- ▁government- ▁marketplace- ▁deals- ▁profitable- M- ▁sale- ▁discussion- ▁relatively- ▁delivered- ▁cloud- ▁shift- ▁clinical- ▁portion- P- ▁anticipated- ▁likely- ▁annual- ▁favorable- ▁savings- ▁chain- ▁public- ▁Well- ▁EBITDA- ▁provided- ation- ▁ways- ▁When- ▁respect- ▁consumers- ▁lead- GAAP- ▁prepared- ▁serve- ▁least- ▁bottom- ▁comment- ▁days- ▁highly- a- ▁underlying- ▁transformation- ▁delivery- ▁category- le- T- ▁develop- ▁moment- ▁flexibility- ▁combined- ▁Let- ▁gives- ▁experienced- ▁address- ▁orders- ▁dividend- ro- ▁First- ▁closing- able- ▁E- ▁season- ▁built- ▁haven- ▁majority- ▁C- ▁entire- ur- ▁Can- u- ▁slide- ▁quarterly- ▁design- ▁agreement- ▁expanding- ▁hope- ▁situation- ▁challenging- ▁step- D- ▁though- ▁efficient- ▁effective- ▁accelerate- ▁commitment- ▁generation- ▁upon- ▁initial- ▁generally- ▁answer- ▁home- ▁buy- ▁doesn- ▁required- ▁strategies- ▁play- ▁competitors- ▁currency- ▁During- ▁normal- ▁country- ▁critical- ▁provides- ▁everything- ▁region- ▁largely- ▁hand- ▁facilities- ▁active- ▁week- ▁competition- ▁loss- ▁pace- ▁enhance- ▁T- ▁profile- ▁bank- ▁extremely- ▁smaller- ▁behind- ▁patient- ▁weeks- ▁enough- ▁e- ▁property- ▁ourselves- ▁flat- ▁allows- ▁stable- ▁book- ▁relationship- ▁Please- ri- ▁following- ▁sector- ▁operate- E- ▁sustainable- ▁came- ▁ever- ▁planning- ▁reported- end- ▁fair- ▁categories- ▁am- ▁final- ▁includes- ▁happy- ▁away- ▁specifically- ▁software- B- ▁recovery- b- ▁assumptions- ▁unit- ▁internal- ▁effort- ▁reduced- ▁loans- ▁his- R- ▁running- ▁contribution- ▁transactions- ▁accounts- ▁reach- ▁ramp- ▁achieved- ▁rather- ▁life- O- ▁he- ▁enable- l- ar- ▁technologies- ▁wondering- ▁exactly- ▁account- ▁GAAP- ▁metrics- I- ▁follow- ▁offerings- ▁parts- ▁state- ▁above- A- L- K- ▁faster- ▁units- ▁makes- ▁applications- ▁appropriate- ▁added- ▁mobile- ▁gain- ▁decrease- ▁un- ▁won- ▁G- ▁efficiencies- ▁weather- th- ▁received- ▁10- ▁safety- ▁private- ▁reflects- ▁basically- ▁channels- ▁exciting- ▁estate- ion- ra- ▁directly- ▁seems- ▁changed- ▁discussions- ▁study- ▁partially- ▁consider- ▁industrial- over- ▁developing- ▁took- ▁insurance- ▁accounting- ▁outside- ▁field- ▁footprint- '1'- ity- ▁restructuring- ▁plant- ▁shareholder- ▁ratio- ▁statement- ▁P- ▁changing- ▁reasons- x- ▁center- ▁substantial- ▁Thanks- '2'- ▁joining- ▁capability- en- ▁January- ▁decisions- ▁traffic- ▁integrated- ▁mind- ▁expectation- ▁robust- ▁adding- ▁drivers- ▁win- ▁despite- ▁times- ▁purchase- ▁December- ▁enterprise- ▁tend- ▁creating- ▁healthy- ▁options- ▁gains- ▁processes- ▁platforms- ▁happening- ▁12- ▁managing- based- ▁disconnect- ▁therefore- ▁potentially- ▁forecast- ▁typically- ▁premium- ▁backlog- ▁community- ▁Just- ▁ultimately- ▁advertising- ▁speak- ▁executing- ▁primary- ▁driver- ▁understanding- ▁saying- ▁almost- ▁fund- ▁optimistic- ▁nature- ▁others- ▁exchange- ▁traditional- il- ▁s- ▁trade- ▁filings- ▁planned- ▁bringing- ▁security- ▁comfortable- ▁historical- ▁needed- ▁effectively- ▁goes- ▁found- ▁necessary- ▁D- ▁million- ▁ask- ▁highlights- ▁mid- ▁please- ▁putting- ▁excellent- ▁office- ▁2019- ▁labor- ▁stay- ▁visibility- ▁proud- ▁cases- ▁refer- ▁limited- ▁Asia- ▁countries- ▁disciplined- ▁liquidity- ▁natural- la- ▁losses- ▁else- ic- ▁encouraged- ▁standpoint- ▁de- ▁food- ▁targets- f- ▁bigger- ▁double- ▁funding- ▁comparable- ▁late- ▁launched- ▁recognize- ▁obligation- ▁June- ▁volatility- ▁difference- ▁September- it- ment- ▁extent- ▁March- ▁never- co- ▁remaining- ▁financing- ▁expanded- ▁response- i- ▁main- ▁maintenance- ▁How- ▁broader- ▁types- ▁land- ▁utilization- ▁regions- ▁members- ▁Do- ▁detailed- an- ▁completion- ▁fleet- ▁sold- ▁yield- ▁focusing- ▁broad- ▁Because- ▁fixed- ▁partnership- ▁meeting- ▁tremendous- ▁reducing- ▁operation- ▁intend- ▁path- ▁although- ▁ready- el- ▁approximately- ▁direction- F- ▁economy- ▁research- ▁acquired- li- ▁remainder- ▁dollars- ▁locations- ▁Turning- ▁test- ▁cover- ▁fees- ▁CapEx- ▁properties- ▁went- ▁reflected- ▁media- ▁highlight- ent- ▁9- ▁interesting- ▁below- ▁O- est- ▁finally- ▁allocation- ▁2015- ▁fuel- ▁7- k- ▁conversion- ▁biggest- ▁nice- ▁foundation- ▁fairly- ▁engagement- '4'- ▁takes- ▁tools- ▁individual- ▁highest- ▁Re- ▁successfully- ▁perhaps- ▁H- ▁phase- ▁closely- ▁hit- ▁present- ▁inflation- ▁pre- ▁summary- ▁stage- ▁Looking- ▁led- ▁requirements- ▁buying- ▁history- ▁increasingly- ▁opening- ▁Good- ▁water- ▁legacy- ▁necessarily- ▁Finally- ▁shows- ▁commodity- ▁reporting- ▁standard- ▁flows- ▁outstanding- ▁attention- ▁somewhat- ▁giving- ▁simply- ▁priority- V- ▁everybody- ▁strengthen- ▁goals- ▁news- ▁expecting- ▁talent- ▁force- ▁proposition- ▁mainly- ▁European- '3'- ▁trial- ▁exposure- ▁maintaining- ▁20- ▁expertise- ▁capture- ▁Some- ▁lease- ▁closed- ▁appreciate- ▁factor- ▁fall- ch- ▁steps- ▁regard- ization- ▁prospects- ▁itself- ▁paid- us- ▁shares- ▁component- ▁event- ▁innovative- ▁periods- ▁implementation- ▁drilling- ▁role- ▁gross- ▁dollar- ▁discipline- ▁franchise- ▁policy- ▁light- ▁Canada- ▁approval- ▁national- ▁8- ▁developed- ▁Although- ▁priorities- ▁testing- ▁yes- ▁live- ▁adoption- ry- ▁piece- ▁initiative- ▁funds- ▁historically- ter- ▁leader- ▁compensation- ▁treatment- ▁10-- ▁definitely- ate- ▁2017.- ▁Also- ▁October- ▁optimize- ▁April- ▁speed- ▁matter- ▁created- ▁co- ▁M- ▁realize- ul- ▁challenge- ne- ▁noted- ▁centers- ▁worked- ▁assume- ▁happened- ▁payments- rs- ▁true- ▁importantly- at- ▁produce- ▁perform- ▁foreign- ▁targeted- ▁actively- ▁culture- ▁operator- ▁context- ▁described- ▁analysis- ▁resulting- ▁domestic- ▁resulted- ▁N- ▁hold- ▁Given- ▁site- ▁presence- ▁aggressive- ▁application- ▁SEC- ▁medical- ▁comp- ▁No- ▁payment- ▁steady- et- ▁helping- ▁p- ▁conclude- ▁July- ive- lo- ▁remember- ▁read- ▁summer- ▁training- ▁generated- ▁designed- H- ▁nothing- ▁middle- ▁huge- ▁positions- ▁relates- ▁looks- ▁upside- ▁Are- ▁dynamics- ▁seasonal- ▁modest- ▁coverage- ▁participation- ▁players- ▁Brazil- ▁becoming- ▁idea- ▁evaluate- ▁retailers- te- ▁Day- ▁emerging- ▁R- ▁synergies- ▁South- ▁invested- ▁L- ▁safe- ▁among- ▁regional- ▁Additionally- ▁2018.- ▁trading- ▁push- ▁fee- ▁deposit- ▁heard- ▁implemented- ▁models- ▁measure- ▁dynamic- ▁leveraging- ▁pursue- ▁30- ▁materials- ▁May- ▁gone- ▁advanced- com- ▁road- ▁complex- ▁affected- ▁K- ▁relevant- ▁mortgage- ▁America- ▁impacts- ▁Over- ▁recognized- ▁schedule- ▁room- ▁variety- ▁managed- ▁reminder- ▁moved- ▁Securities- ▁reasonable- ▁providers- ol- ▁November- ▁story- ated- ▁Overall- ▁soon- ▁helpful- ▁adjustments- ▁otherwise- ▁Services- w- ▁action- ▁ones- ▁effects- ▁joint- ▁Second- ▁count- ▁enhanced- ▁compete- ▁developments- ▁objectives- ▁issued- ▁must- ▁budget- age- ▁generating- ▁demonstrate- ▁calls- ▁My- ▁reflecting- ▁face- ▁reductions- ▁closer- ▁special- ▁communities- ▁represents- ▁vision- ▁common- ▁February- ▁banking- ▁headwinds- ▁function- ▁source- ▁often- ▁banks- ▁firm- ▁decided- ▁performing- ▁absolutely- ▁easier- ▁charge- ▁California- ▁analytics- ▁began- ▁identified- ▁hear- ▁uncertainty- ▁fast- de- ▁happens- ▁technical- ▁looked- ▁extend- ▁undertake- ▁advance- ▁roll- ▁essentially- ▁affect- ▁York- ▁table- ▁recognition- ▁interested- ▁deep- ▁turning- ▁investor- ▁slow- ▁represent- ▁finance- ▁users- ▁identify- ally- ▁c- ▁cannot- ▁sites- ▁pick- ▁bookings- ▁car- ▁stated- ▁outcomes- ▁established- ▁form- ta- ▁helped- ▁underwriting- ▁easy- ▁require- ▁estimate- ▁division- ▁consolidation- ▁maximize- ▁paying- ▁consistently- ▁components- ▁partnerships- ▁left- ant- ▁compelling- ▁Commission- ▁excess- ▁conservative- ▁spot- ▁provider- ▁touch- out- ▁independent- ▁figure- ▁predict- ▁agreements- ▁aware- ▁drug- ▁operators- ▁penetration- ▁allowed- ▁Mexico- ▁W- ▁Moving- ▁capitalize- ▁fit- ▁wins- ▁engineering- ▁thoughts- as- ▁projections- ▁shown- Q- ▁indicated- ▁achieving- N- ▁raw- ▁presented- ▁learning- ig- ating- ▁rapidly- ▁brought- ▁toward- ▁game- ▁East- ▁deploy- ▁'17- ▁reform- ▁ground- ▁demonstrated- ▁video- ▁folks- ▁outcome- ▁tough- ▁August- ▁occur- ▁differentiated- ▁encouraging- ▁drop- U- ▁supported- ▁recorded- ▁problem- ▁plants- ▁sequential- ▁degree- ▁filed- ▁receive- ▁deployment- ▁grew- ▁frankly- ▁section- ▁finding- digit- ▁considered- ▁option- ▁seasonality- ▁showing- ▁accelerated- ▁multi- h- ▁From- na- ▁federal- ▁devices- ▁law- ▁West- ▁substantially- ▁remained- ▁quick- ies- ▁concludes- ▁objective- ▁senior- ▁suppliers- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁holiday- ▁positioning- ▁Form- ▁curious- ▁realized- ▁elements- se- ▁retention- X- ▁estimates- ▁Those- ia- ▁staff- ▁Group- ▁involved- ▁dedicated- ▁walk- ▁securities- ▁benefited- ▁contributed- ▁18- ▁professional- ▁promotional- ▁felt- ge- ▁wells- ▁consolidated- ▁post- ▁supporting- ▁license- ▁comprehensive- ▁leaders- ▁shared- ▁involve- ▁Today- ▁legal- time- ▁rental- ▁He- ▁claims- ▁contribute- ▁leasing- ▁specialty- ▁subscription- id- ▁feedback- ▁Chinese- ▁truly- ▁pass- ▁taxes- ize- ▁rent- ▁reconciliation- ▁Exchange- ▁excellence- ▁correct- ▁residential- ▁stuff- ▁original- ▁traction- ac- ▁nearly- ▁John- ▁signed- ness- ▁raise- ine- line- ▁Mike- ▁projected- ▁wholesale- ▁deposits- ▁aggressively- ▁external- ▁population- ▁merger- ▁cross- ▁themselves- ▁spread- ▁proven- ▁India- ▁whatever- ▁allowing- ▁pull- ▁availability- ▁stand- ▁automotive- ▁Again- ▁lending- ▁gave- ▁implement- ▁macro- ad- ▁2016,- ▁economics- ▁By- ru- ▁Page- ▁digits- ▁15- ▁name- ▁announcement- ▁social- ▁vehicle- ▁V- ▁card- ▁commentary- ▁holding- ▁afternoon- ▁declines- ▁recurring- ▁location- ▁stages- ▁updated- ▁'18- ▁studies- ▁processing- ▁respond- ▁geographic- ▁seem- ▁held- ▁conversations- ▁optimization- ▁Texas- ▁deferred- ▁Co- ce- ▁Of- ▁creation- ▁features- ▁acquire- ▁speaking- ▁list- ▁user- ▁engaged- ting- ▁picture- ▁known- ▁page- ▁adjust- ▁Obviously- ▁explain- ▁collaboration- ▁mostly- ▁transportation- ▁welcome- ▁posted- market- ▁chart- ▁enter- ▁journey- ▁completely- ▁overview- ▁internally- ▁strengthening- ke- ▁choice- um- ▁efficiently- ▁constant- ▁fundamentals- ▁practices- ▁wide- ck- ▁IT- ▁gentlemen- ▁called- ▁mention- ▁venture- ▁lost- ▁con- ▁participating- ▁indication- ▁accelerating- ▁secure- ▁shipments- va- ▁personal- related- ▁contain- ▁states- ▁slower- ▁sources- ▁manner- ▁performed- ▁keeping- ▁dividends- ▁minutes- ▁expressed- ▁auto- ▁curve- ▁recall- ▁helps- ▁sometimes- ▁worth- ▁calendar- ▁After- ▁frame- ▁globally- ▁alternative- ma- ▁evaluating- ▁smart- ▁superior- ▁valuable- ▁signs- ▁b- ▁announce- ▁st- ure- ▁strongly- ▁peers- ▁gets- ▁Financial- ton- ▁introduced- ▁launches- ▁awareness- is- ▁resource- ▁storage- ▁housing- ▁comparison- ▁compliance- ▁hopefully- ▁De- ▁Investor- ▁knowledge- ▁however- ▁monitor- ▁encourage- ▁upcoming- ▁extended- ca- ▁contained- ▁evolve- ▁brief- ▁slides- ▁commitments- ▁forth- ▁parties- ▁element- ▁engage- ▁sharing- ▁pursuing- ▁pressures- ▁old- W- ▁wait- ▁break- ▁evidence- ▁prudent- z- ▁peak- ▁provision- ▁t- ▁proceeds- ▁acceleration- ▁plus- ▁standards- ▁inside- ▁meaning- ▁contributions- ▁Could- ▁'19- ▁disease- ▁evolution- ▁charges- ▁Management- ▁broadly- ▁'16- ▁participate- ▁vehicles- ▁American- ▁stability- commerce- ▁carry- ▁2019.- ▁offers- ▁thanks- ▁exit- ▁willing- ▁Based- vi- ▁highlighted- ▁diversified- ▁considering- ▁ended- ▁opposed- pe- ▁Any- ▁medium- ▁asked- ▁balanced- ▁pro- ▁profits- ▁shipping- ▁concluded- ▁implementing- ance- v- ▁setting- ▁executed- ▁bad- ▁enhancing- ▁circumstances- ▁separate- go- ▁Since- ▁J- ▁geographies- ▁sign- ▁device- ▁attract- ▁reserve- ▁shape- ▁discussing- ex- ▁becomes- ▁places- ▁shopping- ▁simple- ▁item- ▁targeting- ▁renewal- ▁vertical- ▁publicly- ▁works- ▁financials- ▁concerned- ▁exceptional- ▁conclusion- ▁seek- ▁protect- ▁rising- ▁roughly- ▁landscape- ▁words- ized- ▁slight- ▁matters- ▁weakness- ▁enables- ▁aspects- ▁managers- ▁insight- ▁integrate- ▁An- ▁mission- ▁settlement- ▁valuation- ▁industries- ▁Steve- di- per- ▁mining- ▁reports- ▁trust- ▁automation- ▁approved- ▁ownership- ▁winter- ▁heavy- ▁fundamental- ▁Most- ▁aircraft- ▁Then- ▁recover- 'off'- ▁structural- ▁behavior- ▁leave- ▁chance- ▁aligned- ▁negatively- lu- ▁mine- ▁physicians- ▁Ma- ▁assuming- ▁winning- ▁reserves- ▁tool- ▁evolving- ▁enabling- ▁wind- ▁starts- ▁Energy- ▁drove- ▁Despite- ▁Australia- ▁begun- un- ▁physical- ▁campaign- ▁travel- izing- ▁variable- ▁rise- log- uch- ▁engine- ▁opened- ▁importance- ▁hospital- ho- ▁Mark- ▁family- ▁continuous- ▁Internet- ▁typical- ▁Germany- ▁practice- ▁trajectory- ▁Act- con- ▁mature- ▁organizations- ▁mitigate- ▁lack- ▁sit- ▁rig- ▁learn- ling- ▁spring- ▁rolling- ▁cautious- ▁reality- ▁employee- ▁label- ▁deeper- ▁Florida- ▁examples- ▁rigs- am- ▁strategically- po- ▁adjustment- ▁app- ▁10%- ▁Solutions- ▁implied- ▁two- ▁inventories- ▁connected- ▁ship- tra- ▁consecutive- ▁loyalty- ▁50- ▁love- ▁sustained- ▁movement- ▁floor- ▁sounds- ary- ▁caused- im- ▁opportunistic- ▁weak- ▁views- ▁yields- ▁Latin- ▁subsequent- ▁utility- ▁commission- ▁determine- ▁steel- ▁pieces- ▁flexible- ▁assortment- ▁search- ▁fashion- ▁enabled- ted- ▁replacement- ▁delay- ▁hearing- ▁groups- ▁agencies- ▁Both- ▁sufficient- ▁underway- ist- ▁reached- ▁cut- ▁rapid- ▁utilize- ▁owners- ▁David- ▁occupancy- ▁her- ▁impacting- ▁extra- ▁ex- ▁heavily- ▁protection- ▁outlined- ▁Ca- ▁compare- do- ▁incentive- be- ▁experiencing- ▁vast- ▁excluding- ▁diversification- ▁absolute- tion- ▁stakeholders- ▁leases- ▁restaurant- ▁export- ▁thus- ▁gotten- ▁therapy- mi- land- ▁Al- ▁retain- ▁clarity- ▁replay- ▁Last- ▁North- ▁regards- ▁networks- ▁International- ▁disruption- ▁Bank- ▁reimbursement- ▁dramatically- ▁repurchase- ▁2020- ▁Con- ▁f- ▁latest- ▁finish- ▁consideration- ▁logistics- ▁yesterday- ▁watch- 'no'- ▁sectors- ▁updates- ie- ▁consumption- ▁discount- ▁asking- ▁weaker- ▁she- ▁machine- ▁entered- ▁depend- store- ▁figures- ▁guide- ▁Sure- ▁trials- ▁upgrade- ▁Ladies- ▁soft- ▁met- ▁align- ▁Capital- ▁restaurants- ▁depreciation- ▁brings- ▁provisions- ▁problems- ▁exceeded- ▁choose- ▁wish- ▁Pro- ▁assessment- ▁Actual- ▁City- ba- ▁usage- ▁cycles- ▁daily- ▁introduce- ▁apply- ▁imagine- ▁package- ▁carefully- ▁Middle- ▁reference- ▁declined- ▁hiring- ▁depends- ▁class- ▁guests- ▁occurred- ish- quality- ▁proportion- ▁producing- man- ▁contributing- ▁expenditures- ir- ▁framework- tic- ▁productive- ▁Z- ▁Coast- ▁agency- sh- ▁returning- ▁downturn- ▁attributable- ▁Western- ▁freight- ▁sub- ▁insights- ▁gap- ▁Another- ▁unless- ▁St- ▁i- ▁convert- ▁temporary- ▁11- ▁clean- ▁aren- ▁collection- ▁gaining- ▁hotel- ▁Have- ▁connect- ▁immediately- ▁fill- ▁series- ▁originally- ▁stream- ▁scope- ▁lots- ▁requires- ▁sequentially- ▁grown- ▁complexity- ▁ensuring- ▁repeat- ▁bid- ▁handle- ▁powerful- ▁introduction- ▁serving- and- ti- op- ▁values- way- ni- ▁concept- ▁communication- ▁usually- ▁condition- ▁launching- ▁rules- ▁experiences- ▁connection- ty- ▁metric- ▁supplier- ▁X- ▁diverse- ▁education- ▁shortly- ▁advantages- ▁exceed- ▁Africa- ▁Mo- ▁cancer- ▁purpose- ▁webcast- ▁Tom- ▁et- ▁attending- ▁followed- ▁political- ▁Chief- ▁cap- ▁human- ▁Officer- ▁paper- ▁bar- ▁concern- ▁distributors- ▁Not- Y- ▁usual- ▁ecosystem- ▁coupled- ▁emphasize- ▁strongest- ▁coal- ▁learned- ▁laid- ▁reliability- ▁revise- ▁elevated- ▁leads- ▁busy- ▁transfer- ▁amounts- ▁satisfaction- ▁briefly- ▁monitoring- ▁optimizing- ▁alternatives- ▁Next- he- ▁Jim- ▁manufacturers- ▁Even- ▁carriers- ▁environmental- ▁numerous- ▁suggest- ▁Business- ▁message- ▁dis- ▁addressing- ▁tenants- ▁duration- ▁scheduled- ▁fewer- ▁proprietary- ▁produced- class- ▁20%- ▁transform- ▁earn- ▁executive- ▁Health- ▁initially- ▁caution- ▁decide- ▁harbor- ▁check- ence- ▁intention- ning- ical- ▁extensive- ▁waiting- ▁indications- '5'- ▁installed- ▁vendors- ▁file- me- ▁pension- ▁Great- ▁exercise- ▁merchandise- io- ▁differences- ▁facing- ▁feeling- ▁phone- ▁central- ▁pilot- ▁hardware- ▁minimum- ▁Hav- ▁dealers- ▁decade- ▁except- ▁reiterate- ▁hours- ▁tariffs- ▁associates- ▁deployed- ▁dependent- ▁him- ▁institutional- ▁draw- ▁decreased- ▁moderate- ▁positively- vo- ▁milestones- ▁showed- ▁declining- ▁dedication- ▁act- ▁careful- ▁creates- ▁agents- ▁intended- ▁Chris- ens- ▁input- ▁regular- ▁President- ▁ramping- ▁100- ous- ▁Global- ▁5%- ▁hotels- ▁emphasis- party- ▁Other- ▁buyers- ▁supplemental- ▁secured- ▁magnitude- ▁competitor- ▁cetera- ▁immediate- ▁hospitals- ▁contact- ▁More- ▁balances- ▁cars- ▁normalized- ▁told- ▁pool- ▁adapt- ite- ▁personnel- ▁accretive- ▁constantly- ▁audience- ▁concerns- ng- ▁assess- ▁covered- ▁policies- bo- ▁homes- ▁enhancements- ▁negotiations- ▁delays- ▁mo- ability- ab- ok- ▁electric- ▁bought- ▁nicely- ▁sound- ▁lowest- ▁differentiate- ▁confirm- ▁progressing- ▁match- ut- ▁administration- ▁Many- ▁normally- ▁Power- ▁tight- ▁somebody- ▁quantify- os- ▁extension- ▁conversation- ▁stop- ▁France- ▁moves- ▁length- ▁turnaround- ▁prove- ▁packaging- ▁deliveries- ▁playing- ▁awards- ▁shifting- ▁wireless- ▁shop- ▁establish- ▁purchasing- ▁okay- ▁maintained- ▁demonstrates- ▁useful- of- ▁agree- ber- ▁incredibly- ▁benefiting- ▁v- ▁aspect- ▁lift- ▁Therefore- ▁instead- ▁intelligence- ct- ▁volatile- ▁liability- ▁player- ▁released- ▁expensive- ▁tracking- ▁delayed- ot- ▁purchases- ▁organizational- ▁headwind- ▁Ar- ▁placed- ▁defined- ▁assumption- ▁lives- ▁fiber- ▁fresh- ▁amortization- ▁desire- ring- ▁Pu- ▁hoping- ▁science- ▁enrollment- ▁finished- ▁possibility- ▁topic- ▁relating- ▁map- ▁describe- ▁possibly- ▁select- ors- ▁Life- ▁status- ▁influence- one- ▁turned- ▁students- ci- date- ▁functions- ▁En- ▁40- ▁Pacific- ▁tried- ▁migration- ▁solve- back- ▁communications- bi- ▁50%- ▁house- ▁Ro- ▁display- ▁tied- ▁Third- ▁breadth- ▁appear- by- ▁determined- ▁Be- ▁slowdown- ▁evaluation- ▁crude- ▁Consumer- ▁licensing- '00'- ▁plays- ▁avoid- ▁scenario- ▁person- ▁preferred- ▁Once- ver- ▁replace- ▁13- ▁sourcing- ag- ▁organically- ▁depth- ▁embedded- ▁explore- ▁completing- ▁sustain- ▁surprised- ▁Right- ▁Home- ▁Going- ▁milestone- ▁updating- ▁rolled- ▁spreads- ▁box- ▁promotions- ▁heart- ▁unusual- ▁indicators- ▁responsible- ▁incurred- ▁integrating- ▁pushing- quarter- ▁belief- ▁Ex- ▁divisions- ▁opinion- mb- ▁dealing- ▁intent- ▁differently- ▁impressive- ▁bulk- ▁filing- ▁age- ▁Americas- ▁exploration- ▁branch- ▁comps- ▁criteria- ▁lose- ▁lag- ▁air- ▁drag- ▁La- ▁Maybe- ▁concerning- ▁basic- om- ▁truck- ▁aggregate- ▁exact- ▁accomplished- leading- ian- ▁Mi- ▁regulations- ▁patterns- ▁contributor- ▁drill- ▁hedge- ▁gold- ▁Houston- nt- ▁percent- ▁comparisons- ▁split- ▁pattern- port- ▁wage- ▁seeking- ▁Se- ▁po- ris- ide- ▁weighted- ▁spectrum- ▁FX- ▁unchanged- ▁aim- nd- ial- ▁head- ▁churn- ▁unfavorable- ▁dose- ▁ideas- ▁eye- ▁overhead- ▁combine- ▁puts- ▁creative- ▁via- ▁disclosure- ▁member- ▁purposes- ▁join- ▁suite- ▁participants- ▁stress- her- ▁appears- ▁Jeff- ▁estimated- ▁transparency- ▁reliable- ▁promise- ▁guest- ▁acquiring- ▁institutions- ▁14- em- ▁analysts- ▁accomplish- ▁exist- ▁selective- ▁offshore- ▁partly- ▁summarize- ▁sand- ▁Vi- ▁entering- ▁resolution- ▁minimal- ▁Le- ▁located- ▁Ba- ▁easily- ▁softness- ▁monthly- ▁verticals- ▁Commercial- fi- ▁plenty- ▁impairment- ▁FDA- ▁revised- ▁jobs- ▁CEO- ▁functionality- ▁disclosed- ▁Lo- ▁d- ▁raising- ▁sustainability- ▁someone- ▁entirely- ▁Importantly- ▁enjoy- CO- ▁sets- ▁written- ▁complement- ▁Phase- ▁Industrial- ▁portfolios- ga- ▁newer- ging- ▁considerable- ▁diversity- ▁bill- ▁minute- ▁fine- ▁rating- ▁prepare- ▁lean- ▁ad- ▁drives- ▁stabilize- ▁eventually- ▁save- ▁producers- ▁effectiveness- gen- ▁self- ▁realization- ue- ▁regulators- ▁colleagues- ▁administrative- ▁maturity- ▁Air- ▁doubt- ▁introducing- ▁assist- house- ▁block- ▁mass- ph- less- ▁tenant- ▁solar- ▁rollout- ▁newly- ▁laws- ▁notice- ▁supplement- ping- iv- ▁capable- ▁w- ▁frequency- load- ▁train- ▁acreage- ▁architecture- ub- ▁Bill- net- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁diversify- ▁talented- ▁knew- ▁published- ▁rule- ▁election- ▁consulting- ▁proposed- ▁repair- ▁according- ▁globe- ▁thousands- ▁retailer- ▁refinancing- ▁exclude- ▁approvals- ▁owned- ▁seasonally- ▁appeal- pi- ▁3%- ▁dramatic- ▁write- ▁communicate- the- ▁deploying- ▁kinds- ▁Private- ▁reviewing- ▁structures- ▁exception- ▁modeling- ▁older- ▁Amazon- ▁incredible- od- ▁anybody- ▁60- ▁rail- ▁promotion- ▁servicing- ▁wonderful- ▁indicator- ▁Following- ▁TV- ▁Investors- ▁feature- ▁spoke- ▁Scott- day- ▁treat- hi- ▁connectivity- through- act- ile- ▁dialogue- ▁concentration- ▁Me- ▁Michael- ▁demonstrating- ▁entry- ▁levers- ▁reflection- ▁EPS- ▁Li- ▁legislation- ▁accordance- ▁backdrop- ▁latter- ▁differentiation- ▁damage- ron- ▁preparing- ▁super- 0,000- ▁upper- fa- ▁engaging- ▁2%- ▁skills- ▁retirement- ▁translate- ▁g- ▁limit- ▁hybrid- ▁litigation- ▁headcount- ▁meaningfully- ▁candidates- ▁Permian- ▁utilizing- ▁16- ▁0- ▁streams- ▁continuously- ▁utilities- ▁National- ction- ▁respective- ▁facilitate- ▁massive- ▁referring- ec- ▁Revenue- ▁formal- ▁vessels- ▁measured- ▁catch- ▁buildings- lic- ▁Got- ▁Retail- ▁city- ▁react- ▁load- ▁Gulf- ▁Bob- ▁Dave- ▁ratios- ▁menu- ▁appropriately- ▁procedures- ▁hands- ▁books- ▁competing- ▁physician- ▁greatest- ▁worse- ▁window- ▁department- ▁equal- ▁dealer- ▁applied- ▁cell- ▁Sa- ▁adjusting- ▁millions- ▁documents- ▁communicated- ▁movements- ▁installation- ow- ▁bear- ▁factory- ▁branches- ▁mark- ▁distributor- ier- ▁offsetting- ▁origination- ▁reaching- ▁selected- ▁defense- ▁procurement- ▁cities- ▁di- ▁uptick- ▁Care- ▁merchandising- ▁regulation- ▁vary- ▁purchased- ▁fantastic- ▁synergy- ▁fire- ▁Central- ▁incentives- ▁transmission- ions- ▁perfect- ▁beliefs- ▁selection- ▁visit- ▁challenged- ▁became- ▁generic- ha- ▁modestly- ▁Products- ▁hundreds- ▁round- sis- ▁heading- ▁games- ip- ▁proactive- ▁reinsurance- ▁offices- ▁payers- ▁receiving- ▁specifics- ward- ▁4%- ▁advertisers- ▁ticket- ▁workforce- ▁Forward- ▁adverse- ▁mode- che- ▁promising- ▁dry- mer- ▁relate- ard- ▁Where- ▁fundamentally- ▁IP- ▁extraordinary- ▁award- ▁te- ▁faced- ▁listening- ▁vendor- ▁liabilities- ▁upward- ▁harder- ▁Bo- ▁strengthened- ▁Dan- ▁exclusive- ▁innovations- ▁elaborate- ative- pa- ▁stack- ran- ▁repurchases- ▁achievements- ▁claim- ▁succeed- ▁Medicare- ▁wrong- ▁Regarding- ▁switch- ful- ▁door- 1,- ▁1,- ▁bunch- ▁living- ▁voice- ▁feed- ▁night- ▁version- ▁li- ▁campaigns- ▁h- ▁surprise- ▁en- ▁continually- ▁fix- ▁accurate- ▁90- ▁inter- ice- ▁se- cost- ▁jump- ▁terrific- ▁metal- ▁crop- ▁regardless- ▁Operating- ▁edge- ▁initiated- ▁disposal- ▁responsibility- ▁served- ▁ultimate- ▁predictable- ▁mill- ▁extending- ▁promote- ▁cadence- ▁wave- ▁San- ▁navigate- ▁explained- ▁raised- ▁notable- ib- ▁definition- ▁receivables- ▁Paul- ▁broaden- ▁Ra- ▁Service- ▁offered- ger- ▁format- ▁print- ▁sports- ▁index- ▁uniquely- ▁assurance- ▁behalf- ▁ma- ▁tests- ▁bo- ▁lenders- ▁Joe- ▁upfront- ap- ities- ▁grade- ▁entertainment- ▁manager- ▁square- ▁Part- ▁secondly- ▁beneficial- ▁hedging- ▁bridge- fin- ▁Further- ▁rebound- ▁broadcast- ▁collections- ▁advancing- ▁warehouse- ▁innovate- ▁rents- ▁professionals- ▁essential- ▁joined- ▁sophisticated- ix- ny- ▁indeed- ▁worldwide- ▁women- ▁request- ▁goods- ▁Di- ▁thoughtful- ▁carrier- ▁bond- ▁Brian- ▁inform- ▁anticipating- ▁pain- ▁funded- ▁satisfied- ▁court- ▁Am- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁guarantees- ▁consistency- ▁secondary- ▁agenda- ▁compression- ▁indicate- driven- ▁continuation- lin- ▁Car- '8'- ▁link- ▁facts- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁prefer- ▁meetings- ▁announcements- ▁wrap- ster- ▁strengths- ▁preliminary- ▁Northern- ▁fruit- ▁lastly- ▁realizing- ▁anyone- ▁affecting- ▁Like- ▁Systems- ify- down- ▁efficacy- ▁eliminate- ▁pending- ▁occurring- fe- ▁Through- ▁Factors- ▁boost- ▁screen- ▁telling- ▁gaming- ▁modern- ▁firms- ▁excitement- ▁30%- ▁beverage- ▁electronic- ▁preparation- ▁Each- month- ▁allowance- ▁pushed- ▁equation- ▁listen- ▁Additional- ▁constraints- ▁conjunction- ▁severe- ▁characteristics- ▁Mar- ▁London- ▁somewhere- ak- ▁credits- ▁identifying- ▁earning- ▁watching- ▁EBIT- ▁translation- ▁signal- ▁agent- ▁favor- SA- ▁Tim- ▁collect- ▁15%- ▁picking- '7'- ▁analyze- ▁optimal- ▁advisers- ▁hopeful- ▁clarify- ▁diligently- ▁obvious- ▁alignment- ▁individuals- ▁anywhere- ▁noise- ▁evident- ▁renewals- ▁staffing- wide- ▁agreed- ▁optimism- ▁constitute- ▁reputation- ack- ▁permanent- ▁party- ium- ▁requirement- ▁acceptance- ▁fluctuations- ▁attack- ▁reverse- ▁slowing- ▁distributed- ▁contracted- ▁hire- ▁contains- ▁World- ▁1%- ▁sellers- ▁onetime- ▁waste- ▁enormous- ▁6%- ▁Does- ▁controls- ▁affordable- ▁signing- 4,- ▁define- ▁uses- ▁principles- generation- ▁aftermarket- ▁calculation- ▁complicated- ▁families- ▁trucks- ▁word- ▁branded- ▁comfort- ▁drugs- ▁disclose- ▁Plan- ▁represented- ▁background- ▁19- ▁competitiveness- ▁rely- king- ▁transparent- ▁Growth- ▁Matt- ▁alone- rate- AR- ▁stabilized- ▁currencies- ▁instance- ▁equally- ▁Street- ▁patent- RA- ▁exceeding- ▁nor- ▁feet- ▁variability- ▁benchmark- ▁unlock- ▁cable- ▁virtually- ▁Rob- ▁task- ▁accomplishments- ▁17- ▁assumes- ▁consolidate- ▁appetite- ▁relation- ▁refine- pro- ▁shorter- ▁maximizing- ▁philosophy- ▁situations- ▁harvest- ▁unknown- ▁fulfill- ▁reset- work- ▁shut- ▁qualified- ified- ▁Center- ▁Board- ▁smooth- ▁simplify- use- ▁satellite- ight- ▁midpoint- ▁shifts- ▁guarantee- ▁buyer- ▁decades- ▁openings- ped- ▁gained- les- ▁linked- ▁deck- ▁internationally- ▁former- ▁mixed- ▁corresponding- hand- ER- ▁renewed- ▁Sha- qui- ▁cards- ft- ▁Ad- J- ▁familiar- ▁green- ▁destination- ▁reconciliations- ▁OpEx- ▁complementary- ▁tech- ▁interim- ▁custom- ric- ▁Te- ▁renewable- ▁Korea- ▁classes- ▁Would- ▁upgrades- ▁allocate- ▁owner- ▁structured- ▁pickup- ▁gradually- ▁exploring- den- ▁passed- ▁fortunate- ▁releases- ▁Ta- ▁OEM- ▁proceed- ▁booking- ▁closure- ▁addressed- ▁prevent- ▁pure- ▁recruiting- ▁method- margin- ▁burn- ▁prospective- ▁horizon- ▁addressable- ▁prime- ▁Mr- ▁contractual- ▁audit- ▁Digital- ▁reliance- ▁bidding- ▁inherent- ▁IR- ▁reaction- ▁representing- ▁Fed- ▁entity- ▁tangible- ▁Basin- ▁appreciation- ▁24- ▁personally- ten- ▁obligations- ▁Kevin- side- ▁bio- ▁Here- ▁Ho- ▁awarded- ▁staying- ▁200- ▁disclaim- ▁burden- ▁stabilization- ▁liquid- ▁straight- ▁macroeconomic- ▁progression- 2,- dy- ▁pipe- ▁none- ▁copy- ▁Risk- ▁picked- ▁franchisees- ▁guided- ▁neutral- ▁3-- tle- ▁supports- ▁inflection- ▁forecasting- ▁counter- ▁ch- ▁cold- ▁Net- ▁surface- ner- ▁softer- ▁notes- ▁partnering- ▁experts- ▁measurement- que- ▁television- ▁environments- ▁student- ▁reasonably- ea- ▁afford- ▁funnel- ▁Comp- ▁priced- ▁mechanism- ▁OEMs- ▁timely- ▁career- cel- ▁booked- ay- ▁advisory- ▁session- ▁accepted- ▁sentiment- ▁constructive- ▁sensitive- ▁choices- ▁proceeding- ible- ▁catalyst- ▁hot- ▁proactively- ▁downward- ▁adjacent- MA- ▁Pe- ▁converting- ▁Sp- ▁amazing- ee- ▁Trans- ▁auction- '9'- ▁reinvest- ▁express- ▁testament- ▁Clearly- ▁sp- ▁earned- ▁firmly- ▁language- if- ▁incorporate- ▁Secondly- ▁survey- ▁Russia- ▁lock- ▁accordingly- ▁bright- ▁8%- ▁Op- ▁grid- ▁arise- ▁subscribers- ▁Market- 3,- ▁2014- ▁diligence- ▁referred- ▁operated- ▁25- cent- ▁electronics- ▁Within- ▁onto- ▁budgets- ▁diagnostic- added- ▁reps- ▁II- IC- ▁proposal- ▁wider- ▁financially- ▁therapeutic- ▁healthcare- ▁rights- ▁trending- ▁hurricanes- ▁lowering- ▁royalty- ▁barrels- ▁terminal- ▁consequence- forward- offs- ▁Data- ▁weight- ase- ▁Ne- ▁supportive- ▁shifted- ▁math- ▁acknowledge- ▁Reform- ▁virtual- ▁school- ▁indicative- ▁totally- ▁returned- ▁premiums- ▁buyback- ▁pointed- ▁Eastern- ▁marked- ▁FY- gi- ▁n- led- ▁frac- ▁web- ▁fronts- ▁achievement- level- ▁cyclical- ▁monetize- ▁Pa- ▁engines- ▁applicable- ▁understood- ably- ▁interact- ▁cutting- ology- ▁attempt- ▁registration- ▁treated- ▁AR- ▁sight- ▁flavor- ▁steadily- ▁greatly- '4.'- ▁anticipation- ▁developers- ▁properly- Z- ▁Ha- ▁accept- ▁standing- ld- ▁committee- ▁shelf- ▁concentrated- ▁capturing- ▁recycling- ▁additions- ▁lay- ▁State- low- ▁storm- ▁designs- ▁Was- ▁kick- ▁commissions- ▁memory- ▁Lastly- ▁stick- ▁serious- ▁noncash- ▁REIT- ▁40%- wa- ▁entities- ▁urban- ▁Po- ▁programming- ▁implications- du- ▁visible- ▁refining- ▁composition- ▁clinic- ▁meant- board- ▁Work- ▁letter- ▁host- ▁swing- ▁answers- IN- ▁Pre- ▁nuclear- ▁resolved- ▁IoT- ▁bonds- ▁Na- '1.'- ▁announcing- ▁equivalent- ade- ification- mission- for- ▁1.- ▁Spain- fer- ▁Greg- ▁historic- ▁Ga- ▁wonder- ▁kept- ▁repositioning- ▁economies- ▁Italy- ▁transactional- ▁literally- ▁Tri- ▁hired- ▁layer- ▁Brexit- ▁pack- yn- ▁formula- Co- '6'- ▁certainty- ▁resilient- ▁discontinued- ▁turnover- ▁functional- ▁messaging- ory- ▁Investment- '0'- ▁import- ▁Sea- ▁artificial- ▁discovery- ▁sh- ▁authorities- ▁assure- ▁commodities- ▁prioritize- ever- ▁establishing- ▁tariff- CE- ▁traditionally- ▁adds- ▁losing- ▁territories- ▁yourself- ▁theme- ▁radio- ▁laser- ▁enterprises- ▁adopted- ▁employment- ▁pound- ▁pharmaceutical- ▁calling- ▁sorry- ▁indirect- ▁Excluding- ▁separation- ▁bullish- ▁evidenced- ▁redevelopment- ▁gathering- ▁tie- ▁strive- ▁Technology- ▁payroll- ▁'18,- ▁attracting- ▁Markets- av- ▁foot- ▁Washington- ▁slowed- ▁quicker- ▁reflective- ▁predominantly- ▁row- ▁micro- ▁technological- ▁amongst- ▁Conference- ▁parent- ▁sc- grade- ▁responding- ▁differential- ▁decent- ▁disclosures- IS- ▁Department- ▁attrition- ▁pause- ▁membership- ons- ▁fits- ▁persist- ▁Litigation- ▁assumed- ▁notably- ▁cells- ins- ▁absorb- ▁materialize- ▁personalized- ▁regulated- ▁outperform- ▁cautionary- ▁handful- ▁wants- ▁Carolina- ▁closures- ▁ranges- ▁Under- ▁seamless- ▁poor- ▁naturally- ned- ▁7%- ▁adequate- ▁scheme- ▁ease- ▁highlighting- ▁sizable- ▁General- ▁arrangements- ▁chosen- ▁lever- ▁meantime- ▁carried- ▁hitting- ▁referenced- ▁database- ▁Mer- ▁j- ▁spin- ▁Corporate- ▁balancing- scale- ▁payout- ▁broadband- ▁swap- ▁vote- ▁Water- vent- ▁characterize- ▁issuance- ▁Bar- ▁military- ▁Furthermore- ▁AI- ▁receivable- ▁Enterprise- ▁controlling- ▁endpoint- da- light- ▁intellectual- ▁alluded- ▁streamline- ▁carbon- ▁compound- ▁knowing- ▁machines- ▁reinforce- ▁sizes- ▁prospect- ▁conducted- ▁Year- ▁transforming- vis- win- ▁Should- ▁rep- ship- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁Cha- ▁capitalized- ▁lumpy- ps- amp- ▁transport- ▁absorption- ▁semiconductor- ▁originations- ▁Don- gra- value- ▁audio- ▁contracting- ▁tender- ▁adopt- ▁install- und- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁pulling- ▁'15- ▁LNG- ▁People- ▁overcome- ▁Total- ▁deployments- ▁shipment- ▁principal- ▁convinced- ▁El- ▁scalable- ▁Ken- ▁sooner- ▁Hong- ▁learnings- '2.'- ▁bump- selling- ▁AS- ▁intensity- ists- ▁Medical- ▁Go- ▁merchant- ▁manufacturer- ▁copper- ▁takeaway- ▁disappointed- ▁Kong- der- ▁judgment- ism- ▁carrying- ▁CA- xi- gan- ▁penetrate- ▁validation- ▁Network- ▁billing- ▁repayment- ▁played- ▁transitioning- ▁description- ▁maximum- ▁o- ▁output- ▁automated- ▁remove- ▁imp- ▁'17.- service- ▁image- ▁methodology- ▁household- ▁conduct- ▁ho- ▁Cor- ▁ratings- ▁Chicago- ▁contractors- ▁tire- ▁Media- ▁presenting- ▁spite- ▁licenses- ▁territory- ▁Argentina- ▁Start- top- ▁route- ator- ▁Performance- ▁CFO- tor- ▁principally- ▁amendment- ▁apparel- ▁elsewhere- ▁foreseeable- ▁listed- ▁speaks- ▁observed- ▁code- lay- ▁undu- ▁Information- ▁men- ▁port- single- ▁aerospace- ▁successes- ▁scaling- 'ON'- ▁cohort- ▁recap- ▁tri- ▁three- ▁approaches- ▁quote- ▁pharma- ▁throughput- ▁ordering- ▁smartphone- ▁correctly- ▁ran- ▁governance- ▁Cloud- ▁sharp- ▁sensitivity- ▁therapies- ▁fluid- ency- ▁Delaware- ▁Google- ▁Why- ▁resolve- ▁minor- ▁introductions- ▁narrow- lan- ▁hurricane- cor- ▁Hurricane- ▁borrowing- than- ai- ▁lifetime- ▁Ru- ▁inflationary- ▁covering- ▁applying- ▁disruptive- ▁electricity- ▁profitably- ▁basin- ▁beat- ka- ▁noticed- ▁intense- ▁emerge- ▁subscriber- ▁investigation- ▁Vice- ▁scientific- ▁feels- field- ▁Southeast- ▁whom- ▁constrained- ach- ▁farm- ound- ▁delighted- ▁demands- TA- oo- tics- ▁pulled- ▁German- ▁leg- ▁packages- ▁sa- har- ▁threat- ▁chemical- ▁incur- ▁body- ▁downstream- ▁schedules- ▁slowly- ▁forma- ▁causing- ▁submission- ▁cat- ▁5-- ▁downside- ▁Number- fo- focused- ▁refinance- ▁panel- ries- ▁recruit- ley- ▁expenditure- bu- EN- aw- AN- ▁Everyone- ▁ba- ▁gradual- ▁enhancement- ▁tail- ▁favorably- ▁forecasts- ▁sponsor- ▁approaching- ▁Due- ill- ▁considerably- ▁forecasted- ▁jurisdictions- MS- ▁scenarios- ▁RE- AS- site- ▁securing- ▁Per- state- ▁domain- ▁unfortunately- ▁exceptionally- ▁stake- ▁proof- ▁warm- ▁deeply- ▁utilized- ▁Class- ▁mobility- ▁blend- ▁charter- ▁protocol- ▁tumor- ▁shipped- ▁listeners- ▁Lu- ▁billings- ▁bundle- ▁Northeast- ▁explanation- ▁remarkable- ick- van- ▁reviewed- ▁tap- ▁ore- ▁finalized- erto- ▁merchants- ▁accommodate- ▁doubled- ▁Mon- ▁vessel- ▁mindful- ▁operationally- ▁niche- ▁prepayment- ▁allocated- ▁appendix- ene- ▁sum- mark- ▁Ag- ▁hedges- ▁Every- ▁passion- ▁art- ▁commented- ▁trusted- ▁myself- ▁SaaS- ler- qua- ▁broker- ▁animal- ▁System- ▁valuations- ▁redeploy- ious- ▁Y- ▁passenger- ▁Key- ▁renovation- ▁workers- ▁Project- ▁ample- ▁battery- ▁monetization- ▁Company- ▁luxury- ▁progresses- ▁peer- ▁weekend- ▁attributes- ▁strike- ▁normalize- ▁upstream- ▁Ed- ▁exhibit- ▁threshold- ▁north- ▁obtain- ▁Gra- ▁combining- ▁diesel- ▁duty- ▁Gas- ▁lab- sell- ▁converted- ▁pharmacy- ▁Star- ▁touched- wood- oc- ▁Ac- ▁enthusiasm- ▁Ri- ▁payable- ▁conventional- ▁remodel- ▁Your- ▁subsidiaries- ▁surrounding- ▁decreases- ▁attributed- ▁leaving- ▁parallel- ▁Specifically- ▁She- ▁forms- ▁Bio- ivity- ▁bonus- ▁AM- ▁dive- ▁incident- ▁movie- like- ▁fulfillment- ▁ca- ▁graph- ▁exists- ▁chose- ▁sometime- ▁ambition- sized- ear- ▁conscious- au- 5%- ▁Col- ▁remote- ▁fastest- ▁strides- ▁consultants- ▁pet- ▁Black- ▁Park- ▁relief- ▁recoveries- air- ▁trigger- ▁rare- ▁Pi- ▁tons- holder- ▁tested- ▁interface- ▁executives- ▁Ti- ▁enthusiastic- ▁preserve- ▁Rico- ▁Customer- ▁engagements- ▁Beyond- ▁Corporation- ▁dozen- ▁airport- '3.'- ▁missed- ▁pump- ▁resilience- ▁variance- ▁simultaneously- ▁retaining- ▁street- ▁pretax- ▁holidays- ▁Consistent- ▁Gu- ▁reviews- ▁underground- ▁send- ▁lifestyle- ▁submitted- ▁factories- ▁Ch- ▁elect- ▁collaborative- ▁supplies- ▁whilst- ▁par- ▁informed- ▁separately- ▁lateral- ▁density- ▁acute- ▁discounts- ▁calculated- ▁accounted- ▁controlled- ▁Easter- ▁breakdown- ▁assessing- ▁topics- ▁educate- ▁bankers- ▁placement- ▁completions- ▁Their- ▁listing- ▁extract- ▁agile- ▁anyway- ▁rigorous- ▁Things- ▁Peter- ▁subsidiary- ▁proper- ▁ships- ▁digit- ▁predictions- ▁wanting- ▁young- ▁consolidating- ▁acceptable- ▁Su- ▁Insurance- ▁optionality- pay- ▁fell- ▁shortage- ▁skill- ▁Analyst- ▁EMEA- ▁Two- ▁phases- ath- ▁negotiation- ▁recording- ▁discrete- ▁termination- ▁airline- making- ▁impression- ▁loyal- ▁accountability- ▁tier- ek- ▁Jo- val- ▁urgency- ators- ▁aimed- ▁moments- ▁throw- rg- ▁marks- ▁CO- we- ▁basket- ▁crisis- let- ▁70- ▁wood- ▁Certainly- ▁resonate- ▁tougher- pt- ▁tightening- ▁Will- ▁Real- ▁distinct- ane- ▁pleasure- ▁validate- ▁document- ▁arrangement- ▁mis- nce- ▁advice- ▁weigh- ▁forces- ▁impressed- ▁medicine- ▁interaction- rm- ▁proxy- ▁80%- ▁CP- ▁tables- ▁surgical- ▁producer- ome- ▁r- ▁precise- ▁Wa- ▁Medicaid- ▁Vegas- ▁identity- ▁9%- ▁Mac- ▁Ka- ▁district- ▁JV- ▁viewed- ▁discretionary- ▁rich- ▁accident- ▁ID- ▁outperformance- ▁connecting- ▁apart- right- ▁disposition- run- ral- ▁spoken- ery- ▁spec- ▁failure- ▁pathway- ▁frequently- ▁expansions- ▁blue- ▁100%- ▁Ni- ▁protein- ▁array- ▁unfold- ▁rebuild- ▁exposed- ax- par- ▁doctors- ▁drilled- all- ▁everywhere- ▁inclusion- ▁worry- ▁8-- ▁Ju- ▁skilled- ▁popular- ▁retained- ▁alliance- ▁unexpected- uc- ▁tighter- ▁Eagle- ▁corporation- ▁upgrading- ▁flight- ▁Va- ▁Call- ▁Du- ▁80- ▁preference- ▁deliberate- ▁High- ▁60%- ▁improves- ▁settle- ▁31- ▁roles- ▁pivot- ▁pa- ▁Christmas- ▁white- ▁Alberta- ▁gr- ▁Food- ▁campus- ▁empower- ▁reposition- ▁novel- ▁inspection- NA- ▁Ve- ▁leased- ▁precision- effective- ▁stockholders- ▁Australian- ▁influenced- ▁Asian- ▁film- ▁contemplated- ▁Jersey- ▁absence- ▁reinvestment- LA- ▁certification- ▁negotiating- ▁perception- ▁twice- ▁derivative- ▁underscore- centric- ▁guiding- ▁Specialty- ▁Hi- ▁integrity- ▁nonrecurring- ▁stretch- ▁replaced- ▁ingredients- ▁ROI- ▁defend- ▁negotiate- ▁satisfy- ▁commit- ▁airlines- ▁resume- ▁Green- ▁receipt- ▁pillars- ▁proposals- ker- ▁regularly- ▁dilution- ▁replacing- ▁ball- ▁instruments- ▁manufacture- ▁comparative- ▁pipelines- ▁confirmed- ▁fun- ▁ladies- ▁substitute- ▁Apple- ▁younger- ▁advances- ▁collateral- ▁fifth- ▁Las- ▁red- ▁climate- ▁disappointing- ▁responses- ina- ▁PC- EX- ▁optimized- ▁visits- ▁engineers- ▁tank- ▁stands- ▁blocks- mar- ▁op- ▁nation- ▁Japanese- ▁determination- ▁Fourth- ▁mineral- ▁franchises- ▁imply- ▁authorization- ▁finalize- ▁script- ▁thrilled- ▁undertaking- sale- ▁motor- ▁rationalization- ▁Nu- ▁leveraged- ▁Dr- ▁hurt- ▁midstream- ES- ▁whose- growing- ▁falling- ▁unable- ▁comparing- ▁outline- ▁Inter- ▁honest- mail- ▁heat- ▁Look- ▁thereby- ▁secular- ▁States- ▁cl- ▁turns- ST- ▁Construction- ▁reading- ▁audiences- ▁Connect- outs- ▁beauty- ▁intelligent- ▁velocity- ▁conversions- ▁specialized- ▁container- ▁invite- ▁Red- ▁wages- ▁rec- ▁Smart- ▁brokers- ville- ▁tra- performance- ▁2-- ▁blood- ▁reorganization- ▁master- ▁deem- ctor- ▁unlikely- ▁Customers- ▁workflow- ▁exiting- ▁anniversary- ▁inorganic- ▁diluted- ▁AD- ▁payer- ▁Sun- ▁submit- ▁Quarter- ▁whereas- ▁recovered- ose- ▁periodic- ▁French- ware- ▁corner- ▁cultural- ▁preclinical- ▁surgery- ▁surgeons- ▁interactions- ▁Security- ▁anchor- ▁concentrate- ▁diseases- ▁flowing- ug- ▁imports- ▁Annual- ▁Ge- ▁reward- ▁deleveraging- ▁trained- ulation- ey- ▁Midwest- ▁relevance- ▁Boston- ▁baseline- ise- TE- ▁incorporated- ▁concepts- ▁qu- ▁linear- ▁bolster- adjusted- chi- ▁excludes- ▁overlap- ▁extreme- ▁breakeven- ▁headquarters- ▁discounting- ▁valued- ▁attribute- cy- AP- ▁miss- ▁adult- ▁vital- ▁Doug- ▁hub- ▁DC- ▁wherever- ▁pockets- ▁agility- ▁12%- ▁construct- ▁Building- ▁prudently- ▁Com- ▁revolving- ▁Rock- ▁stations- ▁outsourcing- ▁intangible- ▁reservoir- ▁alongside- iti- tting- ▁Auto- OR- ▁responded- ang- ▁stabilizing- ▁noncore- ▁protecting- ▁distributions- ▁methods- ▁Gen- ▁evening- ▁m- ▁concrete- ▁geo- ▁rock- ▁representative- ▁pad- PA- core- ▁immune- ▁Blue- ▁Fin- ▁academic- ▁multifamily- ▁Mobile- ▁ideal- ▁practical- ▁Congress- ▁rewards- ock- ▁anti- ▁computing- ▁Cost- ▁procedure- ▁mandate- ▁midst- ud- ▁Results- ▁casino- ▁reversal- ▁accretion- ▁Ford- ▁serves- ▁Frank- ▁man- ▁revolver- ▁referral- ▁IPO- ▁annualized- ▁convenient- ▁doors- ▁storms- ▁willingness- ▁deterioration- ▁Che- ▁parameters- ▁Very- ▁presentations- ▁scores- ▁records- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁formation- ▁grant- ▁contractor- ▁Man- ▁uplift- ▁whenever- risk- ▁suggested- ake- OS- tech- ▁Ce- ▁responsive- ▁bankruptcy- ▁viable- ame- ▁marine- ▁visual- ▁MA- ▁contingent- AM- ▁deepen- ▁recession- ▁flu- ▁restore- ▁download- hy- ▁Cap- ▁divestiture- ▁Federal- ▁apartment- ▁reduces- ▁purely- ▁negotiated- ▁nimble- ▁suspect- ▁Har- hold- ▁distribute- ▁fight- ▁Brazilian- ▁covenants- ▁Colorado- ▁augment- ▁solely- ▁publication- ▁gear- ▁missing- ▁outdoor- ▁sides- ▁hires- ▁Ki- ana- ▁foresee- ▁renew- ▁adviser- US- ▁timeline- ▁k- ray- ▁extensions- ▁modernization- ▁enjoyed- ▁Certain- ▁cuts- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁possibilities- ▁Valley- ▁Virginia- ▁ventures- ▁marginal- ki- ▁demographic- ▁partial- ▁Banking- ▁convertible- ▁brokerage- ▁presents- ▁experiment- EL- ▁restrictions- ual- ▁difficulty- ▁retire- ▁accuracy- ▁analyzing- ▁camera- ▁lighting- ▁station- ▁capitalizing- ▁zone- ▁disruptions- ▁aluminum- ▁expire- ▁unprecedented- ▁sensor- ▁relentless- ▁glad- ▁occurs- ▁pillar- ▁title- ▁powder- ▁tomorrow- ▁spike- ▁lesser- ▁miles- ▁ending- ▁bag- ▁predictive- ▁undertaken- era- ▁scrap- well- ▁guidelines- tim- ▁formulation- ▁beta- ▁borrowers- ▁Gary- growth- TI- ▁eliminating- ▁poised- ▁resort- ▁captured- ▁anymore- CA- ox- ▁Hawaii- ▁likelihood- ▁simplification- tain- nder- ▁gift- wi- ▁correlation- ▁qualification- ▁redesign- ▁directors- ▁EU- standing- ▁bucket- ▁gl- ▁aspiration- ▁recruitment- ev- IT- IP- ▁triple- ▁chunk- ▁focuses- ▁apps- ▁projection- ▁Wi- ▁streaming- ▁dial- ▁ne- ▁permit- ▁safely- ▁Colombia- ▁redemption- ▁snow- ▁apparent- ▁pursuit- ▁Pat- ▁correction- ▁deflation- ▁refined- press- ▁consent- ▁root- ▁iron- ▁exports- ▁startup- ▁buybacks- ▁war- ▁trans- ▁club- ▁references- ▁unified- ▁involves- ▁Program- ▁Poland- ▁rooms- ▁collective- ▁tick- ▁healthier- cer- ▁Jon- ▁hour- ▁Demand- ▁foremost- ▁sustaining- ▁forget- form- DA- ▁seemed- ▁noting- ▁pit- ▁candidate- ▁employ- ▁outpace- ▁upgraded- ▁employers- ▁replicate- ▁realignment- ▁permitting- ▁Asset- ▁connections- ▁ramped- ▁Th- IA- alone- ▁Office- ▁Healthcare- mic- ▁headed- ▁variables- ▁names- ▁Similar- efficient- ▁Earlier- ▁Ontario- ▁underperforming- ▁restricted- ▁geographically- ▁ads- '20'- ▁bids- ▁Rick- ▁Strong- ▁doubling- ▁saving- ▁norm- ford- ▁Core- ▁plastic- ▁cargo- ▁hospitality- ▁Eric- ▁hoped- ▁Friday- ▁exited- ▁mutual- ▁proving- ▁worried- ▁granted- ▁trip- ▁contrast- ▁70%- ▁motion- ▁analyst- ▁11%- ▁Marketing- ▁Brad- ▁dates- ble- ▁Whether- ▁Jack- uring- ▁passing- ▁hundred- ▁Partners- ▁illustrate- ▁messages- ▁treating- iz- ▁1995- ▁Credit- ▁treasury- ▁tissue- ▁motivated- ▁borrowings- ▁mechanisms- ▁excluded- ▁Technologies- ▁additive- ▁glass- ▁pilots- ▁oncology- ▁lap- ▁rational- ▁spaces- ▁expiration- ▁forefront- ▁90%- ▁affiliate- cap- ▁official- ▁institution- cept- ▁refund- bl- ▁wall- stage- ▁style- kin- ▁stat- ▁aside- ▁imaging- ▁IFRS- ▁progressed- ▁tens- ▁grows- ▁diversifying- ▁segmentation- ▁regulator- ▁revision- ▁subs- ▁fl- ▁modules- ancy- ▁wire- ▁electrical- ▁em- ▁geographical- ▁coffee- ▁default- ▁placing- ▁Up- ▁domestically- ▁boxes- ▁logic- ▁park- ▁broadening- ▁fluctuate- ▁billion- plus- ▁Da- ▁mines- ▁Dallas- ▁consensus- ▁fragmented- ▁generator- ▁flagship- ▁ERP- ▁evolved- ▁Executive- ▁hike- ▁permits- ▁foundational- ▁Control- ▁smarter- ▁recovering- ▁AB- ▁choosing- ▁Fund- ▁rain- ▁rationale- ▁temp- ▁Throughout- ▁seller- ▁indicates- ▁Sweden- ▁judge- ▁builds- ▁switching- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Development- ▁Note- ▁grades- ▁Together- ▁conviction- ▁click- ▁intake- ▁headline- ▁thorough- ▁selectively- ▁reaffirm- ▁Finance- ▁limits- ▁clearance- ▁municipal- ▁venue- ▁children- ▁assistance- ▁cautiously- lon- ▁removed- ▁evaluated- ▁Has- ▁stories- ▁honestly- ▁Open- ▁decreasing- ▁heightened- ▁attendance- ▁themes- ▁broken- ju- ▁Inc- ▁incrementally- ▁hu- car- ▁lumber- ▁dropped- ▁rank- ▁Remember- ▁tactical- ▁County- pac- ▁fleets- ▁downtime- ▁cur- ▁Brands- ▁worst- ▁locally- rd- ▁GE- ▁begins- met- ▁trouble- ▁farmers- ▁Did- ▁log- ▁Product- ▁filling- ▁caught- ▁unsecured- comp- ▁Han- ▁gather- ▁sensors- ff- ▁seriously- ▁sample- ▁preferences- ▁dispositions- ▁gate- room- ▁arm- ▁tailwind- ▁considerations- ▁unmet- fu- ▁Syn- ▁seat- ▁Chairman- ▁affordability- ▁economically- ▁pronounced- ▁telecom- ▁music- ▁schools- ▁tower- ▁Big- ▁Cal- ▁Ohio- ▁statistics- ▁uptake- point- late- ▁disclaimer- ▁chronic- ▁nobody- '%'- ▁Access- ▁debate- ▁Ver- oriented- ▁quantity- ▁refinery- ▁Rich- CI- ▁River- ▁factored- ▁traded- nic- ▁commerce- ▁prescription- ▁exclusively- ▁severity- ▁muted- ▁shutdown- ▁initiate- ▁terminals- af- ▁perfectly- ▁diminish- ▁routine- turn- ▁da- ica- ▁Unfortunately- cal- yl- ▁departments- ▁mechanical- ▁mistake- ▁shrink- ▁chains- ▁surprising- power- ▁ambitious- ▁sweet- ▁lens- ▁fo- ▁ro- ▁pop- ▁probability- ▁slate- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁accessories- ▁Accordingly- ▁needle- ▁similarly- ▁filled- ▁Microsoft- ▁dispute- ▁Safety- ▁Oil- ▁instrument- ▁branding- ▁disrupt- ▁communicating- ▁simplified- ▁grocery- ional- ▁lowered- sum- ▁Across- ▁pivotal- ▁Higher- ▁formats- ▁strict- ▁Public- ▁compensate- ▁calculate- ▁mall- ▁Meeting- ▁spirit- 2%- ▁greenfield- ▁classified- ▁CD- ▁sea- ▁everyday- ▁suggests- ▁bus- ▁NIM- ▁grateful- q- long- ▁studio- je- gate- ▁gaps- ▁signals- ▁residents- ▁gene- bra- ▁mile- water- ▁Facebook- ▁residual- ▁bolt- ▁crews- ▁eliminated- ▁ten- VA- ▁requiring- ▁Jason- ▁Lake- '10'- ▁payback- ▁Pay- ▁server- ▁oral- ▁Gross- ▁ROE- ▁bode- ▁floating- ▁enroll- ▁union- ▁allocating- ▁barriers- ▁conducting- ▁Tele- gy- ison- 1%- ▁FI- ▁Marine- ▁limitations- ▁proved- AT- ▁boat- ▁cluster- ▁House- ▁stepping- ▁breaking- ▁mortgages- han- ▁Dis- ▁Illinois- ▁merit- ▁commence- ▁embrace- ▁Card- ▁warrant- ▁Bay- ▁restart- ▁widely- ▁screening- ▁generates- ▁star- ▁immuno- ▁flip- ▁customized- ▁Si- ▁commenced- men- ▁commissioning- ▁surplus- ▁Bri- ew- ▁logical- ▁shops- ▁baked- ▁inefficiencies- ▁Andrew- ▁minority- ▁span- ▁mail- owned- ▁25%- ▁employed- ▁cool- ▁medicines- MI- ▁Reconciliation- ▁impossible- ▁teleconference- ▁Express- rated- ▁aging- ▁commercially- ▁demographics- ▁fields- ▁unlike- ▁surge- part- ▁bearing- ▁distinguish- ep- ▁la- ▁developer- ▁Direct- ▁aviation- ▁Vo- ▁techniques- ▁outflows- ▁locked- ▁holistic- ▁idle- ▁premise- ▁Materials- ▁adversely- ero- ▁named- ▁autonomous- ▁friction- ▁coupon- fusion- ▁Cash- ▁ATM- ▁adopting- ▁mu- ▁finalizing- ▁refocus- ▁ancillary- ▁incumbent- ▁Brand- ▁impactful- ▁titles- ▁derived- ▁divestitures- ▁publish- stone- ▁overnight- star- ▁simplifying- ▁installations- ▁imperative- ▁Hill- ▁rein- ▁characterized- ▁employer- ▁Uni- ▁eyes- ▁translated- ▁Web- ▁tenure- ▁lifting- ▁gen- ▁Indonesia- ▁manifest- ▁multiples- ▁sent- ▁divest- ▁regain- ▁promoting- ▁flex- ▁border- ▁centralized- can- ko- ▁onboard- ▁delever- ▁pulp- ▁ruling- ▁strip- ▁Tax- ▁royalties- ▁transcript- ▁AC- ▁Atlantic- ▁defer- type- ▁Ja- ▁aligning- ▁emissions- ▁expression- ▁Point- ▁App- ▁expert- ▁principle- ita- ▁kids- ▁intact- ▁unusually- app- ▁text- ▁George- ▁filter- ▁comprised- ▁concessions- ▁diligent- ▁comply- ▁south- ▁Plus- ▁predictability- positioned- ▁cheaper- ▁struggle- ▁demanding- ▁logo- ▁prescribe- ▁shortages- ▁mentioning- ▁friends- ▁Science- ▁revolution- ▁wellness- '-1'- ▁clearer- ▁British- ▁accrual- ▁cement- ▁bias- ▁placements- ▁forced- ▁modernize- ▁casual- ▁Keep- ▁chemicals- ▁stepped- ▁Broad- ▁Phoenix- ▁Zealand- ▁dominant- ▁Along- ▁lighter- '50'- ▁Senior- ▁Wealth- ▁Court- ▁transitions- ▁directed- ▁enhances- ▁matching- ▁weekly- 3%- ▁fueled- ▁routes- ▁appointment- ▁collaborate- ▁speculate- SE- ▁Tech- ▁centered- force- ▁Ber- ▁progressive- ▁PR- ▁CE- ▁Electric- ▁Richard- ▁Norway- ham- pho- ▁elected- ▁21- ▁genetic- ▁Reg- old- OP- ▁settled- EC- ▁predicted- ▁agricultural- ▁modify- ▁crew- ura- premise- ja- ▁Transportation- ▁erosion- ▁resonating- ▁relied- ▁Gold- free- ution- ▁crucial- ▁opposite- ▁streamlining- ▁optical- spec- ▁divestment- ▁consume- ▁quota- ▁Mid- ▁Chemical- ▁millennial- ▁isolation- ▁Flex- ▁authority- ▁transformative- ▁passionate- ▁stayed- ▁disaster- ▁shortfall- print- ▁answered- ▁Ron- ▁nursing- ▁1,000- ▁race- ▁Tony- ▁instances- ▁implies- ▁Republic- ▁trades- ▁accessible- ▁precisely- location- ▁Several- ▁equities- ▁loaded- ▁hosting- ▁elevate- ▁ra- ▁annuity- ▁elimination- ▁landlord- ▁teach- ▁dining- ▁IC- ya- ▁renewables- ▁consist- ▁score- ▁tightly- ▁neighborhood- ▁argue- ▁craft- ▁licensed- dding- ▁TA- wear- ▁temporarily- ID- ▁affects- ▁attracted- ▁drawing- ▁PD- ▁accurately- ▁interpret- ▁Atlanta- ▁Lower- ▁envision- ▁attached- ▁illustrates- ▁Personal- ▁ordinary- ▁rough- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁requests- ▁externally- ua- ▁exposures- ▁newest- ▁Tra- ▁wondered- ▁transact- ▁albeit- ▁differentiating- ▁perpetual- ▁Gene- ▁arena- ▁compares- ▁accompanying- ▁Cy- iff- ▁annually- za- lease- ▁activation- ▁exploit- ▁reception- ▁omnichannel- ▁translates- ▁warranty- ▁restructure- ▁cautioned- ▁mills- ▁Time- ▁sponsors- ▁Navy- ▁premature- ▁revisit- ▁detection- cycle- ▁hole- ▁competencies- ▁integral- ▁VA- ▁overwhelming- ▁town- ▁projecting- ▁300- cho- cus- ▁Netherlands- ▁article- ▁corn- ▁Hu- 8%- ▁hydro- ▁charging- ▁shaping- ▁activate- ▁holds- cha- specific- ▁finishing- ▁eager- ▁implant- ▁unrealized- ▁13%- ▁Fair- ▁hence- ▁supposed- ria- ▁cheap- ▁observations- ▁Series- ▁du- ▁computer- ▁populations- ▁fr- ▁propositions- ▁securitization- ▁GP- product- ▁Oklahoma- ibility- play- ▁dig- ▁phasing- vision- ▁collectively- ▁subscriptions- ▁skin- ▁province- ▁nationwide- ▁zones- ▁networking- ▁metals- ▁Resources- ▁winner- ▁Andy- ▁namely- ▁Foods- ▁softening- ▁chase- ▁rebuilding- ▁Free- ze- ▁War- ▁character- 6%- ▁Pri- ▁Automotive- ▁depressed- ▁privilege- ▁statistical- ▁boot- ▁seamlessly- ▁inflows- ▁Electronic- ▁catastrophe- ▁appreciated- ▁hyper- ▁bi- uff- ▁detect- ▁outages- ▁Arizona- ▁durable- ▁mitigated- ▁Live- ▁printing- ▁renovations- nci- ▁alter- teens- ▁Alex- ▁repay- bit- ▁RevPAR- ▁assembly- ▁difficulties- facing- ▁Trust- ▁dual- ▁basins- ▁yielding- ▁competitively- ▁Super- ening- ▁argument- ▁Though- ▁hang- ▁lender- ▁injection- ▁compensated- ▁airplane- ▁fraud- ▁society- ▁Light- ▁formed- ▁Platform- ▁crack- ▁brick- ▁treatments- ▁analytical- ▁metro- ▁fans- ▁King- ▁fabric- ▁Sand- ▁reinvesting- ▁Michigan- ▁14%- ▁Spring- ▁semi- ago- ▁transitioned- ▁Indian- ▁th- ▁bandwidth- ▁tip- ▁rid- ▁fruition- how- ▁applies- ▁delta- ular- ▁Out- ▁Island- ▁simpler- ▁inherently- ▁qualitative- ▁manual- ▁PE- ▁Way- ▁500- ▁band- 7%- ▁determining- ▁grain- ▁conclusions- ▁contributors- ▁variation- ▁leisure- ▁repricing- ▁amended- ▁12-- ▁blended- ▁PA- weight- ▁'20- ▁wise- ▁Report- ▁Los- ▁occasions- ▁inhibitor- ▁SA- ▁paint- ▁sudden- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- head- source- ▁CMS- wise- ▁automate- ▁innovating- ▁stopped- ▁digest- tel- ▁observe- ▁transformed- ▁aid- ik- ▁Mu- ▁endeavor- ▁transferred- ▁tuck- ▁Marc- ▁chip- ▁suit- ▁Defense- ▁excuse- ▁Mill- ▁outlet- ▁Jay- ▁desired- ▁digitally- cular- ▁pride- ▁hurdle- add- ▁laying- ▁addresses- ▁onboarding- ▁harm- ▁buffer- ▁configuration- ▁Nor- ▁Line- ▁headlines- istic- ▁overly- ▁clarification- ▁outage- ▁rationalize- ky- ▁letting- ▁patents- ▁Craig- ▁Target- ▁convey- ▁Val- ▁Robert- ▁ski- verse- ▁revisions- TS- ▁Nevertheless- ▁silver- ▁Land- ▁advised- ▁analog- ▁Store- ▁pumping- ▁inject- ▁Property- ▁circuit- ▁showcase- ▁Ultimately- ▁engineered- ▁valid- ▁severance- ▁Micro- ▁roof- ▁DNA- ▁energized- ▁Sam- ▁trailing- ▁SKUs- ▁liquids- ▁iconic- ▁Midland- ▁lineup- ▁suggesting- ▁inquiries- ▁intensive- ▁sake- ▁personalization- ▁tailored- ▁manageable- ▁obtained- ▁outperformed- ▁capitalization- ▁concluding- ▁builders- ▁containers- ▁footwear- ▁trucking- serv- ▁tighten- ▁restrict- ▁Seattle- ▁Supply- ▁Sky- ▁demo- ▁samples- ▁heads- ▁honor- ▁holders- ▁repairs- ▁recapture- ▁bench- ories- ▁buckets- ▁lessons- ▁tenders- ▁modified- ▁vacation- ▁steep- ▁sport- ▁celebrate- ▁prepaid- ▁vacancy- ▁bounce- ▁pan- lia- MO- ▁parks- ▁era- ▁Ko- ▁Natural- ▁achievable- ▁drink- ▁scheduling- ▁inclusive- ▁subsequently- ▁eat- ▁protected- ▁portal- ▁lo- ▁gearing- ▁recommendations- ▁Her- ▁Margin- ▁black- ▁capacities- ▁mitigation- ▁taste- ▁Ben- ▁granular- ▁Association- ▁Research- ▁emergency- ▁phenomenon- ▁pleasant- ▁neuro- ▁fab- SP- ▁advancement- LI- ▁Long- ▁Northwest- ▁comparability- ▁contraction- ▁Actually- ▁chat- ▁awful- ▁pertain- ▁lie- ▁individually- cast- ▁frequent- ▁thrive- ▁lumpiness- ▁authorized- ▁Bu- ▁algorithms- ▁concession- ▁tailwinds- ▁avenues- ▁taxable- ▁Process- ▁medication- ▁resiliency- ▁quiet- ▁fraction- ▁walking- ▁participated- tribut- ▁AG- ▁cumulative- ▁validated- ▁submarket- ▁shorten- ▁opt- 9%- ▁thereafter- ▁relying- ▁Firstly- ▁consumables- ▁reseller- ▁Phil- ▁parcel- stock- ▁pie- ▁aiming- ▁heavier- ▁maturing- ▁measuring- ▁prototype- ▁issuing- ▁Todd- ▁EM- ▁ride- ▁organized- ▁reap- ▁representatives- ▁Louisiana- ▁survival- ▁concert- ▁plate- ▁threats- ▁dip- ▁discover- ▁towers- ▁interruption- ▁deduction- TO- ▁registered- ▁module- tier- ▁ES- ▁keen- ▁Nick- ▁NOI- ▁Avi- ▁whereby- ▁acting- ▁designing- maker- ▁sugar- ▁trough- ▁derisk- ▁relocation- ▁structurally- LE- ▁lies- ▁manufactured- ▁Without- ▁inbound- ▁breakthrough- mod- ▁suited- ▁Tru- ▁surprises- ▁involving- ▁salary- ▁significance- ▁Early- ▁Wood- ▁clinicians- ▁weakening- ▁mini- ▁trick- ▁viewing- RO- ah- answer- ▁outlets- ▁Columbia- ▁Mexican- ▁declare- ▁ounces- ▁removing- ▁phones- ▁advise- ility- pic- j- ▁hurdles- ▁England- ▁silicon- ▁Jan- performing- ▁loading- ▁hosted- ▁23- ▁convention- ▁limiting- ▁cyber- ▁ought- ▁Monday- ▁liver- ▁African- ▁somehow- row- ▁answering- ▁arrive- ▁Lab- edge- ▁covenant- ▁CB- ▁notwithstanding- ▁dictate- ▁bold- ▁kit- ▁slip- building- ▁lend- ▁justify- ▁dosing- ▁assured- ▁36- ▁seats- book- ▁underpin- ▁Welcome- ▁feasibility- ▁mitigating- ▁Thus- ▁jet- ▁Union- ▁contemplate- ▁Ya- ▁OP- bank- ▁clinically- ▁Liberty- ▁cushion- ▁gauge- ▁Take- ▁clearing- ▁James- ▁CRM- ▁Chi- ▁RO- ▁consequences- ▁Operator- ▁chapter- ▁chasing- ▁legislative- ▁remediation- ▁relaunch- ▁phenomenal- ▁documentation- ▁streamlined- ▁labs- lect- expected- ▁reinforces- priced- ▁credibility- ▁furniture- ▁Account- ▁pleasing- ▁collected- view- ▁programmatic- ▁refi- ▁flying- ▁advancements- ▁parking- ▁Missouri- ▁dairy- ▁layers- ▁CI- itation- ▁appealing- demand- ▁CS- ▁sharpen- ▁styles- ▁Club- ▁Future- ▁Minnesota- ▁molecular- ▁scratch- ▁tonnage- ▁Martin- ▁requested- ▁passive- stream- ▁recommend- ▁cooperation- ▁deficit- ▁heritage- ▁roadmap- ▁statutory- ▁Chile- ▁pumps- ▁bills- tec- ▁educational- ▁restructured- ▁rural- ▁automatically- ▁readiness- ▁fish- ▁attend- ▁plug- price- ▁occasion- ▁Cu- ▁billions- responsibilities- ▁compliant- ▁salespeople- ▁dilutive- ▁strictly- ▁solidify- hu- ▁pads- ▁underwrite- ▁mirror- ▁opioid- ▁foster- ▁17%- ▁commercialize- via- ▁Non- ▁University- ▁compromise- ▁Ocean- ▁undergoing- ▁straightforward- ▁Taking- ▁deleverage- ▁Port- ▁SP- ye- ▁unlocking- UR- fold- ▁Switch- ▁catalog- ▁universe- ▁Sports- ▁Price- ▁articulated- ▁owning- ugh- ▁relations- ▁Historically- ▁Ryan- ▁journal- ▁mortality- ▁neither- ▁yard- ▁Production- ▁classic- ▁Safe- ▁Angeles- ▁Saudi- ▁proximity- ▁scalability- ▁turbine- ▁variations- ▁entrants- ▁Win- ▁arms- ino- ▁agriculture- ▁chemistry- ▁multinational- ▁voluntary- ▁Sometimes- ▁speculation- ▁DS- ▁Pan- channel- ▁NAV- ▁geopolitical- ▁rush- ▁solving- mortar- ▁shoot- ▁shot- ▁calculations- ▁16%- ▁22- ▁suffered- plan- ▁AP- ▁nominal- ▁stimulate- ▁distraction- ▁persistent- ▁migrating- ▁quantitative- ▁thermal- ▁18%- oid- ▁transitional- ef- place- ▁specialists- ney- ▁interconnect- atory- ▁accomplishment- ▁Education- ▁describing- ▁salaries- ▁squeeze- ▁flattish- iding- EM- ▁EP- ▁Innovation- ▁Irma- ▁dealership- ▁representation- ▁normalization- ▁collecting- ▁removal- ▁shock- ▁enforcement- ▁suffer- ▁outsized- ▁MS- ▁heating- ▁Far- brand- ▁meat- ▁Premier- ▁incorporating- ▁CM- ▁Shop- ▁Stock- ▁four- az- ▁Generally- gar- ▁Government- ▁Kansas- ▁distance- ▁edit- ▁fat- lim- box- ▁publishing- ▁FFO- ▁Harbor- ▁Software- ▁Southwest- ▁slot- ▁Ab- ▁Moreover- bri- ▁approached- ▁absorbed- ▁advertise- reduction- ▁CC- ▁Olympic- ▁college- ▁Division- ▁noninterest- ▁obtaining- ▁widening- ▁robotics- ▁upsell- only- ▁ambitions- ▁landing- ▁Committee- ▁FERC- ▁omni- ji- ▁meal- ▁attain- ▁gasoline- ▁moderated- ▁enrolled- ▁unmatched- ▁snack- ▁Beach- ▁modifications- ▁technically- ▁Advanced- ▁Switzerland- ▁mega- ▁hubs- ▁Infrastructure- ▁tobacco- ▁tweak- ▁films- ▁independently- ▁Ke- matic- ▁offline- ▁TR- ▁interactive- ▁commenting- ▁shoppers- fill- new- range- ▁DA- ▁outperforming- ▁GDP- ▁composite- ▁warrants- ▁gateway- ▁consultation- ▁critically- ▁deepening- Point- ▁Hospital- ▁batteries- ▁diabetes- ▁milk- ▁preserving- ▁reinvent- ▁farms- ▁consists- ▁Denver- ▁underpinned- ▁observation- ▁attraction- ▁Med- ▁HR- ▁ME- ▁crystal- ▁Labor- ▁dropping- ▁alert- ▁liquidation- tz- ▁kicked- ▁explicit- ▁ultra- ▁molecule- ▁assay- ▁bundled- train- ▁recommendation- ▁teens- ▁Carl- ▁workplace- ▁EV- ari- ▁enjoying- ▁crush- ▁spacing- ▁malls- ▁prescriptions- ▁Bur- ▁renewing- ▁400- ▁Value- fully- ▁Russian- ▁examine- ▁prolonged- ▁truth- ▁standalone- ▁till- RP- ▁instrumental- ▁Alaska- ▁prominent- ▁semester- ▁flash- ▁jewelry- ▁Currently- ▁reconcile- ▁deferral- ▁dislocation- ▁Communications- ▁Post- ona- CH- ▁withdraw- ▁goodwill- ▁Grand- ▁theaters- ▁provisioning- ▁originated- ▁nearing- ▁approve- ▁associate- ▁insurers- ▁sun- ▁Equipment- ▁Meanwhile- ▁Professional- ▁kitchen- ▁Boeing- ▁panels- ▁belt- body- ▁White- ▁isolated- ▁AL- ▁fan- ▁smoothly- ▁midterm- ▁molecules- ▁Georgia- ▁Taiwan- ▁durability- ▁prioritizing- ▁Aerospace- ▁deserve- ▁rose- ▁Intel- ▁distinctive- ▁error- media- ▁confidential- ▁predicting- ▁regime- FA- ▁Volume- ▁complain- ▁tackle- ▁customary- Link- ▁suffering- ▁mandates- ▁eventual- ▁advisor- ▁intermediate- ▁congratulate- ▁continuity- ▁moderation- ▁instant- ▁End- ▁ASP- ▁GM- ▁notion- ▁le- ▁Sim- ▁NO- ▁frozen- ▁shippers- ▁interpretation- ▁fear- ▁Box- ▁Trade- ▁fueling- cut- ▁Mountain- ▁translating- ▁equipped- ▁mainstream- life- ▁lung- ▁modular- ▁stem- ▁ST- ▁reservation- ▁Fresh- ▁footage- ▁AT- ▁cancellations- ▁seasoned- contract- Star- ▁reopen- ▁shall- ▁Ireland- NS- ▁Similarly- ▁sharply- ▁suppose- ▁Greater- ▁authentic- ▁transit- ▁civil- ▁expedite- ▁noteworthy- ▁Director- ▁factoring- ▁intrinsic- ▁association- ▁technician- ▁Except- ▁directionally- ▁shrinking- ▁photo- ▁embracing- ▁readily- ▁outset- ▁visiting- ▁RV- ctive- sensitive- ▁symptom- list- ▁Nordic- ▁Euro- ▁pair- season- ▁Bruce- ▁meter- ▁succession- ▁drawn- ▁rewarding- ▁measurable- ▁Contract- ▁leak- ▁acres- ▁Compare- ▁entirety- oma- ▁innings- ▁flood- ▁fe- ▁Probably- ▁Multi- ▁valve- ▁Adam- ▁digitalization- ▁dimension- ▁consult- ▁surgeon- ▁cleaning- ▁conflict- ▁prompt- ▁unpredictable- ▁dispose- ▁spare- ▁CLO- ▁playbook- ▁28- ▁affiliates- ▁evenly- ▁SE- ▁merge- ▁muscle- ▁interior- ▁cleaner- ▁budgeting- ▁temperatures- ▁coincide- ▁defining- ▁quantities- ▁forever- ▁reside- ▁ingredient- ▁actionable- ▁rewarded- ▁Everything- ▁essence- ▁extraordinarily- ▁radar- ▁Statements- ▁Hotel- ▁command- ▁Motor- ▁chips- ▁fitness- ▁guy- ▁float- ▁Charles- ▁Distribution- ▁NGL- ▁Perhaps- ▁decisive- ▁uniform- ▁overhang- rchitectural- zz- ▁petrochemical- ▁beef- ▁constructed- Fi- aries- ▁certified- ▁escalation- ▁rebalancing- ▁surpass- ▁Pricing- ▁confusion- ▁subset- ▁confirmation- ▁sir- ▁adapting- ▁adequately- ▁dimensions- pping- ▁fail- ▁delight- ▁Massachusetts- ▁STACK- ▁tactics- ▁infection- ▁invoice- ▁mask- ▁coach- ▁Radi- ▁specialist- ▁constraint- ▁deceleration- ▁devaluation- figuring- ▁methodical- ▁promised- ▁reinforced- ▁Really- ▁LP- ▁printer- ▁Instead- ▁LIBOR- ▁Strategic- ▁continuum- ▁Roger- ▁Adjust- pped- berg- ▁attach- ▁varying- ▁defensive- ▁signature- ▁Small- ▁desktop- ▁shoe- ▁RFP- ▁Back- ▁Bra- ▁RF- ▁Support- ▁absent- ▁dental- ▁wheel- ▁meters- ▁API- RT- ▁honored- ▁Beginning- ▁Larry- ▁reinforcing- ▁renegotiate- ▁fabrication- ▁publishers- ash- ▁jurisdiction- ▁circ- ▁object- ▁column- ▁injury- ▁lapping- ▁posting- ▁noticeable- ▁prop- ▁OR- mine- ▁NP- ▁realign- ▁counting- ▁Shanghai- ▁pioneer- ▁sluggish- ▁unprofitable- ▁Delta- ▁oversight- ▁Wall- TV- depth- ▁entitled- ▁secret- ▁universal- ▁Advantage- ▁pursued- ▁comm- erial- ▁Caribbean- ▁Venezuela- ▁draft- ▁identification- ▁pediatric- ▁northern- ▁crane- ▁casualty- ▁trailer- ▁laboratory- ▁regimen- ▁VI- ▁Bakken- ▁Pipeline- ▁continent- ▁profound- ▁occurrence- ▁Advisory- ▁hedged- ▁doctor- ▁coating- ▁FA- ▁cancellation- ▁Standard- ▁revaluation- ▁vaccine- pack- ▁OE- ▁divide- ▁Client- ▁Operations- ▁apologize- ▁beautiful- ▁steam- ▁wafer- ▁patch- ▁shake- corp- ▁handset- ▁SAP- ▁Clear- ▁affirm- ▁knock- ▁sleep- ▁telephone- ▁transient- ▁Fuel- ▁incurring- ▁Book- ▁limitation- ▁yen- ▁outreach- ▁refineries- Net- ▁involvement- ▁accrued- ▁spine- gene- ▁coast- ▁Thailand- ▁steer- ▁Patrick- ▁specified- ▁releasing- scrip- tail- tune- ▁circle- ▁Er- ▁attractiveness- ▁MR- front- ▁analyzed- ▁climb- ▁newspaper- ▁Agency- ▁concurrent- ▁wearable- ▁native- ▁progressively- ▁tanker- gel- DR- ▁fluctuation- ▁banners- ▁chicken- ▁Italian- ▁Brent- ▁tonnes- ▁reveal- ▁highway- ▁TI- ▁Mc- ▁Pen- changing- ▁Horizon- ▁varies- ▁assignment- ▁consequently- ▁marginally- ▁graphic- ▁correlated- FI- ▁Corp- ▁partnered- ▁fly- ▁borrower- ▁Logistics- ▁Organic- ▁southern- ▁freedom- ▁Bridge- ▁oriented- ▁officially- ▁Prime- ▁relocate- ▁algorithm- ▁Important- volume- ▁Analytics- ▁battle- ▁deciding- ▁destocking- ▁Glen- ▁quoting- ▁distinction- mont- cycl- ▁derive- ▁thousand- ote- ▁MO- ▁wine- ▁appraisal- ▁motivation- ▁expressly- ▁reversed- ▁Equity- ▁breast- ▁stood- ▁sought- funded- ▁compute- ▁rebates- ▁Max- family- NE- ▁Belgium- ▁nurse- ▁stroke- ▁stringent- ▁golf- ▁comprise- ▁geared- ▁theater- ▁deteriorate- ▁enacted- ▁sensible- ▁sixth- ▁fixing- ▁tailor- ▁contingency- ▁shale- ▁displace- ▁railcar- ▁guaranteed- ▁investigators- ▁recycle- ▁PRO- ▁biotech- ▁Orlando- ▁Tuesday- ▁Wisconsin- ▁vibrant- ▁makers- nova- jo- ▁systemic- pha- ▁Diamond- ▁Operational- ▁desirable- ▁recipe- ▁Par- ▁refinement- ▁Sprint- mount- ▁BP- ▁robotic- cell- ▁habits- ▁unlimited- ▁Omni- ▁summarized- ▁Fee- ▁beds- ▁Cup- ▁promoted- current- ▁Antonio- ▁integrator- ▁suburban- ▁conform- ▁strain- step- ▁Clar- flat- ▁safer- ▁barrier- yield- ▁reinvested- ▁library- ▁sanction- ▁vintage- ▁retrofit- ▁feedstock- ▁Still- ▁CRE- ▁Master- ▁fold- ▁failed- ▁tourist- ▁leaner- ▁Best- ▁Malaysia- ▁Premium- ▁Stephen- ▁Garden- ▁Combined- round- ▁discovered- ▁intensely- bar- ▁visitors- ▁reallocate- ▁fighting- ▁Prior- ▁Keith- ▁nationally- buy- vol- ▁Design- ▁diagnose- ▁railroad- ▁convergence- ▁entrepreneurial- ▁Unit- ▁ban- serve- ▁routing- ▁ranging- ▁hunt- ▁Estate- ▁tuned- ▁sticking- disproportionate- ▁Connected- ▁reactor- ▁citizen- ▁Nothing- ▁standardized- ▁accumulated- ▁Diego- ▁attitude- ▁propane- ▁26- build- ▁augmented- ▁lien- ▁Nevada- ▁Vietnam- ▁bonuses- ▁deliberately- ough- ▁overhaul- saving- ▁furnish- ▁Continental- ▁appointed- ▁benign- ▁bottle- ▁gallon- ▁reiterating- ▁PI- ▁gu- ▁borrow- rk- ▁originate- ▁monetizing- ▁resistance- ▁underneath- ▁onshore- ▁deadline- ▁behave- ▁favorite- ▁oversee- ▁CT- ▁confirming- ▁repeating- ▁embark- ▁pin- ▁catching- ▁Test- ▁permission- ▁tremendously- ▁Dar- haul- ▁explaining- ▁behavioral- 'NO'- ▁discounted- ▁Consequently- ▁Randy- ▁cannibalization- ▁choppy- ▁departure- ▁minimizing- ▁Absolutely- ▁19%- ▁27- ▁TAM- ▁assisted- ▁outsourced- ▁Paris- ▁reconciled- ▁Meta- built- consumer- ▁random- ▁2013- user- ▁Hard- ▁friendly- ▁sticky- ▁divested- ▁consumed- ▁CR- LO- ▁imported- ▁cannabis- ▁sequencing- ▁Anything- ▁Three- ▁dress- ▁mono- ▁Mag- ▁perceived- ▁ideally- ▁existed- ▁ranking- ▁accountable- bridge- ▁approximate- ▁robot- ▁Special- ▁Philippines- ▁graduate- ▁harness- ▁navigation- ▁striving- ▁wildfire- ▁outflow- ▁Recently- ▁witnessed- ▁mutually- ▁Add- ▁midyear- week- ▁Among- ▁sensing- put- ▁warning- ▁consumable- ▁handled- ▁Community- ▁duties- ▁educating- ▁entertain- ▁grab- ▁granularity- ▁suitable- ▁abate- ▁suddenly- ▁EC- cin- ▁Ray- ▁Farm- ▁cast- ▁dampen- ▁genuine- ▁surcharge- ▁enrich- ▁Shell- rick- dale- gress- ▁RP- ▁Ten- ▁scar- sourcing- ▁lately- ▁Para- ▁convince- ▁flatten- town- ▁urge- ▁cognizant- ▁paradigm- ▁sequence- ▁underserved- ▁distort- ▁Large- ▁About- ▁embarked- ▁reserved- PL- ▁aided- ▁Packaging- ▁biomarker- ▁pacing- ▁Team- ▁Interest- ▁prevention- ▁homeowners- ▁immaterial- ▁postpone- ▁Main- ▁archived- ▁downtown- ▁temperature- ▁MI- ▁govern- ▁Ever- ▁Cable- ▁Manhattan- ▁Trump- ▁delinquency- ▁easiest- ▁university- ▁unanticipated- ▁finger- ▁Reserve- ▁sustainably- ▁vertically- ▁keenly- ▁Shi- ▁survive- ▁classification- ▁assembled- ▁visited- ▁flooding- ▁Hub- ▁Fortunately- ▁concentrating- ▁navigating- ▁Income- ▁grand- ▁propel- ▁Sean- ▁narrowing- ▁selecting- ▁participant- ▁Matthew- ▁conservatism- ▁simulation- ▁whatsoever- ▁Travel- ▁Show- ▁outpatient- patient- ▁Area- ▁competency- ▁precious- ▁satisfactory- ▁swift- ▁synergistic- ▁east- ▁Provid- ▁sending- ▁RA- ▁consultant- ella- ▁antibiotic- ▁coordination- ▁disclosing- ▁reorganize- ▁universities- ▁unparalleled- band- ▁containment- burg- ▁Five- ▁TE- ▁BI- ▁Hopefully- ▁afraid- ▁bundling- ▁creativity- ▁innovator- ▁telco- ▁Deliver- ▁Tu- ▁friend- ▁bone- ▁Head- ▁enduring- ▁Choice- ▁drought- ▁commencement- ▁groundwork- ▁Road- ▁PS- ▁converge- ▁Marcellus- ▁Swiss- ▁commensurate- ▁kidney- ▁reshape- ▁Metro- ▁Outside- ▁Royal- tax- ▁incoming- ▁Mortgage- ▁advocate- ▁garner- ▁moderating- ▁lawsuit- ▁Top- ▁SKU- ara- ▁Ci- ▁formally- ▁emphasizing- ▁presumably- ▁urgent- ▁brew- ▁headroom- ▁Sur- ▁thin- ▁catering- ▁checking- ▁RB- ▁corridor- ▁verification- ▁Wholesale- ▁Shift- ▁disorder- ▁Vision- ▁besides- ▁campuses- ▁ring- ▁walked- ▁systematic- ▁president- ▁Kentucky- ▁arrival- ▁automobile- ▁diner- ▁sufficiently- ▁emerged- ▁awaiting- ▁Poly- ▁replenish- ▁odd- ▁ONE- ▁carries- ▁Manager- ▁ER- ▁embraced- ▁wo- ▁Adjuste- ▁'14- ▁Egypt- ▁simplicity- ▁tackling- ▁Full- ▁breakout- ▁attended- ▁fallen- face- ▁tension- ▁Sub- ▁die- ▁revitaliz- ▁Alliance- ▁Beauty- ▁incorrect- ▁penetrating- ▁creep- ▁Square- ▁batch- ▁revert- ▁Order- ▁ice- ▁accompany- ▁35- ▁administer- ▁backbone- ▁soybean- ▁Assuming- ▁renovate- ▁DRAM- ▁bound- ▁death- ▁Fortune- ada- ▁Dow- ▁Pharmaceutical- ▁Simply- ▁impaired- ▁Disney- ▁cellular- ▁wireline- ▁Rail- ▁Step- ▁intentionally- sys- ▁prosper- ▁stance- ▁45- branded- owner- ▁processors- ▁Austin- ▁incentivize- ▁proppant- ▁unplanned- ▁widespread- ▁initiation- ▁genomic- ▁Regulation- ▁Marketplace- ▁loose- ▁insured- ▁barrel- ▁Manage- ▁runoff- ▁Medicine- ▁Until- ▁tranche- ▁transplant- ▁bullet- ▁Paper- iness- ▁terminated- ▁NE- ▁Commerce- ▁Patient- ▁actuarial- ▁privacy- ▁Protection- ▁Payment- ▁realities- ▁Society- ▁Spanish- ▁Tennessee- ▁collaborating- ▁breach- ▁dark- ▁wake- ▁arising- ▁analytic- ▁weakest- ▁prevailing- ▁directional- elect- ▁SI- ▁extensively- ▁curtail- ▁Vancouver- ▁diagnosis- ▁diamond- ▁fertilizer- ▁prevalent- ▁inception- ▁zero- ▁lane- ▁Barry- ▁Play- ▁Later- ▁outsource- ▁advantageous- ▁AV- ▁register- bearing- ▁Industries- ▁suspension- ▁Arabia- ▁abnormal- ▁exhaust- ▁unwind- ▁toxic- ▁10,000- ▁WA- ▁z- fil- ▁Rather- ▁intuitive- ▁AUM- ▁Bi- ▁footing- ▁squarely- ▁AN- ▁hesitate- ▁possess- ▁unclear- ▁attachment- ▁rider- '30'- ▁skewed- ridge- ▁recommended- omic- ▁modification- ▁rigor- born- ▁child- ▁crowd- ▁Hydro- ▁contemplating- ▁ethanol- ▁nuance- ▁vacant- ▁Drive- ▁warmer- ▁bra- ▁Clean- ▁Smith- ▁encompass- ▁Recall- ▁vector- ▁combat- ▁sponsorship- ▁markdown- ▁boom- ▁angle- ▁pent- ▁featured- count- ▁seismic- ▁emergence- ▁divisional- ▁distressed- ▁kicking- ▁reacting- uck- ▁illustrated- ▁Focus- ▁Miami- ▁envelope- ▁inevitable- ▁vigilant- ▁Success- ▁Change- ▁municipalities- ▁Finland- ▁blow- ▁hydrogen- ▁Centr- ▁recycled- ▁PO- ▁assessed- ▁bodies- ▁institute- ▁pursuan- ▁flag- ▁Yet- ▁coastal- ▁disrupted- ▁29- ▁repeated- ▁enabler- link- ▁unfortunate- worth- ▁Benefit- ▁Family- ▁initiating- ▁SME- ▁hey- ▁rebalance- ▁resin- ▁repeatedly- ▁Dakota- ▁disadvantage- ▁nickel- ▁referencing- ▁Quest- ▁presidential- ▁comfortably- ▁Roche- ▁coin- meter- ▁foundry- ▁entrepreneur- ▁Jonathan- ▁Journal- ▁Typically- ▁abroad- ▁entitlement- ▁alarm- ▁Aviation- ▁fed- ▁Buy- ▁Kar- shop- ▁correspond- ▁jointly- ▁Place- ▁cylinders- ▁faith- ▁redeem- ▁Print- ▁committing- ▁digitization- ▁installment- ▁totality- ▁thoughtfully- ▁triggered- friendly- ▁Residential- ▁Which- ▁crazy- ▁seventh- ▁subsidies- ▁teammates- ▁Essential- ▁unveil- ▁versa- ▁deductible- ▁lagging- ▁Lead- ▁POS- ▁Longer- ▁Fred- ▁Alan- ▁Del- ▁CF- ▁cooling- ▁shopper- ▁vest- ▁Discovery- ▁reassess- ▁reliably- ▁undertook- ▁Creek- ▁antenna- ▁peso- ▁Bryan- ▁tourism- ▁magic- ▁Cyber- ▁tree- ▁halfway- ▁Denmark- ▁candidly- ▁sneak- ▁silo- ▁haul- ▁tendency- ▁prohibited- ▁encountered- ▁localized- ▁Field- ▁contrary- ▁exclusivity- ▁extrapolate- 3,000- ▁smallest- ▁posture- ▁establishment- ▁cure- ▁matched- ▁organize- ▁Industry- ▁NIKE- ▁alleviate- ▁reluctant- ▁steadfast- ▁restoration- ▁Local- ▁hair- ▁complexities- ▁Indiana- ▁MSR- ▁seize- ▁arrived- ▁Online- ▁Medi- umab- ette- ▁intensify- ▁culminat- ▁penalty- ▁scientists- ▁Steel- ounce- ▁deepwater- ▁Ship- ▁permitted- ▁Loan- One- ▁1.5- ▁amplify- ▁electrification- ▁umbrella- ▁wild- ▁stuck- ▁admit- ▁absorbing- ▁Solar- ▁satisfying- ▁instruct- ▁Utilities- ▁roaming- ▁uncover- ▁Louis- ▁desk- ▁Sears- ▁installing- ▁lessen- ▁tightened- generating- ▁RM- ▁CAR- ▁MD- ▁compounded- ▁FL- ▁Domestic- ▁housekeeping- ▁radical- ▁leap- ▁camp- ▁GI- ▁accrue- ▁articulate- ▁LC- ▁struggled- under- ▁English- ▁counsel- ▁aesthetic- ▁Human- ▁gig- position- ▁frontline- ▁Authority- ▁William- ▁mechanics- ▁sampling- ▁sterling- ▁Living- ▁Regional- ▁wound- ▁Josh- ▁excel- ▁Initial- ▁abilities- ▁Pass- more- ▁witness- ▁moderately- ▁Coming- ▁DM- ▁Recent- ▁Silver- ▁Starbucks- ▁Whilst- ▁responsibly- ▁sacrifice- ▁abandon- ▁captive- ▁Chuck- ▁cornerstone- ▁Audi- office- ▁Penn- ▁permanently- critical- ▁NAND- ▁certificate- ▁consuming- ▁cubic- ▁pharmacies- ▁Alpha- ▁preview- ▁pub- ▁Vince- ▁x- ▁reprice- ▁Verizon- ▁ammonia- ▁introductory- ▁probable- ▁reliant- ▁subcontractor- ▁cited- ▁Being- ▁Cro- trip- ▁Wind- ▁Austria- ▁OLED- ▁Oregon- ▁revamp- ▁structuring- ▁yourselves- ▁grind- ▁multichannel- ▁ACA- ▁Simon- ▁drastic- ▁Engineering- ▁Israel- ▁cognitive- ▁ocean- ▁refurbishment- ▁renegotiation- ▁undervalued- ▁Cross- rich- '40'- ▁insert- ▁Partner- ▁critic- 5,000- ▁neighbor- ▁Dennis- ▁LED- ▁mandatory- ▁necessity- ▁peripheral- ▁provincial- ▁theoretical- ▁bleed- ▁hyperscale- ▁Dollar- ▁Environmental- ▁interval- ▁Events- ▁tightness- ▁machinery- ▁pitch- ▁broadest- leasing- ▁architect- ▁repurchasing- ▁subdued- ▁turnkey- ▁reject- ▁Edge- ▁ethic- ▁static- ▁customization- ▁engineer- ▁relentlessly- ▁backfill- ▁vesting- share- ▁logistical- '90'- ▁Count- enabled- ▁APAC- ▁COGS- ▁Norwegian- ▁Swedish- ▁bankruptcies- ▁lunch- ▁overarching- ▁sophistication- ▁tirelessly- ▁waiver- ▁breath- reclassification- ▁periodically- ▁modernizing- ▁Santa- ▁inspired- creation- ▁perceive- ▁DR- ▁scan- gram- ▁2021- ▁Institute- ▁Jerry- ▁Philadelphia- ▁rethink- ▁singular- ▁arbitration- ▁dense- ▁NR- ▁implication- ▁Virtu- ▁Holdings- ▁disposable- ▁earliest- ▁featuring- ▁repatriation- ▁veteran- ▁interchange- ▁wholly- ▁NDA- ▁dominated- ▁repeatable- ▁flattening- ▁Mary- ▁continual- ▁Notwithstanding- ▁Profit- ▁ceiling- ▁resolving- ▁unitholders- ▁afterwards- ▁replenishment- ▁headway- ▁Epic- ▁Van- ▁Foundation- ▁binding- ▁dispatch- ▁orientation- ▁anomaly- ▁kill- ▁Sunday- ▁echo- ▁onwards- ▁Peru- ▁governor- ▁logistic- ▁farmer- ▁Companies- ▁FedEx- ▁Relative- ▁rotation- ▁Fire- ▁redirect- ▁brain- ▁matches- ▁discern- ▁Clinical- ▁Generation- ▁NASDAQ- ▁Spirit- ▁elevating- ▁ethane- ▁ethylene- ▁intermodal- ▁microphone- ▁nonresidential- ▁oversupply- ▁unnecessary- ▁viability- ▁vice- ▁nonperforming- ▁assert- speed- ▁Understood- ▁abstract- ▁blind- ▁disappear- ▁garden- ▁march- ▁Unless- ▁controllable- ▁biometric- ▁Progressive- ▁loop- ▁Howard- ▁taper- ▁withstand- Tech- ▁Continued- ▁expiring- ▁imbalance- ▁substance- ▁virtue- ▁egg- ▁Cisco- ▁reimbursed- borne- ▁amortized- ▁coordinated- suit- trol- ▁narrowed- balance- ▁Channel- ▁Connecticut- ▁Increasing- ▁biosimilar- ▁surveillance- ▁untapped- ▁Tower- ▁cabinet- ▁curtailment- ▁compressed- ▁MP- ▁prediction- company- fuel- ▁Senate- ▁stockpile- ▁oftentimes- ▁Index- ▁underpinning- ▁HD- ▁DSO- ▁owe- ▁controller- ▁standardization- ▁Aero- dependent- agnostic- ▁None- ▁drift- ▁Ministry- ▁immense- ▁imminent- ▁Panama- ▁stemming- ▁specialties- ▁truckload- ▁Lee- ▁vet- ▁painful- ▁tune- ▁arguably- ▁ignore- ▁struck- ▁Terry- ▁orphan- ▁interview- ▁Visa- ▁favorability- home- ▁closest- plex- ▁placebo- ▁Quality- ▁Supreme- ▁aforementioned- ▁champion- ▁furnace- ▁obstacle- ▁quantum- ▁tempered- ▁disappointment- ▁Philip- ▁underwriters- ▁supermarket- ▁syndicated- ▁inspire- ▁Lloyd- ▁unwavering- ▁OTT- 4,000- ▁baby- ▁unrelated- sproportionately- eign- ▁lapse- ▁propose- ▁skew- ▁lump- ▁Pete- ▁Consulting- ▁Jennifer- ▁Thanksgiving- ▁Twitter- ▁cultivate- ▁deviation- ▁imposed- ▁narrative- ▁shelves- ▁supplied- ▁Army- ▁nerve- ▁rationalizing- ▁formulary- ▁accompanied- ▁MAC- ▁emission- ▁35%- prem- ▁cater- ▁reshaping- ▁injuries- ▁canceled- ▁solicitation- ▁Coach- ▁banner- ▁hourly- ▁Animal- ▁PayPal- ▁Wireless- ▁harsh- ▁varied- ▁2012- ▁Romania- ▁wrapped- ▁acquirer- ▁interconnection- aaS- ▁nearby- ▁gun- assi- ▁Charter- ▁District- ▁iPhone- ▁Android- ▁intimate- ▁adopters- ▁Law- ▁Join- ▁occupied- ▁BA- ▁subsea- ▁procure- ▁SEDAR- ▁calculating- ▁cardiac- ▁ceramic- ▁cruise- ▁Meaning- ▁offense- ▁biology- ▁mapping- ▁cord- ▁weaknesses- ▁intentional- ▁discretion- ▁inspiration- ▁Fluid- ▁Mississippi- ▁Presentation- ▁Silicon- ▁Ultra- ▁compromising- ▁disagree- ▁eBay- ▁inevitably- ▁inspiring- ▁observing- ▁optimum- ▁cycling- ▁vein- ▁reorder- ▁transferring- ▁decor- ▁height- ▁PURE- ▁Stuart- ▁ballpark- ▁nevertheless- ▁CN- ▁Hunt- ▁oilfield- ▁pocket- ▁surprisingly- ▁Maria- ▁Current- ▁Average- ▁Drilling- ▁bottleneck- ▁nervous- ▁potash- ▁speculative- ▁Kelly- ▁indices- ▁spill- ▁western- ▁Notably- ▁thoroughly- ▁Citi- ▁isolate- Stream- Source- ▁degradation- ▁fiduciary- ▁timber- ▁vegetable- ▁epi- ▁pose- ▁PPA- ▁Oak- ▁richer- ▁broke- ncreased- ▁Pandora- ▁collapse- ▁undoubtedly- ▁megawatts- emphasize- ▁Mainland- ▁intersection- ▁confused- ▁fitting- ▁excessive- ▁Make- school- high- ▁elasticity- ▁magazine- ▁striking- ▁Truck- ▁assigned- developed- ▁travelers- ▁Gar- ▁Precision- ▁Universal- ▁cardiovascular- ▁delinquencies- ▁emotional- ▁filtration- ▁predicated- ▁Dutch- ▁Correct- ▁checkpoint- ▁Factor- ▁Six- ▁tag- ▁Included- ▁cigarette- ▁confusing- ▁contingencies- ▁prescribing- ▁scrutiny- ▁suffice- ▁alloy- ▁systematically- ▁competence- ▁Rest- ▁correlate- ▁Pharma- ▁Engine- ▁credential- ▁exempt- ▁biological- ▁reevaluate- ▁scrubber- ▁wrote- ▁Think- crib- ▁Tier- ▁redefine- ▁exponential- ▁Charlotte- ▁Speak- ▁console- ▁credible- ▁influencing- ▁weakened- ▁Rewards- ▁Games- ▁2,000- ▁Stan- person- ▁tab- ▁Excellence- ▁denominator- ▁earthquake- ▁quartile- ▁reactivation- ▁respiratory- ▁automating- ▁dentist- ▁stickiness- ▁backwards- ▁Return- ▁pullback- ▁Fox- ▁passage- ▁prevail- cession- intensive- vir- ▁Basically- ▁Lincoln- ▁Marriott- ▁Nashville- ▁estimation- ▁summarizing- ▁smoke- ▁transitory- ▁Money- ▁email- ▁distracted- ▁Train- '80'- ▁circumstance- ▁advertiser- ▁tro- ▁Cooper- ▁Manufacturing- ▁Strategy- ▁cybersecurity- ▁devastating- ▁magnet- ▁multitude- ▁presume- ▁guard- ▁commend- ▁sync- ▁encounter- ▁enforce- ▁boutique- ▁contemporary- ▁gratitude- ▁wheat- ▁dream- ▁rebranding- ▁creator- ▁landfill- ▁buses- ▁suspended- ▁Quit- ▁rebate- ▁terminate- ▁List- ▁NAFTA- ▁Renewable- ▁Segment- ▁Transformation- ▁adjacencies- ▁companion- ▁consortium- ▁distributing- ▁repaid- ▁easing- ▁hallmark- ▁Indeed- ▁subsegment- ▁flush- ▁Deep- ▁NPL- ▁subside- ▁instrumentation- ▁portable- ▁render- ▁dead- ▁avenue- oncology- ▁Fleet- ▁quantified- ▁warehousing- ▁adherence- ▁75- ▁layout- ▁Frankly- View- ▁Applied- ▁Considering- ▁Thomas- ▁estimating- ▁lodging- ▁metropolitan- ▁monetary- ▁tunnel- ▁amenities- ▁drone- ▁Utica- ▁instructions- ▁tube- ▁Atlas- ▁stone- ▁Expense- ▁caregiver- ▁football- ▁gratifying- ▁preservation- ▁rebroadcast- ▁retrospective- ▁Airbus- ▁Heath- ▁Old- ▁Veri- trans- troph- ▁Flow- ▁Improvement- ▁Search- ▁Thursday- ▁Yesterday- ▁inconsistent- ▁stimulation- ▁uneven- ▁horsepower- ▁automatic- ▁scrapping- genic- ▁Carol- ▁Apart- ▁realigned- connect- dollar- ▁Anthem- ▁Intelligence- ▁Nigeria- ▁Tampa- ▁judicious- ▁leather- ▁pellet- ▁reimagin- ▁studied- ▁telematics- ▁Idaho- ▁tolerability- ▁Space- ▁Midstream- ▁WiFi- ▁Maryland- ▁Marty- ▁Whereas- ▁normalizing- Atlantic- ▁DIY- ▁Regardless- ▁asphalt- ▁pizza- ▁poultry- ▁propensity- ▁puzzle- ▁redundant- ▁verify- ▁zinc- ▁anxious- ▁immers- ▁reserving- ▁alpha- ▁investigate- ▁Front- ▁Station- ▁quo- ▁shy- ▁resident- abilities- ▁Almost- ▁Summit- ▁duplicate- ▁frustrating- ▁fundraising- ▁Quick- ▁phrase- ▁Iowa- ▁originating- ▁classroom- ▁validating- ▁wrapping- ▁Range- ▁hate- gged- investment- ▁Emerging- ▁Netflix- ▁juncture- ▁longevity- ▁ebb- ▁sidelines- ▁occasionally- ▁nut- ▁lining- ▁spur- ▁viewpoint- ▁Salt- ▁bike- ▁freeze- ▁Ku- world- ▁recur- invest- ▁Entertainment- ▁Portugal- ▁accommodation- ▁feasible- ▁negligible- ▁polymer- ▁preclude- ▁rumor- ▁Depot- ▁retro- ▁antibody- ▁Audience- ▁tractor- ▁salt- ▁auditors- ▁mold- ▁Upon- ▁MRO- business- mproving- ▁Device- ▁abundant- ▁nail- ▁IMAX- ▁settling- ▁chair- tenant- ▁2.0- mitted- ▁Nex- ▁customize- ▁Calgary- ▁ETF- ▁Sunrise- ▁beneficiary- ▁condensate- ▁distributable- ▁speech- ▁virus- ▁Jamie- ▁Fiber- ▁Everybody- ▁heels- ▁Talk- ▁Karen- ▁illustration- ▁recast- ▁acid- ▁Deb- ▁Za- generative- order- acute- border- ▁Arkansas- ▁brown- ▁subsidy- ▁synthetic- ▁Oracle- ▁Rental- ▁boundaries- ▁Daniel- ▁caveat- ▁Comcast- ▁Otherwise- ▁Select- ▁Cancer- ▁Near- ▁trail- craft- Mobile- first- recapitalization- ▁Journeys- ▁expansive- ▁rhythm- ▁spectacular- ▁Aaron- ▁Freight- ▁Airlines- ▁circulation- ▁Susan- ▁Portland- ▁missile- ▁headset- ▁lucky- known- ▁obligat- ▁Four- ▁Cleveland- ▁Czech- ▁constituent- ▁Utility- ▁fierce- ▁recoup- ▁policyholders- ▁Model- ▁restoring- ▁clip- ▁debit- ▁stopping- space- ▁Palm- ▁Active- ▁Discussion- ▁Hudson- ▁Hyatt- ▁Legacy- ▁affinity- ▁balloon- ▁eCommerce- ▁fracture- ▁discharge- ▁plot- ▁Johnson- ▁tailings- ▁conceptual- ▁supplementary- ▁hat- ▁According- trend- ▁Major- ▁accelerator- ▁relax- ▁welcoming- ▁BDC- ▁knee- ▁plateau- ▁compressor- break- ▁embed- ▁Columbus- ▁Learning- ▁Liquid- ▁acuity- ▁altogether- ▁ambulatory- ▁junior- ▁preceding- ▁substitution- ▁syndication- ▁Casino- ▁entail- ▁Julie- ▁constrain- ▁transmit- ground- ▁Engineered- ▁Integrated- ▁accumulation- ▁exclusion- ▁stagger- ▁substantive- ▁Studio- ▁Vehicle- ▁shipyard- ▁0.5- production- ▁Off- ▁categorize- income- ▁Civil- ▁Continuing- ▁blockchain- ▁breakfast- ▁laboratories- ▁refranchising- ▁sacrificing- ▁utmost- ▁cosmetic- ▁dashboard- ▁cease- ▁distill- 8,000- ▁Lending- ▁breed- ▁606- ▁Golden- ▁rightsizing- ▁CRO- currence- ▁Neil- ▁Luc- ▁subscribe- course- tronics- ▁Azure- ▁Equally- ▁Granite- ▁Sydney- ▁appreciative- ▁mentality- ▁solvency- ▁underwritten- ▁helicopter- ▁mattress- ▁mobilize- ▁mutation- ▁plain- ▁reoccur- ▁Empire- ▁identical- ▁methodologies- ▁ASCO- ▁Mining- ▁75%- label- ▁Samsung- ▁Noble- ▁coordinate- ▁luck- ▁Anthony- ▁Beijing- ▁Nielsen- ▁affairs- ▁commoditized- ▁inclined- ▁proliferation- ▁yellow- ▁receptive- ▁Content- ▁tying- ▁cinema- ▁precedent- metric- ▁foothold- ▁cope- itude- ▁detriment- ▁Tableau- ▁hesitant- ▁turmoil- ▁SMB- ▁Watch- ▁thick- ▁Fast- ▁rally- ▁Video- trade- science- ▁Economic- ▁Fitness- ▁Partially- ▁accustomed- ▁athletic- ▁educator- ▁invaluable- ▁scarcity- ▁contest- ▁van- ▁Town- ▁Detail- ▁nowhere- ▁hall- ▁deflationary- ▁Grow- ▁Snap- ▁abuse- ▁prostate- ▁5,000- ▁Invest- ▁Marlin- ▁motivate- ▁ARR- ▁Turk- ▁Downstream- ▁Experience- ▁Venture- ▁analyses- ▁athlete- ▁drain- ▁episode- ▁penalties- ▁smelter- ▁Listener- ▁Carbon- ▁Surface- ▁Blackstone- ▁Internal- ▁agnostic- ▁CAT- currency- ▁BlackRock- ▁Institutional- ▁intensified- ▁sensitivities- ▁situated- ▁stimulus- ▁vacuum- ▁volunteer- ▁worthwhile- ▁prioritization- ▁waterfall- ▁formulate- ▁compress- ▁await- ▁OMIDRIA- ▁Approximately- ▁Storage- ▁blade- ▁congestion- ▁dialysis- ▁hydraulic- ▁mouth- ▁procedural- ▁leach- ▁shallow- ▁responsiveness- ▁string- ▁Victor- purpose- ▁Council- ▁Individual- ▁commencing- ▁independence- ▁nurture- ▁paramount- ▁Member- ▁Unlike- ▁ratable- ▁insulin- ▁inquiry- ▁denominated- ▁holistically- ▁rack- ▁authentication- vantage- ▁Rose- ▁digitize- ▁accumulate- ▁Fiscal- ▁adequacy- ▁alternate- ▁eighth- ▁irrespective- ▁postpaid- ▁rehabilitation- ▁remarkably- ▁taxpayer- ▁arbitrage- ▁hint- ▁discoveries- ▁hook- ▁resetting- ▁bang- system- ▁reconstruct- ▁Agreement- ▁Integration- ▁NASH- ▁Short- ▁Technical- ▁aggregation- ▁chassis- ▁outweigh- ▁vulnerable- ▁scanner- ▁Warner- ▁popularity- ▁PAC- ▁discontinue- ▁dedicate- charge- help- ▁Chegg- ▁Nutrition- ▁depreciate- ▁reclassified- ▁Jackson- ▁clock- ▁tapping- ▁capped- ▁trace- ▁cooperate- ▁School- structure- economic- deliver- ▁Ralph- ▁Example- ▁Utah- ▁irrigation- ▁nonaccrual- ▁suppress- ▁Underlying- ▁remediate- ▁stripping- ▁iteration- ▁sincerely- ▁Orange- path- close- measure- process- ▁Block- ▁Significant- ▁Treasury- ▁caliber- ▁compliment- ▁virtuous- ▁busiest- ▁forthcoming- track- ▁inhibit- profit- ▁reestablish- ▁Progress- ▁Apollo- ▁Tokyo- ▁chemotherapy- ▁mathematical- ▁retiring- ▁stellar- ▁sweep- ▁timeframe- ▁roster- ▁specify- ▁Ameri- ▁SIM- carbon- ▁Alabama- ▁Application- ▁Hemisphere- ▁Mineral- ▁administrator- ▁dinner- ▁empty- ▁endorsement- ▁facilitating- ▁happier- ▁vacancies- ▁voting- 7,000- ▁protest- ▁reactivate- ▁bird- ▁aspire- apples- ▁redevelop- ▁hazard- ▁Iridium- ▁Related- ▁experiential- ▁mismatch- ▁philosophical- ▁thumb- ▁Leasing- ▁deductibility- ▁Drug- ▁Wild- ▁illustrat- ▁reinvigorate- ▁sandwich- ▁Affordabl- ▁DOL- ▁Hilton- ▁advocacy- ▁antibodies- ▁chief- ▁entrance- ▁examining- ▁snapshot- ▁unfair- ▁ForEx- ▁defect- ▁mixture- ▁Getting- ▁digging- ▁Monster- ▁liquidate- ▁characteristic- period- cutting- ▁Competition- ▁Furniture- ▁Kroger- ▁oxygen- ▁vigorously- ▁2011- ▁fellow- heim- ▁alcohol- competitive- megawatt- ▁Fifth- ▁Retirement- ▁Robinson- ▁counterparties- ▁dispense- ▁petroleum- ▁rainfall- ▁separating- ▁testimony- ▁PBM- ▁restatement- ▁restocking- ▁instill- ▁brake- ▁syndicate- Pacific- ▁Previously- ▁escalator- ▁offensive- ▁perimeter- ▁problematic- ▁recreational- 6,000- ▁Bowl- ▁Kindred- ▁purposeful- ▁Half- ▁increment- flex- ▁bargain- ▁reengineer- ▁Heavy- ▁Jeremy- ▁flagged- ▁unconventional- ▁unreasonable- ▁Creative- ▁Gaming- ▁Sorry- ▁LTE- ▁Vista- ▁excite- ▁suspend- producing- complete- ▁Winnebago- ▁Signature- ▁Subsequent- ▁fabulous- ▁hypothesis- ▁inherited- ▁legislature- ▁marry- ▁revising- ▁lagged- ▁motorcycle- ▁depict- ▁divert- ▁shore- ▁persistence- ▁deduct- efficiency- platform- ▁Virgin- ▁Century- ▁Currency- ▁MLP- ▁Plaza- ▁annuities- ▁flawless- ▁lobby- ▁monotherapy- ▁cotton- ▁configure- ▁Genesis- ▁Crest- Guard- ▁inspect- operated- ▁expose- ▁Academy- ▁Champion- ▁Especially- ▁Resort- ▁depletion- ▁prestigious- ▁spark- ▁Weather- ▁trauma- ▁Michelle- ▁Term- ▁Build- established- ▁cabin- ▁Whole- ▁Administration- ▁Polish- ▁platinum- ▁remeasurement- ▁humble- ▁outlining- ▁Own- ▁scanning- ▁cooperative- ▁Reduc- ▁parse- ▁Custom- neutral- ▁Affiliate- ▁Limited- ▁Nuclear- ▁Targa- ▁frustration- ▁oxide- ▁practitioner- ▁reconsider- ▁underperformed- ▁subsidize- ▁bacteria- ▁buck- ▁gray- ograph- Care- ▁Acquisition- ▁Cameron- ▁Interactive- ▁Saturday- ▁congratulations- ▁escalate- ▁noncontrolling- ▁safeguard- ▁funeral- ▁giant- ▁river- ▁Kirk- ▁Harris- defined- ▁Section- ▁Victoria- '70'- ▁NASCAR- ▁Pinnacle- ▁destroy- ▁retroactive- ▁viral- ▁Leverag- ▁pork- ▁habit- located- ▁Combin- ▁Inventory- ▁insignificant- ▁literature- ▁nitrogen- ▁qualities- ▁retransmission- ▁terribly- ▁unforeseen- ▁NII- ▁merging- ▁Cedar- ▁hydrocarbon- ▁Social- ▁melt- ▁origin- ▁Deposit- ▁Rapid- ▁buoy- ▁Avenue- ▁Depending- ▁Pfizer- ▁hospice- ▁ladder- ▁overcapacity- ▁reconciling- ▁unleash- ▁attribution- ▁FCC- ▁IBM- ▁wastewater- ▁baking- ddle- called- ▁Driving- ▁Jordan- ▁Restaurant- ▁calibrate- ▁decelerate- ▁discontinuation- ▁enzyme- ▁nonetheless- ▁segregat- ▁slippage- ▁sovereign- ▁steroid- ▁remix- ▁Crane- ▁pinpoint- ▁Display- ▁dump- ▁coding- ▁Likewise- Works- credit- ▁Double- ▁Catalyst- ▁Halloween- ▁NEXT- ▁blockbuster- ▁incidence- ▁eastern- ▁blast- ▁Dream- regulated- lecommunications- ▁Kind- storm- ▁Surgical- ▁Triumph- ▁editorial- ▁irrational- ▁juice- ▁kiosk- ▁slope- ▁sulfur- ▁Dental- ▁vending- ▁Insight- ▁Baker- ▁anecdotal- ▁Whit- ▁dilute- ▁Albert- development- voltage- ▁College- ▁destiny- ▁influx- ▁microbiome- ▁migraine- ▁occupy- ▁politics- ▁reversion- ▁rubber- ▁variant- ▁Glass- ▁NOLs- ▁supervisor- ▁Trading- ▁loud- ▁infant- ▁weapon- operative- ▁technique- ▁surround- ▁distress- ▁tradition- ▁Advisor- ▁Bancorp- ▁Collection- ▁League- ▁Perfect- ▁pragmatic- ▁firing- ▁Know- ▁Better- ▁slice- ▁dwell- ▁outlier- ▁colleague- prime- Bank- ▁Buffalo- ▁Greece- ▁Portfolio- ▁Sustain- ▁Taylor- ▁Women- ▁cohesive- ▁hypothetical- ▁nontraditional- ▁refractory- ▁stewardship- ▁Darren- ▁horse- ▁Irish- ▁Arrow- ▁Associate- ▁Nonetheless- ▁Williston- ▁YouTube- ▁catheter- ▁latency- ▁maritime- ▁uncommon- ▁firewall- ▁Speed- ▁orange- ▁Pharmacy- ggle- ▁Including- ▁Restructuring- ▁bubble- ▁clause- ▁consummate- ▁deficiency- ▁receptor- ▁redundancy- ▁titanium- ▁Windows- ▁thread- ▁Partnership- ▁Accu- plica- ▁Solution- ▁assemble- ▁author- ▁AFFO- ▁Cologuard- ▁aggregator- ▁behaving- ▁choppiness- ▁conservation- ▁groundbreaking- ▁impediment- ▁reallocating- ▁registry- ▁tandem- ▁Besides- ▁Lisa- ▁Help- ▁STAR- 0%- ▁Charlie- ▁Orleans- ▁Platinum- ▁abundance- ▁acquisitive- ▁locomotive- ▁maturation- ▁pervasive- ▁pulse- ▁Christian- ▁Housing- ▁instability- ▁textile- group- ▁Bottom- ▁Detroit- ▁LIFO- ▁Mutual- ▁Positive- ▁Tyler- ▁Wondering- ▁arriving- ▁beneficiaries- ▁century- ▁dismiss- ▁turbulence- ▁DUC- ▁OPEC- ▁pathogen- ▁adhere- ▁Music- ▁originator- ▁prohibit- ▁grocer- nanometer- ▁FireEye- ▁believing- ▁false- ▁matrix- ▁proposing- ▁remedy- ▁shaft- ▁Brett- ▁Hello- ▁Allied- ▁arrow- pronged- ▁snap- cloud- ▁Campbell- ▁Loyalty- ▁Patterson- ▁Terminal- ▁biomass- ▁exercising- ▁footnote- ▁fragrance- ▁frustrated- ▁garage- ▁interference- ▁referendum- ▁simplifies- ▁unrivaled- ▁seemingly- ▁Close- direct- ▁dominate- Health- Corp- ▁Fabric- ▁Casualty- ▁Petrobras- ▁SCOOP- ▁acknowledging- ▁activating- ▁delineation- ▁dissipate- ▁exterior- ▁orthopedic- ▁resumption- ▁shield- ▁stainless- ▁Imaging- ▁outgrow- ▁Beverage- ▁Expect- ▁Outdoor- ▁brilliant- ▁curriculum- ▁decentralized- ▁deteriorating- ▁episodic- ▁fault- ▁Automation- ▁retool- ▁darn- ▁Terra- ▁debut- ▁dangerous- ▁IND- ▁Couple- ▁amortize- dealer- ▁BOSS- ▁Cardinal- ▁Hollywood- ▁Pizza- ▁Study- ▁antitrust- ▁autumn- ▁bunker- ▁ePlex- ▁frequencies- ▁hinder- ▁inflammation- ▁infotainment- ▁relocating- ▁victory- ▁Critical- ▁Geographic- ▁transpire- ▁carpet- ▁insurer- interest- walk- insured- ▁phenomena- ▁Specific- ffsetting- ▁Appalachia- ▁Particularly- ▁Westinghouse- ▁ambassador- ▁lithium- ▁lucrative- ▁unsustainable- ▁firearm- ▁tolerance- ▁FinTech- ▁promo- ▁celebrating- ▁conducive- ▁disparate- ▁Subsea- ▁Tesco- ▁halt- ▁Lauren- ▁Mitch- frac- ▁Managing- ▁Recovery- ▁Watson- ▁Wyndham- ▁compatible- ▁council- ▁facilitator- ▁league- ▁prolific- ▁unacceptable- ▁preempt- ▁secondarily- ▁embedding- ▁vacate- gui- ▁Banc- ▁occupie- enhancing- ▁Dublin- ▁Florence- ▁Franchise- ▁LOE- ▁Properties- ▁clothing- ▁excise- ▁obsess- ▁relapse- ▁Jean- ▁racing- ▁Etsy- ▁burger- ▁Temp- ▁photograph- ▁stride- Mark- watch- ▁equip- ▁Chapter- ▁Offshore- ▁Regulatory- ▁Seasonal- ▁enviable- ▁exemplifie- ▁fracturing- ▁inaugura- ▁plasma- ▁thriving- ▁Fusion- ▁lawyers- ▁peel- ▁alluding- ▁aisle- minating- necdotally- ▁simultaneous- ▁frank- authorized- ▁Dolby- ▁EXPAREL- ▁LTL- ▁Wednesday- ▁biopsy- ▁bureau- ▁collision- ▁contiguous- ▁desperate- ▁expeditious- ▁female- ▁veterinary- ▁Moody- ▁halo- ▁reagent- ▁remiss- ▁handicap- asset- ▁Advertising- ▁Gathering- ▁Surgery- ▁dermatology- ▁festival- ▁intermediary- ▁modalities- ▁syndrome- ▁sweetener- ▁rotate- ▁Needle- ▁stead- ▁Analysis- ▁HVAC- ▁Secure- ▁Volkswagen- ▁affluent- ▁amplified- ▁copies- ▁culinary- ▁hindsight- ▁implicit- ▁inaccurate- ▁pollution- ▁radiation- ▁susceptible- ▁veterinarian- ▁50-50- ▁grasp- ▁paving- ▁rehab- ▁unused- ▁depot- ▁renal- ▁bull- ▁interrupt- ▁Publishing- ▁Splunk- ▁biopharma- ▁deplete- ▁explosive- ▁injunction- ▁mountain- ▁pyramid- ▁quantification- ▁resurgence- ▁underutilized- ▁viewership- ▁northeast- ▁aftermath- ▁sweat- ▁knit- ▁delineate- ▁definite- claim- etween- ▁Flotek- ▁Haynesville- ▁Scientific- ▁Spark- ▁ammunition- ▁examination- ▁faculty- ▁framing- ▁hygiene- ▁ninth- ▁Fixed- ▁Traditional- ▁Henry- ▁vocal- ▁Flat- ▁Merchant- ▁Microchip- ▁Spectrum- ▁Triferic- ▁densification- ▁equilibrium- ▁identifies- ▁illegal- ▁predecessor- ▁reversing- ▁shadow- ▁vascular- ▁tubing- ▁tiny- ▁invitation- ▁tolerated- utheastern- moving- ▁disturb- ▁Chipotle- ▁Cushing- ▁Effective- ▁Keppel- ▁Summer- ▁bracket- ▁fibrosis- ▁undrawn- ▁contend- ▁franc- ▁Argentin- ▁arrange- ▁Adobe- ▁Kratos- ▁Quantum- ▁admittedly- ▁prudence- ▁DTC- ▁debenture- ▁diving- ▁Quint- ▁Titan- ▁cream- ▁relieve- ▁Apparel- ▁Conversely- ▁Employee- ▁Frozen- ▁Hampshire- ▁Staffing- ▁Yield- ▁buzz- ▁census- ▁clarified- ▁compensating- ▁finite- ▁influential- ▁protracted- ▁submarine- ▁valuing- ▁Fundamental- ▁Canyon- ▁Tommy- ▁investigator- ▁archive- ▁locate- ▁revolve- Vision- collect- ▁Protect- ▁overshadow- ▁reconfirm- ▁reintroduc- ▁Circuit- ▁Hungary- ▁duplication- ▁formidable- ▁intermediaries- ▁remuneration- ▁sauce- ▁biopharmaceutic- ▁admin- burn- screen- mproved- ▁Novartis- ▁Oxford- ▁cultivating- ▁reengage- ▁renegotiating- ▁reorganizing- ▁Something- ▁Linda- change- technology- mobile- standard- 2,000- ▁Michel- ▁Brown- ▁Commonwealth- ▁Honda- ▁Kathy- ▁Memory- ▁Separately- ▁constellation- ▁redetermination- ▁unbilled- ▁unintended- ▁crystallize- ▁harmonize- ▁Forrester- ▁Collectively- ▁Montana- ▁Reflect- ▁consolidator- ▁expensing- ▁mobilization- ▁reassure- ▁remedies- ▁rescue- ▁microcontroller- ▁Command- ▁sailing- ▁myriad- ▁Crown- ▁deviate- energy- ▁helm- ▁Flag- ▁Cinema- ▁Recogniz- ▁Oncology- ▁Pioneer- ▁approving- ▁atmosphere- ▁autonomy- ▁celebration- ▁invoicing- ▁legitimate- ▁peace- ▁refrigeration- ▁shelter- ▁Flash- ▁Sterling- ▁regret- ▁rotating- ▁multiply- ▁erode- ▁Triple- ▁assign- constrained- ▁Develop- ▁Expand- ▁Mosaic- ▁Alpine- ▁diameter- ▁hidden- ▁mezzanine- ▁multifaceted- ▁reconfigure- ▁ruble- ▁tournament- ▁uranium- ▁2022- ▁MBS- ▁tilt- ▁lesion- ▁err- IVE- ▁criminal- ▁Broker- ▁Comfort- ▁Exactly- ▁Facility- ▁basketball- ▁explosion- ▁hypo- ▁investigating- ▁obsolete- ▁plumbing- ▁voyage- ▁whiskey- ▁pruning- ▁retreat- ▁ripe- minded- average- ▁potent- ▁gravitat- ▁refrain- ▁Alzheimer- ▁Freddie- ▁Heritage- ▁Intermodal- ▁catastrophic- ▁caustic- ▁geology- ▁indebtedness- ▁multibillion- ▁nonstrategic- ▁occupancies- ▁propulsion- ▁terrible- ▁summit- ▁Understand- managed- ▁Cincinnati- ▁Condition- ▁Governor- ▁Holiday- ▁Initiative- ▁MiFID- ▁cheese- ▁deficiencies- ▁elegant- ▁elevation- ▁nonoperating- ▁receptivity- ▁scatter- ▁theatrical- ▁varieties- ▁PFS- ▁entries- ▁ourself- ▁browse- ▁lull- ▁Commodit- ▁Thermo- chieving- target- ▁Bureau- ▁Circle- ▁Completion- ▁Instagram- ▁Polaris- ▁Qualcomm- ▁Student- ▁Wyoming- ▁averaging- ▁delinquent- ▁franchising- ▁ratably- ▁requisite- ▁underscoring- ▁vinyl- ▁Instant- ▁LTAC- ▁Transition- ▁fastener- ▁Container- ▁Mercury- ▁Superior- ▁Wolfcamp- ▁accumulating- ▁eligibility- ▁expend- ▁himself- ▁methanol- ▁voucher- ▁Knight- ▁Carrier- ▁subtract- ▁Ranch- ▁entrant- approved- ▁Frankfurt- ▁Melbourne- ▁anxiety- ▁cartridge- ▁combustion- ▁escalating- ▁infectious- ▁laundry- ▁pledge- ▁styrene- ▁custodia- ▁Interestingly- segment- normal- annual- ▁multimillion- inflammatory- ▁Brothers- ▁Jacobs- ▁Minneapolis- ▁Principal- ▁dispensing- ▁jeopardiz- ▁nutrient- ▁Enhanc- xisting- midst- typical- ▁solicit- ▁Dominic- ▁Edmonton- ▁Fannie- ▁Identity- ▁Ingredients- ▁Nokia- ▁Yelp- ▁allegations- ▁appraise- ▁envisage- ▁flesh- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_unnorm_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "description_zh": "This model was trained by Shinji Watanabe using spgispeech recipe in espnet. \tPython API\tSee https://github.com/espnet/espnet_model_zoo\t\tEvaluate in the recipe\tgit clone https://github.com/espnet/espnetcd espnetgit checkout cd8b84dc705e49796f2c8940d4aecf8f923f9976pip install -e .cd egs2/spgispeech/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/spgispeech_asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000_valid.acc.ave\t\tResults\t# RESULTS## Environments- date: `Mon Mar 8 23:43:09 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.8`- pytorch version: `pytorch 1.7.1`- Git hash: `cd8b84dc705e49796f2c8940d4aecf8f923f9976` - Commit date: `Fri Mar 5 10:41:31 2021 -0500`## asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|95631|94.9|4.5|0.6|0.5|5.5|61.6||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|948632|94.9|4.5|0.6|0.5|5.5|61.4|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|554413|98.8|0.6|0.6|0.4|1.6|61.6||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|5502566|98.8|0.6|0.6|0.5|1.6|61.4|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/dev_4k_unnorm|4000|112276|95.5|2.8|1.7|1.0|5.6|61.6||decode_asr_lm_lm_train_lm_en_unnorm_bpe10000_valid.loss.ave_asr_model_valid.acc.ave/val_unnorm|39341|1114651|95.5|2.8|1.7|1.1|5.6|61.4|\t\tASR config\tconfig: conf/tuning/train_asr_conformer6_n_fft512_hop_length256.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm/asr_train_asr_conformer6_n_fft512_hop_length256_raw_en_unnorm_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 33274dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 35patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 4no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nulldetect_anomaly: falsepretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 20valid_batch_size: nullbatch_bins: 35000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/train/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/train/text_shape.bpevalid_shape_file:- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/valid/speech_shape- exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/valid/text_shape.bpebatch_type: numelvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/train_nodev_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/train_nodev_unnorm/text - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/wav.scp - speech - sound- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 0.0015scheduler: warmuplrscheduler_conf: warmup_steps: 25000token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- ▁in- ▁that- ''''- ▁a- ▁our- s- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁this- ▁be- ▁We- ▁And- ▁will- re- '-'- ▁year- ▁quarter- ▁at- ▁more- ▁So- ▁from- ▁business- ▁think- ▁what- t- ▁not- ▁some- ▁us- ▁by- ▁about- ▁there- ve- ▁growth- ▁can- ▁was- ▁which- ▁new- ▁very- ▁or- ▁do- '?'- ▁an- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁been- ▁all- ▁just- ▁has- ▁these- ▁so- ▁well- ▁those- ▁over- ▁now- ▁time- ▁customers- ▁into- ▁where- ▁like- ▁first- ▁results- ▁out- ▁But- ▁really- ▁other- ▁how- ll- ing- ▁if- d- ▁their- ▁up- ▁forward- ▁expect- ▁company- ▁were- ▁than- ▁last- ▁your- ▁look- ▁through- ▁get- ▁any- ▁because- ▁one- ▁call- ▁strong- ▁had- ▁believe- ▁sales- ▁when- ▁This- ▁then- ▁As- ▁good- ▁second- ▁In- ▁revenue- m- ▁performance- ▁product- ▁make- ▁lot- ▁cost- n- ▁much- ed- ▁years- ▁Our- ▁could- ▁financial- ▁capital- ▁terms- ▁don- ▁future- ▁both- ▁impact- ▁right- ▁value- ▁them- ▁It- ▁today- ▁little- ▁want- ▁customer- ▁next- ▁bit- ▁back- ▁work- ▁increase- ▁products- ▁take- ▁number- ▁end- ▁higher- ▁opportunities- ▁able- ▁half- ▁markets- ▁kind- ▁way- ▁may- ▁significant- ▁know- ▁operating- ▁better- ▁go- ▁cash- ▁say- ▁things- ▁still- ▁focus- ▁most- ▁statements- ▁provide- ▁should- ▁being- ▁point- ▁part- ▁team- ▁across- ▁lower- ▁made- ▁opportunity- ▁need- ▁important- ▁third- ▁2- ▁during- ▁rate- ▁line- ▁long- ▁people- ▁fourth- ▁down- ▁strategy- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁around- ▁portfolio- ▁working- ▁management- ▁share- ▁price- ▁investment- ▁due- ▁additional- ▁actually- ▁give- ▁only- ▁come- ▁while- ▁seeing- ▁high- ▁demand- ▁no- ▁few- ▁plan- ▁same- ▁looking- ▁progress- ▁here- ▁great- ▁costs- ▁even- ▁development- ▁different- ▁margin- ▁result- ▁current- ▁seen- ▁doing- ly- ▁grow- ▁further- ▁start- ▁change- ▁coming- ▁guidance- ▁positive- ▁service- ▁me- ▁earnings- ▁data- ▁drive- ▁technology- ▁position- ▁process- ▁key- ▁full- ▁investments- looking- ▁past- ▁That- ▁said- ▁who- ▁turn- ▁overall- ▁basis- ▁expected- ▁improve- ▁increased- ▁support- ▁again- ▁question- ▁3- ▁within- ▁focused- ▁sort- ▁services- ▁got- ▁environment- ▁potential- ▁help- ▁before- ▁businesses- ▁large- ▁pricing- ▁months- ▁These- ▁remain- ▁making- ▁done- ▁balance- ▁something- ▁ability- ▁interest- ▁strategic- ▁move- ▁already- ▁production- ▁sure- ▁side- ▁based- ▁platform- ▁best- ▁program- ▁such- ▁information- ▁mentioned- er- ▁acquisition- ▁Now- ▁Q- ▁talk- ▁expectations- ▁maybe- ▁early- ▁several- ▁operations- ▁use- ▁put- ▁given- ▁segment- ▁feel- ▁deliver- ▁assets- ▁rates- ▁pleased- ▁changes- ▁experience- ▁period- ▁my- ▁each- ▁couple- ▁growing- ▁You- ▁base- ▁benefit- ▁including- ▁place- ▁improvement- ▁projects- ▁tax- ▁order- ▁certain- ▁model- ▁related- ▁initiatives- term- ▁areas- ▁companies- ▁activity- ▁driven- ▁build- ▁continues- ▁getting- ▁existing- ▁A- ▁margins- ▁flow- ▁its- ▁levels- ▁addition- ▁term- ▁commercial- ▁pretty- ▁volume- ▁fact- ▁thing- ▁income- ▁course- S- ▁capacity- ▁big- ▁factors- ▁quarters- y- ▁might- ▁clients- ▁probably- ▁net- ▁mix- ▁always- ▁does- ▁competitive- ▁There- ▁under- ▁release- ▁mean- ▁risk- ▁marketing- ▁brand- ▁Thank- ▁quite- ▁prices- ▁saw- al- ▁update- ▁offset- ▁top- ▁why- ▁project- ▁every- ▁supply- ▁available- ▁off- ▁world- ▁leverage- ▁having- e- ▁With- ▁recent- ▁after- ▁between- ▁efforts- ▁core- ▁global- ▁quality- ▁conference- ▁area- ▁shareholders- ▁earlier- ▁real- ▁far- ▁less- ▁understand- ▁let- ▁low- ▁prior- ▁expenses- ▁trying- ▁actual- ▁credit- ▁primarily- ▁continuing- ▁building- ▁amount- ▁another- ▁system- ▁While- ▁certainly- ▁digital- ▁view- ▁whether- ▁solutions- ▁operational- ▁success- ▁questions- ▁pipeline- ▁day- ▁inventory- ▁outlook- ▁return- ▁range- ▁Or- ▁ahead- ▁taking- ▁improved- ▁review- ▁set- ▁expense- ▁If- ▁thank- ▁major- ▁retail- ▁profitability- ▁fiscal- ▁capabilities- ▁timing- ▁risks- ▁expand- ▁materially- ▁group- ▁presentation- ▁increasing- ▁confident- ▁ago- ▁consumer- ▁obviously- ▁revenues- ▁excited- ▁benefits- ▁hard- ▁For- ▁driving- ▁own- ▁moving- ▁What- ▁acquisitions- ▁On- ▁plans- ▁talked- ▁differ- ▁non- ▁solid- ▁partners- ▁- ▁increases- ▁China- ▁sheet- ▁expansion- ▁perspective- in- ▁particularly- ▁4- ▁distribution- ▁keep- ▁approach- ▁invest- ▁bring- ▁S- ▁add- ▁structure- ▁Yes- ▁space- ▁They- ▁debt- ▁stores- ▁sense- ▁small- ▁total- ▁versus- ▁compared- ▁asset- ▁programs- ▁improving- ▁begin- ▁measures- ▁clear- ▁numbers- ▁longer- ▁specific- ▁patients- ▁close- ▁needs- ▁significantly- ▁consistent- ▁average- ▁open- ▁create- ▁trends- ▁beginning- ▁scale- ▁run- C- ▁currently- ▁re- ▁strength- ▁conditions- ▁network- r- ▁tell- ▁decline- ▁since- ▁organization- ▁points- ▁5- ▁detail- ▁transaction- ▁volumes- ▁include- ▁execution- ▁anything- ▁profit- ▁towards- ▁per- ▁deal- ▁contract- ▁together- ▁cause- ▁larger- ▁starting- ▁remains- ▁However- ▁advantage- ▁material- ▁spend- ▁efficiency- ▁uncertainties- ▁comments- ▁throughout- ▁example- ▁fully- ▁ongoing- ▁greater- ▁organic- ▁yet- ▁events- ▁store- ▁care- ▁1- ▁trend- ▁successful- ▁2017- ▁announced- ▁brands- ▁morning- ▁returns- ▁started- ▁Europe- ▁discuss- ▁find- ▁gas- or- ▁control- ▁difficult- ▁innovation- ▁reduce- ▁talking- ▁particular- ▁track- ▁At- ▁achieve- ▁case- o- ▁allow- ▁short- ▁become- ▁infrastructure- ▁access- ▁decision- ▁later- ▁momentum- ▁providing- ▁recently- ▁Okay- ▁completed- ▁improvements- c- ▁press- ▁along- ▁associated- ▁oil- ▁too- ▁sell- ▁discussed- ▁guess- ▁try- ▁activities- es- ▁systems- ▁manage- ▁impacted- p- 'on'- ▁lines- ▁note- ▁report- ▁previously- ▁everyone- ▁2018- ▁similar- ▁confidence- ▁anticipate- ▁used- ▁remarks- ▁issues- ▁offering- ▁pressure- ▁6- ▁U- ▁effect- to- ▁reduction- ▁integration- ▁record- ▁health- ▁teams- ▁pay- ▁segments- ▁offer- ▁reason- ▁board- ▁positioned- ▁Before- ▁delivering- ▁launch- ▁meet- ▁investors- ▁energy- ▁economic- ▁website- ▁equity- ▁against- ▁cycle- ▁subject- ▁2016- ▁contracts- ▁items- ▁slightly- ▁percentage- ▁stock- ▁quickly- ▁using- ▁guys- ▁power- ▁money- ▁single- ▁Slide- ▁actions- ▁beyond- ▁adjusted- ▁front- ▁international- ▁selling- ▁leadership- ▁To- ▁equipment- ▁channel- ▁clearly- ▁target- ▁especially- ▁possible- ▁spending- ▁unique- ▁relative- ▁direct- ▁once- ▁size- ▁remind- ▁comes- ▁means- ▁general- ▁combination- ▁incremental- ▁maintain- ▁without- ▁facility- ▁manufacturing- ▁execute- ▁multiple- ▁rest- ▁complete- ers- ▁employees- ▁resources- ▁One- ▁either- year- ▁ensure- ▁client- ▁near- ▁job- up- ▁thinking- ▁issue- ▁details- ▁taken- ▁online- ▁challenges- ▁included- ▁content- ▁local- ▁show- ▁loan- ▁reflect- ▁investing- ▁various- ▁generate- ▁type- ▁regarding- ▁leading- ▁month- G- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁wanted- ▁whole- ▁meaningful- g- ▁date- ▁attractive- ▁New- ▁F- ▁B- ▁productivity- ▁relationships- ▁happen- ▁corporate- ▁transition- ▁stronger- ▁free- ▁regulatory- ▁solution- ▁largest- ▁committed- ▁All- ▁thought- ▁partner- ▁goal- ▁government- ▁marketplace- ▁deals- ▁profitable- M- ▁sale- ▁discussion- ▁relatively- ▁delivered- ▁cloud- ▁shift- ▁clinical- ▁portion- P- ▁anticipated- ▁likely- ▁annual- ▁favorable- ▁savings- ▁chain- ▁public- ▁Well- ▁EBITDA- ▁provided- ation- ▁ways- ▁When- ▁respect- ▁consumers- ▁lead- GAAP- ▁prepared- ▁serve- ▁least- ▁bottom- ▁comment- ▁days- ▁highly- a- ▁underlying- ▁transformation- ▁delivery- ▁category- le- T- ▁develop- ▁moment- ▁flexibility- ▁combined- ▁Let- ▁gives- ▁experienced- ▁address- ▁orders- ▁dividend- ro- ▁First- ▁closing- able- ▁E- ▁season- ▁built- ▁haven- ▁majority- ▁C- ▁entire- ur- ▁Can- u- ▁slide- ▁quarterly- ▁design- ▁agreement- ▁expanding- ▁hope- ▁situation- ▁challenging- ▁step- D- ▁though- ▁efficient- ▁effective- ▁accelerate- ▁commitment- ▁generation- ▁upon- ▁initial- ▁generally- ▁answer- ▁home- ▁buy- ▁doesn- ▁required- ▁strategies- ▁play- ▁competitors- ▁currency- ▁During- ▁normal- ▁country- ▁critical- ▁provides- ▁everything- ▁region- ▁largely- ▁hand- ▁facilities- ▁active- ▁week- ▁competition- ▁loss- ▁pace- ▁enhance- ▁T- ▁profile- ▁bank- ▁extremely- ▁smaller- ▁behind- ▁patient- ▁weeks- ▁enough- ▁e- ▁property- ▁ourselves- ▁flat- ▁allows- ▁stable- ▁book- ▁relationship- ▁Please- ri- ▁following- ▁sector- ▁operate- E- ▁sustainable- ▁came- ▁ever- ▁planning- ▁reported- end- ▁fair- ▁categories- ▁am- ▁final- ▁includes- ▁happy- ▁away- ▁specifically- ▁software- B- ▁recovery- b- ▁assumptions- ▁unit- ▁internal- ▁effort- ▁reduced- ▁loans- ▁his- R- ▁running- ▁contribution- ▁transactions- ▁accounts- ▁reach- ▁ramp- ▁achieved- ▁rather- ▁life- O- ▁he- ▁enable- l- ar- ▁technologies- ▁wondering- ▁exactly- ▁account- ▁GAAP- ▁metrics- I- ▁follow- ▁offerings- ▁parts- ▁state- ▁above- A- L- K- ▁faster- ▁units- ▁makes- ▁applications- ▁appropriate- ▁added- ▁mobile- ▁gain- ▁decrease- ▁un- ▁won- ▁G- ▁efficiencies- ▁weather- th- ▁received- ▁10- ▁safety- ▁private- ▁reflects- ▁basically- ▁channels- ▁exciting- ▁estate- ion- ra- ▁directly- ▁seems- ▁changed- ▁discussions- ▁study- ▁partially- ▁consider- ▁industrial- over- ▁developing- ▁took- ▁insurance- ▁accounting- ▁outside- ▁field- ▁footprint- '1'- ity- ▁restructuring- ▁plant- ▁shareholder- ▁ratio- ▁statement- ▁P- ▁changing- ▁reasons- x- ▁center- ▁substantial- ▁Thanks- '2'- ▁joining- ▁capability- en- ▁January- ▁decisions- ▁traffic- ▁integrated- ▁mind- ▁expectation- ▁robust- ▁adding- ▁drivers- ▁win- ▁despite- ▁times- ▁purchase- ▁December- ▁enterprise- ▁tend- ▁creating- ▁healthy- ▁options- ▁gains- ▁processes- ▁platforms- ▁happening- ▁12- ▁managing- based- ▁disconnect- ▁therefore- ▁potentially- ▁forecast- ▁typically- ▁premium- ▁backlog- ▁community- ▁Just- ▁ultimately- ▁advertising- ▁speak- ▁executing- ▁primary- ▁driver- ▁understanding- ▁saying- ▁almost- ▁fund- ▁optimistic- ▁nature- ▁others- ▁exchange- ▁traditional- il- ▁s- ▁trade- ▁filings- ▁planned- ▁bringing- ▁security- ▁comfortable- ▁historical- ▁needed- ▁effectively- ▁goes- ▁found- ▁necessary- ▁D- ▁million- ▁ask- ▁highlights- ▁mid- ▁please- ▁putting- ▁excellent- ▁office- ▁2019- ▁labor- ▁stay- ▁visibility- ▁proud- ▁cases- ▁refer- ▁limited- ▁Asia- ▁countries- ▁disciplined- ▁liquidity- ▁natural- la- ▁losses- ▁else- ic- ▁encouraged- ▁standpoint- ▁de- ▁food- ▁targets- f- ▁bigger- ▁double- ▁funding- ▁comparable- ▁late- ▁launched- ▁recognize- ▁obligation- ▁June- ▁volatility- ▁difference- ▁September- it- ment- ▁extent- ▁March- ▁never- co- ▁remaining- ▁financing- ▁expanded- ▁response- i- ▁main- ▁maintenance- ▁How- ▁broader- ▁types- ▁land- ▁utilization- ▁regions- ▁members- ▁Do- ▁detailed- an- ▁completion- ▁fleet- ▁sold- ▁yield- ▁focusing- ▁broad- ▁Because- ▁fixed- ▁partnership- ▁meeting- ▁tremendous- ▁reducing- ▁operation- ▁intend- ▁path- ▁although- ▁ready- el- ▁approximately- ▁direction- F- ▁economy- ▁research- ▁acquired- li- ▁remainder- ▁dollars- ▁locations- ▁Turning- ▁test- ▁cover- ▁fees- ▁CapEx- ▁properties- ▁went- ▁reflected- ▁media- ▁highlight- ent- ▁9- ▁interesting- ▁below- ▁O- est- ▁finally- ▁allocation- ▁2015- ▁fuel- ▁7- k- ▁conversion- ▁biggest- ▁nice- ▁foundation- ▁fairly- ▁engagement- '4'- ▁takes- ▁tools- ▁individual- ▁highest- ▁Re- ▁successfully- ▁perhaps- ▁H- ▁phase- ▁closely- ▁hit- ▁present- ▁inflation- ▁pre- ▁summary- ▁stage- ▁Looking- ▁led- ▁requirements- ▁buying- ▁history- ▁increasingly- ▁opening- ▁Good- ▁water- ▁legacy- ▁necessarily- ▁Finally- ▁shows- ▁commodity- ▁reporting- ▁standard- ▁flows- ▁outstanding- ▁attention- ▁somewhat- ▁giving- ▁simply- ▁priority- V- ▁everybody- ▁strengthen- ▁goals- ▁news- ▁expecting- ▁talent- ▁force- ▁proposition- ▁mainly- ▁European- '3'- ▁trial- ▁exposure- ▁maintaining- ▁20- ▁expertise- ▁capture- ▁Some- ▁lease- ▁closed- ▁appreciate- ▁factor- ▁fall- ch- ▁steps- ▁regard- ization- ▁prospects- ▁itself- ▁paid- us- ▁shares- ▁component- ▁event- ▁innovative- ▁periods- ▁implementation- ▁drilling- ▁role- ▁gross- ▁dollar- ▁discipline- ▁franchise- ▁policy- ▁light- ▁Canada- ▁approval- ▁national- ▁8- ▁developed- ▁Although- ▁priorities- ▁testing- ▁yes- ▁live- ▁adoption- ry- ▁piece- ▁initiative- ▁funds- ▁historically- ter- ▁leader- ▁compensation- ▁treatment- ▁10-- ▁definitely- ate- ▁2017.- ▁Also- ▁October- ▁optimize- ▁April- ▁speed- ▁matter- ▁created- ▁co- ▁M- ▁realize- ul- ▁challenge- ne- ▁noted- ▁centers- ▁worked- ▁assume- ▁happened- ▁payments- rs- ▁true- ▁importantly- at- ▁produce- ▁perform- ▁foreign- ▁targeted- ▁actively- ▁culture- ▁operator- ▁context- ▁described- ▁analysis- ▁resulting- ▁domestic- ▁resulted- ▁N- ▁hold- ▁Given- ▁site- ▁presence- ▁aggressive- ▁application- ▁SEC- ▁medical- ▁comp- ▁No- ▁payment- ▁steady- et- ▁helping- ▁p- ▁conclude- ▁July- ive- lo- ▁remember- ▁read- ▁summer- ▁training- ▁generated- ▁designed- H- ▁nothing- ▁middle- ▁huge- ▁positions- ▁relates- ▁looks- ▁upside- ▁Are- ▁dynamics- ▁seasonal- ▁modest- ▁coverage- ▁participation- ▁players- ▁Brazil- ▁becoming- ▁idea- ▁evaluate- ▁retailers- te- ▁Day- ▁emerging- ▁R- ▁synergies- ▁South- ▁invested- ▁L- ▁safe- ▁among- ▁regional- ▁Additionally- ▁2018.- ▁trading- ▁push- ▁fee- ▁deposit- ▁heard- ▁implemented- ▁models- ▁measure- ▁dynamic- ▁leveraging- ▁pursue- ▁30- ▁materials- ▁May- ▁gone- ▁advanced- com- ▁road- ▁complex- ▁affected- ▁K- ▁relevant- ▁mortgage- ▁America- ▁impacts- ▁Over- ▁recognized- ▁schedule- ▁room- ▁variety- ▁managed- ▁reminder- ▁moved- ▁Securities- ▁reasonable- ▁providers- ol- ▁November- ▁story- ated- ▁Overall- ▁soon- ▁helpful- ▁adjustments- ▁otherwise- ▁Services- w- ▁action- ▁ones- ▁effects- ▁joint- ▁Second- ▁count- ▁enhanced- ▁compete- ▁developments- ▁objectives- ▁issued- ▁must- ▁budget- age- ▁generating- ▁demonstrate- ▁calls- ▁My- ▁reflecting- ▁face- ▁reductions- ▁closer- ▁special- ▁communities- ▁represents- ▁vision- ▁common- ▁February- ▁banking- ▁headwinds- ▁function- ▁source- ▁often- ▁banks- ▁firm- ▁decided- ▁performing- ▁absolutely- ▁easier- ▁charge- ▁California- ▁analytics- ▁began- ▁identified- ▁hear- ▁uncertainty- ▁fast- de- ▁happens- ▁technical- ▁looked- ▁extend- ▁undertake- ▁advance- ▁roll- ▁essentially- ▁affect- ▁York- ▁table- ▁recognition- ▁interested- ▁deep- ▁turning- ▁investor- ▁slow- ▁represent- ▁finance- ▁users- ▁identify- ally- ▁c- ▁cannot- ▁sites- ▁pick- ▁bookings- ▁car- ▁stated- ▁outcomes- ▁established- ▁form- ta- ▁helped- ▁underwriting- ▁easy- ▁require- ▁estimate- ▁division- ▁consolidation- ▁maximize- ▁paying- ▁consistently- ▁components- ▁partnerships- ▁left- ant- ▁compelling- ▁Commission- ▁excess- ▁conservative- ▁spot- ▁provider- ▁touch- out- ▁independent- ▁figure- ▁predict- ▁agreements- ▁aware- ▁drug- ▁operators- ▁penetration- ▁allowed- ▁Mexico- ▁W- ▁Moving- ▁capitalize- ▁fit- ▁wins- ▁engineering- ▁thoughts- as- ▁projections- ▁shown- Q- ▁indicated- ▁achieving- N- ▁raw- ▁presented- ▁learning- ig- ating- ▁rapidly- ▁brought- ▁toward- ▁game- ▁East- ▁deploy- ▁'17- ▁reform- ▁ground- ▁demonstrated- ▁video- ▁folks- ▁outcome- ▁tough- ▁August- ▁occur- ▁differentiated- ▁encouraging- ▁drop- U- ▁supported- ▁recorded- ▁problem- ▁plants- ▁sequential- ▁degree- ▁filed- ▁receive- ▁deployment- ▁grew- ▁frankly- ▁section- ▁finding- digit- ▁considered- ▁option- ▁seasonality- ▁showing- ▁accelerated- ▁multi- h- ▁From- na- ▁federal- ▁devices- ▁law- ▁West- ▁substantially- ▁remained- ▁quick- ies- ▁concludes- ▁objective- ▁senior- ▁suppliers- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁holiday- ▁positioning- ▁Form- ▁curious- ▁realized- ▁elements- se- ▁retention- X- ▁estimates- ▁Those- ia- ▁staff- ▁Group- ▁involved- ▁dedicated- ▁walk- ▁securities- ▁benefited- ▁contributed- ▁18- ▁professional- ▁promotional- ▁felt- ge- ▁wells- ▁consolidated- ▁post- ▁supporting- ▁license- ▁comprehensive- ▁leaders- ▁shared- ▁involve- ▁Today- ▁legal- time- ▁rental- ▁He- ▁claims- ▁contribute- ▁leasing- ▁specialty- ▁subscription- id- ▁feedback- ▁Chinese- ▁truly- ▁pass- ▁taxes- ize- ▁rent- ▁reconciliation- ▁Exchange- ▁excellence- ▁correct- ▁residential- ▁stuff- ▁original- ▁traction- ac- ▁nearly- ▁John- ▁signed- ness- ▁raise- ine- line- ▁Mike- ▁projected- ▁wholesale- ▁deposits- ▁aggressively- ▁external- ▁population- ▁merger- ▁cross- ▁themselves- ▁spread- ▁proven- ▁India- ▁whatever- ▁allowing- ▁pull- ▁availability- ▁stand- ▁automotive- ▁Again- ▁lending- ▁gave- ▁implement- ▁macro- ad- ▁2016,- ▁economics- ▁By- ru- ▁Page- ▁digits- ▁15- ▁name- ▁announcement- ▁social- ▁vehicle- ▁V- ▁card- ▁commentary- ▁holding- ▁afternoon- ▁declines- ▁recurring- ▁location- ▁stages- ▁updated- ▁'18- ▁studies- ▁processing- ▁respond- ▁geographic- ▁seem- ▁held- ▁conversations- ▁optimization- ▁Texas- ▁deferred- ▁Co- ce- ▁Of- ▁creation- ▁features- ▁acquire- ▁speaking- ▁list- ▁user- ▁engaged- ting- ▁picture- ▁known- ▁page- ▁adjust- ▁Obviously- ▁explain- ▁collaboration- ▁mostly- ▁transportation- ▁welcome- ▁posted- market- ▁chart- ▁enter- ▁journey- ▁completely- ▁overview- ▁internally- ▁strengthening- ke- ▁choice- um- ▁efficiently- ▁constant- ▁fundamentals- ▁practices- ▁wide- ck- ▁IT- ▁gentlemen- ▁called- ▁mention- ▁venture- ▁lost- ▁con- ▁participating- ▁indication- ▁accelerating- ▁secure- ▁shipments- va- ▁personal- related- ▁contain- ▁states- ▁slower- ▁sources- ▁manner- ▁performed- ▁keeping- ▁dividends- ▁minutes- ▁expressed- ▁auto- ▁curve- ▁recall- ▁helps- ▁sometimes- ▁worth- ▁calendar- ▁After- ▁frame- ▁globally- ▁alternative- ma- ▁evaluating- ▁smart- ▁superior- ▁valuable- ▁signs- ▁b- ▁announce- ▁st- ure- ▁strongly- ▁peers- ▁gets- ▁Financial- ton- ▁introduced- ▁launches- ▁awareness- is- ▁resource- ▁storage- ▁housing- ▁comparison- ▁compliance- ▁hopefully- ▁De- ▁Investor- ▁knowledge- ▁however- ▁monitor- ▁encourage- ▁upcoming- ▁extended- ca- ▁contained- ▁evolve- ▁brief- ▁slides- ▁commitments- ▁forth- ▁parties- ▁element- ▁engage- ▁sharing- ▁pursuing- ▁pressures- ▁old- W- ▁wait- ▁break- ▁evidence- ▁prudent- z- ▁peak- ▁provision- ▁t- ▁proceeds- ▁acceleration- ▁plus- ▁standards- ▁inside- ▁meaning- ▁contributions- ▁Could- ▁'19- ▁disease- ▁evolution- ▁charges- ▁Management- ▁broadly- ▁'16- ▁participate- ▁vehicles- ▁American- ▁stability- commerce- ▁carry- ▁2019.- ▁offers- ▁thanks- ▁exit- ▁willing- ▁Based- vi- ▁highlighted- ▁diversified- ▁considering- ▁ended- ▁opposed- pe- ▁Any- ▁medium- ▁asked- ▁balanced- ▁pro- ▁profits- ▁shipping- ▁concluded- ▁implementing- ance- v- ▁setting- ▁executed- ▁bad- ▁enhancing- ▁circumstances- ▁separate- go- ▁Since- ▁J- ▁geographies- ▁sign- ▁device- ▁attract- ▁reserve- ▁shape- ▁discussing- ex- ▁becomes- ▁places- ▁shopping- ▁simple- ▁item- ▁targeting- ▁renewal- ▁vertical- ▁publicly- ▁works- ▁financials- ▁concerned- ▁exceptional- ▁conclusion- ▁seek- ▁protect- ▁rising- ▁roughly- ▁landscape- ▁words- ized- ▁slight- ▁matters- ▁weakness- ▁enables- ▁aspects- ▁managers- ▁insight- ▁integrate- ▁An- ▁mission- ▁settlement- ▁valuation- ▁industries- ▁Steve- di- per- ▁mining- ▁reports- ▁trust- ▁automation- ▁approved- ▁ownership- ▁winter- ▁heavy- ▁fundamental- ▁Most- ▁aircraft- ▁Then- ▁recover- 'off'- ▁structural- ▁behavior- ▁leave- ▁chance- ▁aligned- ▁negatively- lu- ▁mine- ▁physicians- ▁Ma- ▁assuming- ▁winning- ▁reserves- ▁tool- ▁evolving- ▁enabling- ▁wind- ▁starts- ▁Energy- ▁drove- ▁Despite- ▁Australia- ▁begun- un- ▁physical- ▁campaign- ▁travel- izing- ▁variable- ▁rise- log- uch- ▁engine- ▁opened- ▁importance- ▁hospital- ho- ▁Mark- ▁family- ▁continuous- ▁Internet- ▁typical- ▁Germany- ▁practice- ▁trajectory- ▁Act- con- ▁mature- ▁organizations- ▁mitigate- ▁lack- ▁sit- ▁rig- ▁learn- ling- ▁spring- ▁rolling- ▁cautious- ▁reality- ▁employee- ▁label- ▁deeper- ▁Florida- ▁examples- ▁rigs- am- ▁strategically- po- ▁adjustment- ▁app- ▁10%- ▁Solutions- ▁implied- ▁two- ▁inventories- ▁connected- ▁ship- tra- ▁consecutive- ▁loyalty- ▁50- ▁love- ▁sustained- ▁movement- ▁floor- ▁sounds- ary- ▁caused- im- ▁opportunistic- ▁weak- ▁views- ▁yields- ▁Latin- ▁subsequent- ▁utility- ▁commission- ▁determine- ▁steel- ▁pieces- ▁flexible- ▁assortment- ▁search- ▁fashion- ▁enabled- ted- ▁replacement- ▁delay- ▁hearing- ▁groups- ▁agencies- ▁Both- ▁sufficient- ▁underway- ist- ▁reached- ▁cut- ▁rapid- ▁utilize- ▁owners- ▁David- ▁occupancy- ▁her- ▁impacting- ▁extra- ▁ex- ▁heavily- ▁protection- ▁outlined- ▁Ca- ▁compare- do- ▁incentive- be- ▁experiencing- ▁vast- ▁excluding- ▁diversification- ▁absolute- tion- ▁stakeholders- ▁leases- ▁restaurant- ▁export- ▁thus- ▁gotten- ▁therapy- mi- land- ▁Al- ▁retain- ▁clarity- ▁replay- ▁Last- ▁North- ▁regards- ▁networks- ▁International- ▁disruption- ▁Bank- ▁reimbursement- ▁dramatically- ▁repurchase- ▁2020- ▁Con- ▁f- ▁latest- ▁finish- ▁consideration- ▁logistics- ▁yesterday- ▁watch- 'no'- ▁sectors- ▁updates- ie- ▁consumption- ▁discount- ▁asking- ▁weaker- ▁she- ▁machine- ▁entered- ▁depend- store- ▁figures- ▁guide- ▁Sure- ▁trials- ▁upgrade- ▁Ladies- ▁soft- ▁met- ▁align- ▁Capital- ▁restaurants- ▁depreciation- ▁brings- ▁provisions- ▁problems- ▁exceeded- ▁choose- ▁wish- ▁Pro- ▁assessment- ▁Actual- ▁City- ba- ▁usage- ▁cycles- ▁daily- ▁introduce- ▁apply- ▁imagine- ▁package- ▁carefully- ▁Middle- ▁reference- ▁declined- ▁hiring- ▁depends- ▁class- ▁guests- ▁occurred- ish- quality- ▁proportion- ▁producing- man- ▁contributing- ▁expenditures- ir- ▁framework- tic- ▁productive- ▁Z- ▁Coast- ▁agency- sh- ▁returning- ▁downturn- ▁attributable- ▁Western- ▁freight- ▁sub- ▁insights- ▁gap- ▁Another- ▁unless- ▁St- ▁i- ▁convert- ▁temporary- ▁11- ▁clean- ▁aren- ▁collection- ▁gaining- ▁hotel- ▁Have- ▁connect- ▁immediately- ▁fill- ▁series- ▁originally- ▁stream- ▁scope- ▁lots- ▁requires- ▁sequentially- ▁grown- ▁complexity- ▁ensuring- ▁repeat- ▁bid- ▁handle- ▁powerful- ▁introduction- ▁serving- and- ti- op- ▁values- way- ni- ▁concept- ▁communication- ▁usually- ▁condition- ▁launching- ▁rules- ▁experiences- ▁connection- ty- ▁metric- ▁supplier- ▁X- ▁diverse- ▁education- ▁shortly- ▁advantages- ▁exceed- ▁Africa- ▁Mo- ▁cancer- ▁purpose- ▁webcast- ▁Tom- ▁et- ▁attending- ▁followed- ▁political- ▁Chief- ▁cap- ▁human- ▁Officer- ▁paper- ▁bar- ▁concern- ▁distributors- ▁Not- Y- ▁usual- ▁ecosystem- ▁coupled- ▁emphasize- ▁strongest- ▁coal- ▁learned- ▁laid- ▁reliability- ▁revise- ▁elevated- ▁leads- ▁busy- ▁transfer- ▁amounts- ▁satisfaction- ▁briefly- ▁monitoring- ▁optimizing- ▁alternatives- ▁Next- he- ▁Jim- ▁manufacturers- ▁Even- ▁carriers- ▁environmental- ▁numerous- ▁suggest- ▁Business- ▁message- ▁dis- ▁addressing- ▁tenants- ▁duration- ▁scheduled- ▁fewer- ▁proprietary- ▁produced- class- ▁20%- ▁transform- ▁earn- ▁executive- ▁Health- ▁initially- ▁caution- ▁decide- ▁harbor- ▁check- ence- ▁intention- ning- ical- ▁extensive- ▁waiting- ▁indications- '5'- ▁installed- ▁vendors- ▁file- me- ▁pension- ▁Great- ▁exercise- ▁merchandise- io- ▁differences- ▁facing- ▁feeling- ▁phone- ▁central- ▁pilot- ▁hardware- ▁minimum- ▁Hav- ▁dealers- ▁decade- ▁except- ▁reiterate- ▁hours- ▁tariffs- ▁associates- ▁deployed- ▁dependent- ▁him- ▁institutional- ▁draw- ▁decreased- ▁moderate- ▁positively- vo- ▁milestones- ▁showed- ▁declining- ▁dedication- ▁act- ▁careful- ▁creates- ▁agents- ▁intended- ▁Chris- ens- ▁input- ▁regular- ▁President- ▁ramping- ▁100- ous- ▁Global- ▁5%- ▁hotels- ▁emphasis- party- ▁Other- ▁buyers- ▁supplemental- ▁secured- ▁magnitude- ▁competitor- ▁cetera- ▁immediate- ▁hospitals- ▁contact- ▁More- ▁balances- ▁cars- ▁normalized- ▁told- ▁pool- ▁adapt- ite- ▁personnel- ▁accretive- ▁constantly- ▁audience- ▁concerns- ng- ▁assess- ▁covered- ▁policies- bo- ▁homes- ▁enhancements- ▁negotiations- ▁delays- ▁mo- ability- ab- ok- ▁electric- ▁bought- ▁nicely- ▁sound- ▁lowest- ▁differentiate- ▁confirm- ▁progressing- ▁match- ut- ▁administration- ▁Many- ▁normally- ▁Power- ▁tight- ▁somebody- ▁quantify- os- ▁extension- ▁conversation- ▁stop- ▁France- ▁moves- ▁length- ▁turnaround- ▁prove- ▁packaging- ▁deliveries- ▁playing- ▁awards- ▁shifting- ▁wireless- ▁shop- ▁establish- ▁purchasing- ▁okay- ▁maintained- ▁demonstrates- ▁useful- of- ▁agree- ber- ▁incredibly- ▁benefiting- ▁v- ▁aspect- ▁lift- ▁Therefore- ▁instead- ▁intelligence- ct- ▁volatile- ▁liability- ▁player- ▁released- ▁expensive- ▁tracking- ▁delayed- ot- ▁purchases- ▁organizational- ▁headwind- ▁Ar- ▁placed- ▁defined- ▁assumption- ▁lives- ▁fiber- ▁fresh- ▁amortization- ▁desire- ring- ▁Pu- ▁hoping- ▁science- ▁enrollment- ▁finished- ▁possibility- ▁topic- ▁relating- ▁map- ▁describe- ▁possibly- ▁select- ors- ▁Life- ▁status- ▁influence- one- ▁turned- ▁students- ci- date- ▁functions- ▁En- ▁40- ▁Pacific- ▁tried- ▁migration- ▁solve- back- ▁communications- bi- ▁50%- ▁house- ▁Ro- ▁display- ▁tied- ▁Third- ▁breadth- ▁appear- by- ▁determined- ▁Be- ▁slowdown- ▁evaluation- ▁crude- ▁Consumer- ▁licensing- '00'- ▁plays- ▁avoid- ▁scenario- ▁person- ▁preferred- ▁Once- ver- ▁replace- ▁13- ▁sourcing- ag- ▁organically- ▁depth- ▁embedded- ▁explore- ▁completing- ▁sustain- ▁surprised- ▁Right- ▁Home- ▁Going- ▁milestone- ▁updating- ▁rolled- ▁spreads- ▁box- ▁promotions- ▁heart- ▁unusual- ▁indicators- ▁responsible- ▁incurred- ▁integrating- ▁pushing- quarter- ▁belief- ▁Ex- ▁divisions- ▁opinion- mb- ▁dealing- ▁intent- ▁differently- ▁impressive- ▁bulk- ▁filing- ▁age- ▁Americas- ▁exploration- ▁branch- ▁comps- ▁criteria- ▁lose- ▁lag- ▁air- ▁drag- ▁La- ▁Maybe- ▁concerning- ▁basic- om- ▁truck- ▁aggregate- ▁exact- ▁accomplished- leading- ian- ▁Mi- ▁regulations- ▁patterns- ▁contributor- ▁drill- ▁hedge- ▁gold- ▁Houston- nt- ▁percent- ▁comparisons- ▁split- ▁pattern- port- ▁wage- ▁seeking- ▁Se- ▁po- ris- ide- ▁weighted- ▁spectrum- ▁FX- ▁unchanged- ▁aim- nd- ial- ▁head- ▁churn- ▁unfavorable- ▁dose- ▁ideas- ▁eye- ▁overhead- ▁combine- ▁puts- ▁creative- ▁via- ▁disclosure- ▁member- ▁purposes- ▁join- ▁suite- ▁participants- ▁stress- her- ▁appears- ▁Jeff- ▁estimated- ▁transparency- ▁reliable- ▁promise- ▁guest- ▁acquiring- ▁institutions- ▁14- em- ▁analysts- ▁accomplish- ▁exist- ▁selective- ▁offshore- ▁partly- ▁summarize- ▁sand- ▁Vi- ▁entering- ▁resolution- ▁minimal- ▁Le- ▁located- ▁Ba- ▁easily- ▁softness- ▁monthly- ▁verticals- ▁Commercial- fi- ▁plenty- ▁impairment- ▁FDA- ▁revised- ▁jobs- ▁CEO- ▁functionality- ▁disclosed- ▁Lo- ▁d- ▁raising- ▁sustainability- ▁someone- ▁entirely- ▁Importantly- ▁enjoy- CO- ▁sets- ▁written- ▁complement- ▁Phase- ▁Industrial- ▁portfolios- ga- ▁newer- ging- ▁considerable- ▁diversity- ▁bill- ▁minute- ▁fine- ▁rating- ▁prepare- ▁lean- ▁ad- ▁drives- ▁stabilize- ▁eventually- ▁save- ▁producers- ▁effectiveness- gen- ▁self- ▁realization- ue- ▁regulators- ▁colleagues- ▁administrative- ▁maturity- ▁Air- ▁doubt- ▁introducing- ▁assist- house- ▁block- ▁mass- ph- less- ▁tenant- ▁solar- ▁rollout- ▁newly- ▁laws- ▁notice- ▁supplement- ping- iv- ▁capable- ▁w- ▁frequency- load- ▁train- ▁acreage- ▁architecture- ub- ▁Bill- net- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁diversify- ▁talented- ▁knew- ▁published- ▁rule- ▁election- ▁consulting- ▁proposed- ▁repair- ▁according- ▁globe- ▁thousands- ▁retailer- ▁refinancing- ▁exclude- ▁approvals- ▁owned- ▁seasonally- ▁appeal- pi- ▁3%- ▁dramatic- ▁write- ▁communicate- the- ▁deploying- ▁kinds- ▁Private- ▁reviewing- ▁structures- ▁exception- ▁modeling- ▁older- ▁Amazon- ▁incredible- od- ▁anybody- ▁60- ▁rail- ▁promotion- ▁servicing- ▁wonderful- ▁indicator- ▁Following- ▁TV- ▁Investors- ▁feature- ▁spoke- ▁Scott- day- ▁treat- hi- ▁connectivity- through- act- ile- ▁dialogue- ▁concentration- ▁Me- ▁Michael- ▁demonstrating- ▁entry- ▁levers- ▁reflection- ▁EPS- ▁Li- ▁legislation- ▁accordance- ▁backdrop- ▁latter- ▁differentiation- ▁damage- ron- ▁preparing- ▁super- 0,000- ▁upper- fa- ▁engaging- ▁2%- ▁skills- ▁retirement- ▁translate- ▁g- ▁limit- ▁hybrid- ▁litigation- ▁headcount- ▁meaningfully- ▁candidates- ▁Permian- ▁utilizing- ▁16- ▁0- ▁streams- ▁continuously- ▁utilities- ▁National- ction- ▁respective- ▁facilitate- ▁massive- ▁referring- ec- ▁Revenue- ▁formal- ▁vessels- ▁measured- ▁catch- ▁buildings- lic- ▁Got- ▁Retail- ▁city- ▁react- ▁load- ▁Gulf- ▁Bob- ▁Dave- ▁ratios- ▁menu- ▁appropriately- ▁procedures- ▁hands- ▁books- ▁competing- ▁physician- ▁greatest- ▁worse- ▁window- ▁department- ▁equal- ▁dealer- ▁applied- ▁cell- ▁Sa- ▁adjusting- ▁millions- ▁documents- ▁communicated- ▁movements- ▁installation- ow- ▁bear- ▁factory- ▁branches- ▁mark- ▁distributor- ier- ▁offsetting- ▁origination- ▁reaching- ▁selected- ▁defense- ▁procurement- ▁cities- ▁di- ▁uptick- ▁Care- ▁merchandising- ▁regulation- ▁vary- ▁purchased- ▁fantastic- ▁synergy- ▁fire- ▁Central- ▁incentives- ▁transmission- ions- ▁perfect- ▁beliefs- ▁selection- ▁visit- ▁challenged- ▁became- ▁generic- ha- ▁modestly- ▁Products- ▁hundreds- ▁round- sis- ▁heading- ▁games- ip- ▁proactive- ▁reinsurance- ▁offices- ▁payers- ▁receiving- ▁specifics- ward- ▁4%- ▁advertisers- ▁ticket- ▁workforce- ▁Forward- ▁adverse- ▁mode- che- ▁promising- ▁dry- mer- ▁relate- ard- ▁Where- ▁fundamentally- ▁IP- ▁extraordinary- ▁award- ▁te- ▁faced- ▁listening- ▁vendor- ▁liabilities- ▁upward- ▁harder- ▁Bo- ▁strengthened- ▁Dan- ▁exclusive- ▁innovations- ▁elaborate- ative- pa- ▁stack- ran- ▁repurchases- ▁achievements- ▁claim- ▁succeed- ▁Medicare- ▁wrong- ▁Regarding- ▁switch- ful- ▁door- 1,- ▁1,- ▁bunch- ▁living- ▁voice- ▁feed- ▁night- ▁version- ▁li- ▁campaigns- ▁h- ▁surprise- ▁en- ▁continually- ▁fix- ▁accurate- ▁90- ▁inter- ice- ▁se- cost- ▁jump- ▁terrific- ▁metal- ▁crop- ▁regardless- ▁Operating- ▁edge- ▁initiated- ▁disposal- ▁responsibility- ▁served- ▁ultimate- ▁predictable- ▁mill- ▁extending- ▁promote- ▁cadence- ▁wave- ▁San- ▁navigate- ▁explained- ▁raised- ▁notable- ib- ▁definition- ▁receivables- ▁Paul- ▁broaden- ▁Ra- ▁Service- ▁offered- ger- ▁format- ▁print- ▁sports- ▁index- ▁uniquely- ▁assurance- ▁behalf- ▁ma- ▁tests- ▁bo- ▁lenders- ▁Joe- ▁upfront- ap- ities- ▁grade- ▁entertainment- ▁manager- ▁square- ▁Part- ▁secondly- ▁beneficial- ▁hedging- ▁bridge- fin- ▁Further- ▁rebound- ▁broadcast- ▁collections- ▁advancing- ▁warehouse- ▁innovate- ▁rents- ▁professionals- ▁essential- ▁joined- ▁sophisticated- ix- ny- ▁indeed- ▁worldwide- ▁women- ▁request- ▁goods- ▁Di- ▁thoughtful- ▁carrier- ▁bond- ▁Brian- ▁inform- ▁anticipating- ▁pain- ▁funded- ▁satisfied- ▁court- ▁Am- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁guarantees- ▁consistency- ▁secondary- ▁agenda- ▁compression- ▁indicate- driven- ▁continuation- lin- ▁Car- '8'- ▁link- ▁facts- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁prefer- ▁meetings- ▁announcements- ▁wrap- ster- ▁strengths- ▁preliminary- ▁Northern- ▁fruit- ▁lastly- ▁realizing- ▁anyone- ▁affecting- ▁Like- ▁Systems- ify- down- ▁efficacy- ▁eliminate- ▁pending- ▁occurring- fe- ▁Through- ▁Factors- ▁boost- ▁screen- ▁telling- ▁gaming- ▁modern- ▁firms- ▁excitement- ▁30%- ▁beverage- ▁electronic- ▁preparation- ▁Each- month- ▁allowance- ▁pushed- ▁equation- ▁listen- ▁Additional- ▁constraints- ▁conjunction- ▁severe- ▁characteristics- ▁Mar- ▁London- ▁somewhere- ak- ▁credits- ▁identifying- ▁earning- ▁watching- ▁EBIT- ▁translation- ▁signal- ▁agent- ▁favor- SA- ▁Tim- ▁collect- ▁15%- ▁picking- '7'- ▁analyze- ▁optimal- ▁advisers- ▁hopeful- ▁clarify- ▁diligently- ▁obvious- ▁alignment- ▁individuals- ▁anywhere- ▁noise- ▁evident- ▁renewals- ▁staffing- wide- ▁agreed- ▁optimism- ▁constitute- ▁reputation- ack- ▁permanent- ▁party- ium- ▁requirement- ▁acceptance- ▁fluctuations- ▁attack- ▁reverse- ▁slowing- ▁distributed- ▁contracted- ▁hire- ▁contains- ▁World- ▁1%- ▁sellers- ▁onetime- ▁waste- ▁enormous- ▁6%- ▁Does- ▁controls- ▁affordable- ▁signing- 4,- ▁define- ▁uses- ▁principles- generation- ▁aftermarket- ▁calculation- ▁complicated- ▁families- ▁trucks- ▁word- ▁branded- ▁comfort- ▁drugs- ▁disclose- ▁Plan- ▁represented- ▁background- ▁19- ▁competitiveness- ▁rely- king- ▁transparent- ▁Growth- ▁Matt- ▁alone- rate- AR- ▁stabilized- ▁currencies- ▁instance- ▁equally- ▁Street- ▁patent- RA- ▁exceeding- ▁nor- ▁feet- ▁variability- ▁benchmark- ▁unlock- ▁cable- ▁virtually- ▁Rob- ▁task- ▁accomplishments- ▁17- ▁assumes- ▁consolidate- ▁appetite- ▁relation- ▁refine- pro- ▁shorter- ▁maximizing- ▁philosophy- ▁situations- ▁harvest- ▁unknown- ▁fulfill- ▁reset- work- ▁shut- ▁qualified- ified- ▁Center- ▁Board- ▁smooth- ▁simplify- use- ▁satellite- ight- ▁midpoint- ▁shifts- ▁guarantee- ▁buyer- ▁decades- ▁openings- ped- ▁gained- les- ▁linked- ▁deck- ▁internationally- ▁former- ▁mixed- ▁corresponding- hand- ER- ▁renewed- ▁Sha- qui- ▁cards- ft- ▁Ad- J- ▁familiar- ▁green- ▁destination- ▁reconciliations- ▁OpEx- ▁complementary- ▁tech- ▁interim- ▁custom- ric- ▁Te- ▁renewable- ▁Korea- ▁classes- ▁Would- ▁upgrades- ▁allocate- ▁owner- ▁structured- ▁pickup- ▁gradually- ▁exploring- den- ▁passed- ▁fortunate- ▁releases- ▁Ta- ▁OEM- ▁proceed- ▁booking- ▁closure- ▁addressed- ▁prevent- ▁pure- ▁recruiting- ▁method- margin- ▁burn- ▁prospective- ▁horizon- ▁addressable- ▁prime- ▁Mr- ▁contractual- ▁audit- ▁Digital- ▁reliance- ▁bidding- ▁inherent- ▁IR- ▁reaction- ▁representing- ▁Fed- ▁entity- ▁tangible- ▁Basin- ▁appreciation- ▁24- ▁personally- ten- ▁obligations- ▁Kevin- side- ▁bio- ▁Here- ▁Ho- ▁awarded- ▁staying- ▁200- ▁disclaim- ▁burden- ▁stabilization- ▁liquid- ▁straight- ▁macroeconomic- ▁progression- 2,- dy- ▁pipe- ▁none- ▁copy- ▁Risk- ▁picked- ▁franchisees- ▁guided- ▁neutral- ▁3-- tle- ▁supports- ▁inflection- ▁forecasting- ▁counter- ▁ch- ▁cold- ▁Net- ▁surface- ner- ▁softer- ▁notes- ▁partnering- ▁experts- ▁measurement- que- ▁television- ▁environments- ▁student- ▁reasonably- ea- ▁afford- ▁funnel- ▁Comp- ▁priced- ▁mechanism- ▁OEMs- ▁timely- ▁career- cel- ▁booked- ay- ▁advisory- ▁session- ▁accepted- ▁sentiment- ▁constructive- ▁sensitive- ▁choices- ▁proceeding- ible- ▁catalyst- ▁hot- ▁proactively- ▁downward- ▁adjacent- MA- ▁Pe- ▁converting- ▁Sp- ▁amazing- ee- ▁Trans- ▁auction- '9'- ▁reinvest- ▁express- ▁testament- ▁Clearly- ▁sp- ▁earned- ▁firmly- ▁language- if- ▁incorporate- ▁Secondly- ▁survey- ▁Russia- ▁lock- ▁accordingly- ▁bright- ▁8%- ▁Op- ▁grid- ▁arise- ▁subscribers- ▁Market- 3,- ▁2014- ▁diligence- ▁referred- ▁operated- ▁25- cent- ▁electronics- ▁Within- ▁onto- ▁budgets- ▁diagnostic- added- ▁reps- ▁II- IC- ▁proposal- ▁wider- ▁financially- ▁therapeutic- ▁healthcare- ▁rights- ▁trending- ▁hurricanes- ▁lowering- ▁royalty- ▁barrels- ▁terminal- ▁consequence- forward- offs- ▁Data- ▁weight- ase- ▁Ne- ▁supportive- ▁shifted- ▁math- ▁acknowledge- ▁Reform- ▁virtual- ▁school- ▁indicative- ▁totally- ▁returned- ▁premiums- ▁buyback- ▁pointed- ▁Eastern- ▁marked- ▁FY- gi- ▁n- led- ▁frac- ▁web- ▁fronts- ▁achievement- level- ▁cyclical- ▁monetize- ▁Pa- ▁engines- ▁applicable- ▁understood- ably- ▁interact- ▁cutting- ology- ▁attempt- ▁registration- ▁treated- ▁AR- ▁sight- ▁flavor- ▁steadily- ▁greatly- '4.'- ▁anticipation- ▁developers- ▁properly- Z- ▁Ha- ▁accept- ▁standing- ld- ▁committee- ▁shelf- ▁concentrated- ▁capturing- ▁recycling- ▁additions- ▁lay- ▁State- low- ▁storm- ▁designs- ▁Was- ▁kick- ▁commissions- ▁memory- ▁Lastly- ▁stick- ▁serious- ▁noncash- ▁REIT- ▁40%- wa- ▁entities- ▁urban- ▁Po- ▁programming- ▁implications- du- ▁visible- ▁refining- ▁composition- ▁clinic- ▁meant- board- ▁Work- ▁letter- ▁host- ▁swing- ▁answers- IN- ▁Pre- ▁nuclear- ▁resolved- ▁IoT- ▁bonds- ▁Na- '1.'- ▁announcing- ▁equivalent- ade- ification- mission- for- ▁1.- ▁Spain- fer- ▁Greg- ▁historic- ▁Ga- ▁wonder- ▁kept- ▁repositioning- ▁economies- ▁Italy- ▁transactional- ▁literally- ▁Tri- ▁hired- ▁layer- ▁Brexit- ▁pack- yn- ▁formula- Co- '6'- ▁certainty- ▁resilient- ▁discontinued- ▁turnover- ▁functional- ▁messaging- ory- ▁Investment- '0'- ▁import- ▁Sea- ▁artificial- ▁discovery- ▁sh- ▁authorities- ▁assure- ▁commodities- ▁prioritize- ever- ▁establishing- ▁tariff- CE- ▁traditionally- ▁adds- ▁losing- ▁territories- ▁yourself- ▁theme- ▁radio- ▁laser- ▁enterprises- ▁adopted- ▁employment- ▁pound- ▁pharmaceutical- ▁calling- ▁sorry- ▁indirect- ▁Excluding- ▁separation- ▁bullish- ▁evidenced- ▁redevelopment- ▁gathering- ▁tie- ▁strive- ▁Technology- ▁payroll- ▁'18,- ▁attracting- ▁Markets- av- ▁foot- ▁Washington- ▁slowed- ▁quicker- ▁reflective- ▁predominantly- ▁row- ▁micro- ▁technological- ▁amongst- ▁Conference- ▁parent- ▁sc- grade- ▁responding- ▁differential- ▁decent- ▁disclosures- IS- ▁Department- ▁attrition- ▁pause- ▁membership- ons- ▁fits- ▁persist- ▁Litigation- ▁assumed- ▁notably- ▁cells- ins- ▁absorb- ▁materialize- ▁personalized- ▁regulated- ▁outperform- ▁cautionary- ▁handful- ▁wants- ▁Carolina- ▁closures- ▁ranges- ▁Under- ▁seamless- ▁poor- ▁naturally- ned- ▁7%- ▁adequate- ▁scheme- ▁ease- ▁highlighting- ▁sizable- ▁General- ▁arrangements- ▁chosen- ▁lever- ▁meantime- ▁carried- ▁hitting- ▁referenced- ▁database- ▁Mer- ▁j- ▁spin- ▁Corporate- ▁balancing- scale- ▁payout- ▁broadband- ▁swap- ▁vote- ▁Water- vent- ▁characterize- ▁issuance- ▁Bar- ▁military- ▁Furthermore- ▁AI- ▁receivable- ▁Enterprise- ▁controlling- ▁endpoint- da- light- ▁intellectual- ▁alluded- ▁streamline- ▁carbon- ▁compound- ▁knowing- ▁machines- ▁reinforce- ▁sizes- ▁prospect- ▁conducted- ▁Year- ▁transforming- vis- win- ▁Should- ▁rep- ship- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁Cha- ▁capitalized- ▁lumpy- ps- amp- ▁transport- ▁absorption- ▁semiconductor- ▁originations- ▁Don- gra- value- ▁audio- ▁contracting- ▁tender- ▁adopt- ▁install- und- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁pulling- ▁'15- ▁LNG- ▁People- ▁overcome- ▁Total- ▁deployments- ▁shipment- ▁principal- ▁convinced- ▁El- ▁scalable- ▁Ken- ▁sooner- ▁Hong- ▁learnings- '2.'- ▁bump- selling- ▁AS- ▁intensity- ists- ▁Medical- ▁Go- ▁merchant- ▁manufacturer- ▁copper- ▁takeaway- ▁disappointed- ▁Kong- der- ▁judgment- ism- ▁carrying- ▁CA- xi- gan- ▁penetrate- ▁validation- ▁Network- ▁billing- ▁repayment- ▁played- ▁transitioning- ▁description- ▁maximum- ▁o- ▁output- ▁automated- ▁remove- ▁imp- ▁'17.- service- ▁image- ▁methodology- ▁household- ▁conduct- ▁ho- ▁Cor- ▁ratings- ▁Chicago- ▁contractors- ▁tire- ▁Media- ▁presenting- ▁spite- ▁licenses- ▁territory- ▁Argentina- ▁Start- top- ▁route- ator- ▁Performance- ▁CFO- tor- ▁principally- ▁amendment- ▁apparel- ▁elsewhere- ▁foreseeable- ▁listed- ▁speaks- ▁observed- ▁code- lay- ▁undu- ▁Information- ▁men- ▁port- single- ▁aerospace- ▁successes- ▁scaling- 'ON'- ▁cohort- ▁recap- ▁tri- ▁three- ▁approaches- ▁quote- ▁pharma- ▁throughput- ▁ordering- ▁smartphone- ▁correctly- ▁ran- ▁governance- ▁Cloud- ▁sharp- ▁sensitivity- ▁therapies- ▁fluid- ency- ▁Delaware- ▁Google- ▁Why- ▁resolve- ▁minor- ▁introductions- ▁narrow- lan- ▁hurricane- cor- ▁Hurricane- ▁borrowing- than- ai- ▁lifetime- ▁Ru- ▁inflationary- ▁covering- ▁applying- ▁disruptive- ▁electricity- ▁profitably- ▁basin- ▁beat- ka- ▁noticed- ▁intense- ▁emerge- ▁subscriber- ▁investigation- ▁Vice- ▁scientific- ▁feels- field- ▁Southeast- ▁whom- ▁constrained- ach- ▁farm- ound- ▁delighted- ▁demands- TA- oo- tics- ▁pulled- ▁German- ▁leg- ▁packages- ▁sa- har- ▁threat- ▁chemical- ▁incur- ▁body- ▁downstream- ▁schedules- ▁slowly- ▁forma- ▁causing- ▁submission- ▁cat- ▁5-- ▁downside- ▁Number- fo- focused- ▁refinance- ▁panel- ries- ▁recruit- ley- ▁expenditure- bu- EN- aw- AN- ▁Everyone- ▁ba- ▁gradual- ▁enhancement- ▁tail- ▁favorably- ▁forecasts- ▁sponsor- ▁approaching- ▁Due- ill- ▁considerably- ▁forecasted- ▁jurisdictions- MS- ▁scenarios- ▁RE- AS- site- ▁securing- ▁Per- state- ▁domain- ▁unfortunately- ▁exceptionally- ▁stake- ▁proof- ▁warm- ▁deeply- ▁utilized- ▁Class- ▁mobility- ▁blend- ▁charter- ▁protocol- ▁tumor- ▁shipped- ▁listeners- ▁Lu- ▁billings- ▁bundle- ▁Northeast- ▁explanation- ▁remarkable- ick- van- ▁reviewed- ▁tap- ▁ore- ▁finalized- erto- ▁merchants- ▁accommodate- ▁doubled- ▁Mon- ▁vessel- ▁mindful- ▁operationally- ▁niche- ▁prepayment- ▁allocated- ▁appendix- ene- ▁sum- mark- ▁Ag- ▁hedges- ▁Every- ▁passion- ▁art- ▁commented- ▁trusted- ▁myself- ▁SaaS- ler- qua- ▁broker- ▁animal- ▁System- ▁valuations- ▁redeploy- ious- ▁Y- ▁passenger- ▁Key- ▁renovation- ▁workers- ▁Project- ▁ample- ▁battery- ▁monetization- ▁Company- ▁luxury- ▁progresses- ▁peer- ▁weekend- ▁attributes- ▁strike- ▁normalize- ▁upstream- ▁Ed- ▁exhibit- ▁threshold- ▁north- ▁obtain- ▁Gra- ▁combining- ▁diesel- ▁duty- ▁Gas- ▁lab- sell- ▁converted- ▁pharmacy- ▁Star- ▁touched- wood- oc- ▁Ac- ▁enthusiasm- ▁Ri- ▁payable- ▁conventional- ▁remodel- ▁Your- ▁subsidiaries- ▁surrounding- ▁decreases- ▁attributed- ▁leaving- ▁parallel- ▁Specifically- ▁She- ▁forms- ▁Bio- ivity- ▁bonus- ▁AM- ▁dive- ▁incident- ▁movie- like- ▁fulfillment- ▁ca- ▁graph- ▁exists- ▁chose- ▁sometime- ▁ambition- sized- ear- ▁conscious- au- 5%- ▁Col- ▁remote- ▁fastest- ▁strides- ▁consultants- ▁pet- ▁Black- ▁Park- ▁relief- ▁recoveries- air- ▁trigger- ▁rare- ▁Pi- ▁tons- holder- ▁tested- ▁interface- ▁executives- ▁Ti- ▁enthusiastic- ▁preserve- ▁Rico- ▁Customer- ▁engagements- ▁Beyond- ▁Corporation- ▁dozen- ▁airport- '3.'- ▁missed- ▁pump- ▁resilience- ▁variance- ▁simultaneously- ▁retaining- ▁street- ▁pretax- ▁holidays- ▁Consistent- ▁Gu- ▁reviews- ▁underground- ▁send- ▁lifestyle- ▁submitted- ▁factories- ▁Ch- ▁elect- ▁collaborative- ▁supplies- ▁whilst- ▁par- ▁informed- ▁separately- ▁lateral- ▁density- ▁acute- ▁discounts- ▁calculated- ▁accounted- ▁controlled- ▁Easter- ▁breakdown- ▁assessing- ▁topics- ▁educate- ▁bankers- ▁placement- ▁completions- ▁Their- ▁listing- ▁extract- ▁agile- ▁anyway- ▁rigorous- ▁Things- ▁Peter- ▁subsidiary- ▁proper- ▁ships- ▁digit- ▁predictions- ▁wanting- ▁young- ▁consolidating- ▁acceptable- ▁Su- ▁Insurance- ▁optionality- pay- ▁fell- ▁shortage- ▁skill- ▁Analyst- ▁EMEA- ▁Two- ▁phases- ath- ▁negotiation- ▁recording- ▁discrete- ▁termination- ▁airline- making- ▁impression- ▁loyal- ▁accountability- ▁tier- ek- ▁Jo- val- ▁urgency- ators- ▁aimed- ▁moments- ▁throw- rg- ▁marks- ▁CO- we- ▁basket- ▁crisis- let- ▁70- ▁wood- ▁Certainly- ▁resonate- ▁tougher- pt- ▁tightening- ▁Will- ▁Real- ▁distinct- ane- ▁pleasure- ▁validate- ▁document- ▁arrangement- ▁mis- nce- ▁advice- ▁weigh- ▁forces- ▁impressed- ▁medicine- ▁interaction- rm- ▁proxy- ▁80%- ▁CP- ▁tables- ▁surgical- ▁producer- ome- ▁r- ▁precise- ▁Wa- ▁Medicaid- ▁Vegas- ▁identity- ▁9%- ▁Mac- ▁Ka- ▁district- ▁JV- ▁viewed- ▁discretionary- ▁rich- ▁accident- ▁ID- ▁outperformance- ▁connecting- ▁apart- right- ▁disposition- run- ral- ▁spoken- ery- ▁spec- ▁failure- ▁pathway- ▁frequently- ▁expansions- ▁blue- ▁100%- ▁Ni- ▁protein- ▁array- ▁unfold- ▁rebuild- ▁exposed- ax- par- ▁doctors- ▁drilled- all- ▁everywhere- ▁inclusion- ▁worry- ▁8-- ▁Ju- ▁skilled- ▁popular- ▁retained- ▁alliance- ▁unexpected- uc- ▁tighter- ▁Eagle- ▁corporation- ▁upgrading- ▁flight- ▁Va- ▁Call- ▁Du- ▁80- ▁preference- ▁deliberate- ▁High- ▁60%- ▁improves- ▁settle- ▁31- ▁roles- ▁pivot- ▁pa- ▁Christmas- ▁white- ▁Alberta- ▁gr- ▁Food- ▁campus- ▁empower- ▁reposition- ▁novel- ▁inspection- NA- ▁Ve- ▁leased- ▁precision- effective- ▁stockholders- ▁Australian- ▁influenced- ▁Asian- ▁film- ▁contemplated- ▁Jersey- ▁absence- ▁reinvestment- LA- ▁certification- ▁negotiating- ▁perception- ▁twice- ▁derivative- ▁underscore- centric- ▁guiding- ▁Specialty- ▁Hi- ▁integrity- ▁nonrecurring- ▁stretch- ▁replaced- ▁ingredients- ▁ROI- ▁defend- ▁negotiate- ▁satisfy- ▁commit- ▁airlines- ▁resume- ▁Green- ▁receipt- ▁pillars- ▁proposals- ker- ▁regularly- ▁dilution- ▁replacing- ▁ball- ▁instruments- ▁manufacture- ▁comparative- ▁pipelines- ▁confirmed- ▁fun- ▁ladies- ▁substitute- ▁Apple- ▁younger- ▁advances- ▁collateral- ▁fifth- ▁Las- ▁red- ▁climate- ▁disappointing- ▁responses- ina- ▁PC- EX- ▁optimized- ▁visits- ▁engineers- ▁tank- ▁stands- ▁blocks- mar- ▁op- ▁nation- ▁Japanese- ▁determination- ▁Fourth- ▁mineral- ▁franchises- ▁imply- ▁authorization- ▁finalize- ▁script- ▁thrilled- ▁undertaking- sale- ▁motor- ▁rationalization- ▁Nu- ▁leveraged- ▁Dr- ▁hurt- ▁midstream- ES- ▁whose- growing- ▁falling- ▁unable- ▁comparing- ▁outline- ▁Inter- ▁honest- mail- ▁heat- ▁Look- ▁thereby- ▁secular- ▁States- ▁cl- ▁turns- ST- ▁Construction- ▁reading- ▁audiences- ▁Connect- outs- ▁beauty- ▁intelligent- ▁velocity- ▁conversions- ▁specialized- ▁container- ▁invite- ▁Red- ▁wages- ▁rec- ▁Smart- ▁brokers- ville- ▁tra- performance- ▁2-- ▁blood- ▁reorganization- ▁master- ▁deem- ctor- ▁unlikely- ▁Customers- ▁workflow- ▁exiting- ▁anniversary- ▁inorganic- ▁diluted- ▁AD- ▁payer- ▁Sun- ▁submit- ▁Quarter- ▁whereas- ▁recovered- ose- ▁periodic- ▁French- ware- ▁corner- ▁cultural- ▁preclinical- ▁surgery- ▁surgeons- ▁interactions- ▁Security- ▁anchor- ▁concentrate- ▁diseases- ▁flowing- ug- ▁imports- ▁Annual- ▁Ge- ▁reward- ▁deleveraging- ▁trained- ulation- ey- ▁Midwest- ▁relevance- ▁Boston- ▁baseline- ise- TE- ▁incorporated- ▁concepts- ▁qu- ▁linear- ▁bolster- adjusted- chi- ▁excludes- ▁overlap- ▁extreme- ▁breakeven- ▁headquarters- ▁discounting- ▁valued- ▁attribute- cy- AP- ▁miss- ▁adult- ▁vital- ▁Doug- ▁hub- ▁DC- ▁wherever- ▁pockets- ▁agility- ▁12%- ▁construct- ▁Building- ▁prudently- ▁Com- ▁revolving- ▁Rock- ▁stations- ▁outsourcing- ▁intangible- ▁reservoir- ▁alongside- iti- tting- ▁Auto- OR- ▁responded- ang- ▁stabilizing- ▁noncore- ▁protecting- ▁distributions- ▁methods- ▁Gen- ▁evening- ▁m- ▁concrete- ▁geo- ▁rock- ▁representative- ▁pad- PA- core- ▁immune- ▁Blue- ▁Fin- ▁academic- ▁multifamily- ▁Mobile- ▁ideal- ▁practical- ▁Congress- ▁rewards- ock- ▁anti- ▁computing- ▁Cost- ▁procedure- ▁mandate- ▁midst- ud- ▁Results- ▁casino- ▁reversal- ▁accretion- ▁Ford- ▁serves- ▁Frank- ▁man- ▁revolver- ▁referral- ▁IPO- ▁annualized- ▁convenient- ▁doors- ▁storms- ▁willingness- ▁deterioration- ▁Che- ▁parameters- ▁Very- ▁presentations- ▁scores- ▁records- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁formation- ▁grant- ▁contractor- ▁Man- ▁uplift- ▁whenever- risk- ▁suggested- ake- OS- tech- ▁Ce- ▁responsive- ▁bankruptcy- ▁viable- ame- ▁marine- ▁visual- ▁MA- ▁contingent- AM- ▁deepen- ▁recession- ▁flu- ▁restore- ▁download- hy- ▁Cap- ▁divestiture- ▁Federal- ▁apartment- ▁reduces- ▁purely- ▁negotiated- ▁nimble- ▁suspect- ▁Har- hold- ▁distribute- ▁fight- ▁Brazilian- ▁covenants- ▁Colorado- ▁augment- ▁solely- ▁publication- ▁gear- ▁missing- ▁outdoor- ▁sides- ▁hires- ▁Ki- ana- ▁foresee- ▁renew- ▁adviser- US- ▁timeline- ▁k- ray- ▁extensions- ▁modernization- ▁enjoyed- ▁Certain- ▁cuts- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁possibilities- ▁Valley- ▁Virginia- ▁ventures- ▁marginal- ki- ▁demographic- ▁partial- ▁Banking- ▁convertible- ▁brokerage- ▁presents- ▁experiment- EL- ▁restrictions- ual- ▁difficulty- ▁retire- ▁accuracy- ▁analyzing- ▁camera- ▁lighting- ▁station- ▁capitalizing- ▁zone- ▁disruptions- ▁aluminum- ▁expire- ▁unprecedented- ▁sensor- ▁relentless- ▁glad- ▁occurs- ▁pillar- ▁title- ▁powder- ▁tomorrow- ▁spike- ▁lesser- ▁miles- ▁ending- ▁bag- ▁predictive- ▁undertaken- era- ▁scrap- well- ▁guidelines- tim- ▁formulation- ▁beta- ▁borrowers- ▁Gary- growth- TI- ▁eliminating- ▁poised- ▁resort- ▁captured- ▁anymore- CA- ox- ▁Hawaii- ▁likelihood- ▁simplification- tain- nder- ▁gift- wi- ▁correlation- ▁qualification- ▁redesign- ▁directors- ▁EU- standing- ▁bucket- ▁gl- ▁aspiration- ▁recruitment- ev- IT- IP- ▁triple- ▁chunk- ▁focuses- ▁apps- ▁projection- ▁Wi- ▁streaming- ▁dial- ▁ne- ▁permit- ▁safely- ▁Colombia- ▁redemption- ▁snow- ▁apparent- ▁pursuit- ▁Pat- ▁correction- ▁deflation- ▁refined- press- ▁consent- ▁root- ▁iron- ▁exports- ▁startup- ▁buybacks- ▁war- ▁trans- ▁club- ▁references- ▁unified- ▁involves- ▁Program- ▁Poland- ▁rooms- ▁collective- ▁tick- ▁healthier- cer- ▁Jon- ▁hour- ▁Demand- ▁foremost- ▁sustaining- ▁forget- form- DA- ▁seemed- ▁noting- ▁pit- ▁candidate- ▁employ- ▁outpace- ▁upgraded- ▁employers- ▁replicate- ▁realignment- ▁permitting- ▁Asset- ▁connections- ▁ramped- ▁Th- IA- alone- ▁Office- ▁Healthcare- mic- ▁headed- ▁variables- ▁names- ▁Similar- efficient- ▁Earlier- ▁Ontario- ▁underperforming- ▁restricted- ▁geographically- ▁ads- '20'- ▁bids- ▁Rick- ▁Strong- ▁doubling- ▁saving- ▁norm- ford- ▁Core- ▁plastic- ▁cargo- ▁hospitality- ▁Eric- ▁hoped- ▁Friday- ▁exited- ▁mutual- ▁proving- ▁worried- ▁granted- ▁trip- ▁contrast- ▁70%- ▁motion- ▁analyst- ▁11%- ▁Marketing- ▁Brad- ▁dates- ble- ▁Whether- ▁Jack- uring- ▁passing- ▁hundred- ▁Partners- ▁illustrate- ▁messages- ▁treating- iz- ▁1995- ▁Credit- ▁treasury- ▁tissue- ▁motivated- ▁borrowings- ▁mechanisms- ▁excluded- ▁Technologies- ▁additive- ▁glass- ▁pilots- ▁oncology- ▁lap- ▁rational- ▁spaces- ▁expiration- ▁forefront- ▁90%- ▁affiliate- cap- ▁official- ▁institution- cept- ▁refund- bl- ▁wall- stage- ▁style- kin- ▁stat- ▁aside- ▁imaging- ▁IFRS- ▁progressed- ▁tens- ▁grows- ▁diversifying- ▁segmentation- ▁regulator- ▁revision- ▁subs- ▁fl- ▁modules- ancy- ▁wire- ▁electrical- ▁em- ▁geographical- ▁coffee- ▁default- ▁placing- ▁Up- ▁domestically- ▁boxes- ▁logic- ▁park- ▁broadening- ▁fluctuate- ▁billion- plus- ▁Da- ▁mines- ▁Dallas- ▁consensus- ▁fragmented- ▁generator- ▁flagship- ▁ERP- ▁evolved- ▁Executive- ▁hike- ▁permits- ▁foundational- ▁Control- ▁smarter- ▁recovering- ▁AB- ▁choosing- ▁Fund- ▁rain- ▁rationale- ▁temp- ▁Throughout- ▁seller- ▁indicates- ▁Sweden- ▁judge- ▁builds- ▁switching- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Development- ▁Note- ▁grades- ▁Together- ▁conviction- ▁click- ▁intake- ▁headline- ▁thorough- ▁selectively- ▁reaffirm- ▁Finance- ▁limits- ▁clearance- ▁municipal- ▁venue- ▁children- ▁assistance- ▁cautiously- lon- ▁removed- ▁evaluated- ▁Has- ▁stories- ▁honestly- ▁Open- ▁decreasing- ▁heightened- ▁attendance- ▁themes- ▁broken- ju- ▁Inc- ▁incrementally- ▁hu- car- ▁lumber- ▁dropped- ▁rank- ▁Remember- ▁tactical- ▁County- pac- ▁fleets- ▁downtime- ▁cur- ▁Brands- ▁worst- ▁locally- rd- ▁GE- ▁begins- met- ▁trouble- ▁farmers- ▁Did- ▁log- ▁Product- ▁filling- ▁caught- ▁unsecured- comp- ▁Han- ▁gather- ▁sensors- ff- ▁seriously- ▁sample- ▁preferences- ▁dispositions- ▁gate- room- ▁arm- ▁tailwind- ▁considerations- ▁unmet- fu- ▁Syn- ▁seat- ▁Chairman- ▁affordability- ▁economically- ▁pronounced- ▁telecom- ▁music- ▁schools- ▁tower- ▁Big- ▁Cal- ▁Ohio- ▁statistics- ▁uptake- point- late- ▁disclaimer- ▁chronic- ▁nobody- '%'- ▁Access- ▁debate- ▁Ver- oriented- ▁quantity- ▁refinery- ▁Rich- CI- ▁River- ▁factored- ▁traded- nic- ▁commerce- ▁prescription- ▁exclusively- ▁severity- ▁muted- ▁shutdown- ▁initiate- ▁terminals- af- ▁perfectly- ▁diminish- ▁routine- turn- ▁da- ica- ▁Unfortunately- cal- yl- ▁departments- ▁mechanical- ▁mistake- ▁shrink- ▁chains- ▁surprising- power- ▁ambitious- ▁sweet- ▁lens- ▁fo- ▁ro- ▁pop- ▁probability- ▁slate- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁accessories- ▁Accordingly- ▁needle- ▁similarly- ▁filled- ▁Microsoft- ▁dispute- ▁Safety- ▁Oil- ▁instrument- ▁branding- ▁disrupt- ▁communicating- ▁simplified- ▁grocery- ional- ▁lowered- sum- ▁Across- ▁pivotal- ▁Higher- ▁formats- ▁strict- ▁Public- ▁compensate- ▁calculate- ▁mall- ▁Meeting- ▁spirit- 2%- ▁greenfield- ▁classified- ▁CD- ▁sea- ▁everyday- ▁suggests- ▁bus- ▁NIM- ▁grateful- q- long- ▁studio- je- gate- ▁gaps- ▁signals- ▁residents- ▁gene- bra- ▁mile- water- ▁Facebook- ▁residual- ▁bolt- ▁crews- ▁eliminated- ▁ten- VA- ▁requiring- ▁Jason- ▁Lake- '10'- ▁payback- ▁Pay- ▁server- ▁oral- ▁Gross- ▁ROE- ▁bode- ▁floating- ▁enroll- ▁union- ▁allocating- ▁barriers- ▁conducting- ▁Tele- gy- ison- 1%- ▁FI- ▁Marine- ▁limitations- ▁proved- AT- ▁boat- ▁cluster- ▁House- ▁stepping- ▁breaking- ▁mortgages- han- ▁Dis- ▁Illinois- ▁merit- ▁commence- ▁embrace- ▁Card- ▁warrant- ▁Bay- ▁restart- ▁widely- ▁screening- ▁generates- ▁star- ▁immuno- ▁flip- ▁customized- ▁Si- ▁commenced- men- ▁commissioning- ▁surplus- ▁Bri- ew- ▁logical- ▁shops- ▁baked- ▁inefficiencies- ▁Andrew- ▁minority- ▁span- ▁mail- owned- ▁25%- ▁employed- ▁cool- ▁medicines- MI- ▁Reconciliation- ▁impossible- ▁teleconference- ▁Express- rated- ▁aging- ▁commercially- ▁demographics- ▁fields- ▁unlike- ▁surge- part- ▁bearing- ▁distinguish- ep- ▁la- ▁developer- ▁Direct- ▁aviation- ▁Vo- ▁techniques- ▁outflows- ▁locked- ▁holistic- ▁idle- ▁premise- ▁Materials- ▁adversely- ero- ▁named- ▁autonomous- ▁friction- ▁coupon- fusion- ▁Cash- ▁ATM- ▁adopting- ▁mu- ▁finalizing- ▁refocus- ▁ancillary- ▁incumbent- ▁Brand- ▁impactful- ▁titles- ▁derived- ▁divestitures- ▁publish- stone- ▁overnight- star- ▁simplifying- ▁installations- ▁imperative- ▁Hill- ▁rein- ▁characterized- ▁employer- ▁Uni- ▁eyes- ▁translated- ▁Web- ▁tenure- ▁lifting- ▁gen- ▁Indonesia- ▁manifest- ▁multiples- ▁sent- ▁divest- ▁regain- ▁promoting- ▁flex- ▁border- ▁centralized- can- ko- ▁onboard- ▁delever- ▁pulp- ▁ruling- ▁strip- ▁Tax- ▁royalties- ▁transcript- ▁AC- ▁Atlantic- ▁defer- type- ▁Ja- ▁aligning- ▁emissions- ▁expression- ▁Point- ▁App- ▁expert- ▁principle- ita- ▁kids- ▁intact- ▁unusually- app- ▁text- ▁George- ▁filter- ▁comprised- ▁concessions- ▁diligent- ▁comply- ▁south- ▁Plus- ▁predictability- positioned- ▁cheaper- ▁struggle- ▁demanding- ▁logo- ▁prescribe- ▁shortages- ▁mentioning- ▁friends- ▁Science- ▁revolution- ▁wellness- '-1'- ▁clearer- ▁British- ▁accrual- ▁cement- ▁bias- ▁placements- ▁forced- ▁modernize- ▁casual- ▁Keep- ▁chemicals- ▁stepped- ▁Broad- ▁Phoenix- ▁Zealand- ▁dominant- ▁Along- ▁lighter- '50'- ▁Senior- ▁Wealth- ▁Court- ▁transitions- ▁directed- ▁enhances- ▁matching- ▁weekly- 3%- ▁fueled- ▁routes- ▁appointment- ▁collaborate- ▁speculate- SE- ▁Tech- ▁centered- force- ▁Ber- ▁progressive- ▁PR- ▁CE- ▁Electric- ▁Richard- ▁Norway- ham- pho- ▁elected- ▁21- ▁genetic- ▁Reg- old- OP- ▁settled- EC- ▁predicted- ▁agricultural- ▁modify- ▁crew- ura- premise- ja- ▁Transportation- ▁erosion- ▁resonating- ▁relied- ▁Gold- free- ution- ▁crucial- ▁opposite- ▁streamlining- ▁optical- spec- ▁divestment- ▁consume- ▁quota- ▁Mid- ▁Chemical- ▁millennial- ▁isolation- ▁Flex- ▁authority- ▁transformative- ▁passionate- ▁stayed- ▁disaster- ▁shortfall- print- ▁answered- ▁Ron- ▁nursing- ▁1,000- ▁race- ▁Tony- ▁instances- ▁implies- ▁Republic- ▁trades- ▁accessible- ▁precisely- location- ▁Several- ▁equities- ▁loaded- ▁hosting- ▁elevate- ▁ra- ▁annuity- ▁elimination- ▁landlord- ▁teach- ▁dining- ▁IC- ya- ▁renewables- ▁consist- ▁score- ▁tightly- ▁neighborhood- ▁argue- ▁craft- ▁licensed- dding- ▁TA- wear- ▁temporarily- ID- ▁affects- ▁attracted- ▁drawing- ▁PD- ▁accurately- ▁interpret- ▁Atlanta- ▁Lower- ▁envision- ▁attached- ▁illustrates- ▁Personal- ▁ordinary- ▁rough- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁requests- ▁externally- ua- ▁exposures- ▁newest- ▁Tra- ▁wondered- ▁transact- ▁albeit- ▁differentiating- ▁perpetual- ▁Gene- ▁arena- ▁compares- ▁accompanying- ▁Cy- iff- ▁annually- za- lease- ▁activation- ▁exploit- ▁reception- ▁omnichannel- ▁translates- ▁warranty- ▁restructure- ▁cautioned- ▁mills- ▁Time- ▁sponsors- ▁Navy- ▁premature- ▁revisit- ▁detection- cycle- ▁hole- ▁competencies- ▁integral- ▁VA- ▁overwhelming- ▁town- ▁projecting- ▁300- cho- cus- ▁Netherlands- ▁article- ▁corn- ▁Hu- 8%- ▁hydro- ▁charging- ▁shaping- ▁activate- ▁holds- cha- specific- ▁finishing- ▁eager- ▁implant- ▁unrealized- ▁13%- ▁Fair- ▁hence- ▁supposed- ria- ▁cheap- ▁observations- ▁Series- ▁du- ▁computer- ▁populations- ▁fr- ▁propositions- ▁securitization- ▁GP- product- ▁Oklahoma- ibility- play- ▁dig- ▁phasing- vision- ▁collectively- ▁subscriptions- ▁skin- ▁province- ▁nationwide- ▁zones- ▁networking- ▁metals- ▁Resources- ▁winner- ▁Andy- ▁namely- ▁Foods- ▁softening- ▁chase- ▁rebuilding- ▁Free- ze- ▁War- ▁character- 6%- ▁Pri- ▁Automotive- ▁depressed- ▁privilege- ▁statistical- ▁boot- ▁seamlessly- ▁inflows- ▁Electronic- ▁catastrophe- ▁appreciated- ▁hyper- ▁bi- uff- ▁detect- ▁outages- ▁Arizona- ▁durable- ▁mitigated- ▁Live- ▁printing- ▁renovations- nci- ▁alter- teens- ▁Alex- ▁repay- bit- ▁RevPAR- ▁assembly- ▁difficulties- facing- ▁Trust- ▁dual- ▁basins- ▁yielding- ▁competitively- ▁Super- ening- ▁argument- ▁Though- ▁hang- ▁lender- ▁injection- ▁compensated- ▁airplane- ▁fraud- ▁society- ▁Light- ▁formed- ▁Platform- ▁crack- ▁brick- ▁treatments- ▁analytical- ▁metro- ▁fans- ▁King- ▁fabric- ▁Sand- ▁reinvesting- ▁Michigan- ▁14%- ▁Spring- ▁semi- ago- ▁transitioned- ▁Indian- ▁th- ▁bandwidth- ▁tip- ▁rid- ▁fruition- how- ▁applies- ▁delta- ular- ▁Out- ▁Island- ▁simpler- ▁inherently- ▁qualitative- ▁manual- ▁PE- ▁Way- ▁500- ▁band- 7%- ▁determining- ▁grain- ▁conclusions- ▁contributors- ▁variation- ▁leisure- ▁repricing- ▁amended- ▁12-- ▁blended- ▁PA- weight- ▁'20- ▁wise- ▁Report- ▁Los- ▁occasions- ▁inhibitor- ▁SA- ▁paint- ▁sudden- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- head- source- ▁CMS- wise- ▁automate- ▁innovating- ▁stopped- ▁digest- tel- ▁observe- ▁transformed- ▁aid- ik- ▁Mu- ▁endeavor- ▁transferred- ▁tuck- ▁Marc- ▁chip- ▁suit- ▁Defense- ▁excuse- ▁Mill- ▁outlet- ▁Jay- ▁desired- ▁digitally- cular- ▁pride- ▁hurdle- add- ▁laying- ▁addresses- ▁onboarding- ▁harm- ▁buffer- ▁configuration- ▁Nor- ▁Line- ▁headlines- istic- ▁overly- ▁clarification- ▁outage- ▁rationalize- ky- ▁letting- ▁patents- ▁Craig- ▁Target- ▁convey- ▁Val- ▁Robert- ▁ski- verse- ▁revisions- TS- ▁Nevertheless- ▁silver- ▁Land- ▁advised- ▁analog- ▁Store- ▁pumping- ▁inject- ▁Property- ▁circuit- ▁showcase- ▁Ultimately- ▁engineered- ▁valid- ▁severance- ▁Micro- ▁roof- ▁DNA- ▁energized- ▁Sam- ▁trailing- ▁SKUs- ▁liquids- ▁iconic- ▁Midland- ▁lineup- ▁suggesting- ▁inquiries- ▁intensive- ▁sake- ▁personalization- ▁tailored- ▁manageable- ▁obtained- ▁outperformed- ▁capitalization- ▁concluding- ▁builders- ▁containers- ▁footwear- ▁trucking- serv- ▁tighten- ▁restrict- ▁Seattle- ▁Supply- ▁Sky- ▁demo- ▁samples- ▁heads- ▁honor- ▁holders- ▁repairs- ▁recapture- ▁bench- ories- ▁buckets- ▁lessons- ▁tenders- ▁modified- ▁vacation- ▁steep- ▁sport- ▁celebrate- ▁prepaid- ▁vacancy- ▁bounce- ▁pan- lia- MO- ▁parks- ▁era- ▁Ko- ▁Natural- ▁achievable- ▁drink- ▁scheduling- ▁inclusive- ▁subsequently- ▁eat- ▁protected- ▁portal- ▁lo- ▁gearing- ▁recommendations- ▁Her- ▁Margin- ▁black- ▁capacities- ▁mitigation- ▁taste- ▁Ben- ▁granular- ▁Association- ▁Research- ▁emergency- ▁phenomenon- ▁pleasant- ▁neuro- ▁fab- SP- ▁advancement- LI- ▁Long- ▁Northwest- ▁comparability- ▁contraction- ▁Actually- ▁chat- ▁awful- ▁pertain- ▁lie- ▁individually- cast- ▁frequent- ▁thrive- ▁lumpiness- ▁authorized- ▁Bu- ▁algorithms- ▁concession- ▁tailwinds- ▁avenues- ▁taxable- ▁Process- ▁medication- ▁resiliency- ▁quiet- ▁fraction- ▁walking- ▁participated- tribut- ▁AG- ▁cumulative- ▁validated- ▁submarket- ▁shorten- ▁opt- 9%- ▁thereafter- ▁relying- ▁Firstly- ▁consumables- ▁reseller- ▁Phil- ▁parcel- stock- ▁pie- ▁aiming- ▁heavier- ▁maturing- ▁measuring- ▁prototype- ▁issuing- ▁Todd- ▁EM- ▁ride- ▁organized- ▁reap- ▁representatives- ▁Louisiana- ▁survival- ▁concert- ▁plate- ▁threats- ▁dip- ▁discover- ▁towers- ▁interruption- ▁deduction- TO- ▁registered- ▁module- tier- ▁ES- ▁keen- ▁Nick- ▁NOI- ▁Avi- ▁whereby- ▁acting- ▁designing- maker- ▁sugar- ▁trough- ▁derisk- ▁relocation- ▁structurally- LE- ▁lies- ▁manufactured- ▁Without- ▁inbound- ▁breakthrough- mod- ▁suited- ▁Tru- ▁surprises- ▁involving- ▁salary- ▁significance- ▁Early- ▁Wood- ▁clinicians- ▁weakening- ▁mini- ▁trick- ▁viewing- RO- ah- answer- ▁outlets- ▁Columbia- ▁Mexican- ▁declare- ▁ounces- ▁removing- ▁phones- ▁advise- ility- pic- j- ▁hurdles- ▁England- ▁silicon- ▁Jan- performing- ▁loading- ▁hosted- ▁23- ▁convention- ▁limiting- ▁cyber- ▁ought- ▁Monday- ▁liver- ▁African- ▁somehow- row- ▁answering- ▁arrive- ▁Lab- edge- ▁covenant- ▁CB- ▁notwithstanding- ▁dictate- ▁bold- ▁kit- ▁slip- building- ▁lend- ▁justify- ▁dosing- ▁assured- ▁36- ▁seats- book- ▁underpin- ▁Welcome- ▁feasibility- ▁mitigating- ▁Thus- ▁jet- ▁Union- ▁contemplate- ▁Ya- ▁OP- bank- ▁clinically- ▁Liberty- ▁cushion- ▁gauge- ▁Take- ▁clearing- ▁James- ▁CRM- ▁Chi- ▁RO- ▁consequences- ▁Operator- ▁chapter- ▁chasing- ▁legislative- ▁remediation- ▁relaunch- ▁phenomenal- ▁documentation- ▁streamlined- ▁labs- lect- expected- ▁reinforces- priced- ▁credibility- ▁furniture- ▁Account- ▁pleasing- ▁collected- view- ▁programmatic- ▁refi- ▁flying- ▁advancements- ▁parking- ▁Missouri- ▁dairy- ▁layers- ▁CI- itation- ▁appealing- demand- ▁CS- ▁sharpen- ▁styles- ▁Club- ▁Future- ▁Minnesota- ▁molecular- ▁scratch- ▁tonnage- ▁Martin- ▁requested- ▁passive- stream- ▁recommend- ▁cooperation- ▁deficit- ▁heritage- ▁roadmap- ▁statutory- ▁Chile- ▁pumps- ▁bills- tec- ▁educational- ▁restructured- ▁rural- ▁automatically- ▁readiness- ▁fish- ▁attend- ▁plug- price- ▁occasion- ▁Cu- ▁billions- responsibilities- ▁compliant- ▁salespeople- ▁dilutive- ▁strictly- ▁solidify- hu- ▁pads- ▁underwrite- ▁mirror- ▁opioid- ▁foster- ▁17%- ▁commercialize- via- ▁Non- ▁University- ▁compromise- ▁Ocean- ▁undergoing- ▁straightforward- ▁Taking- ▁deleverage- ▁Port- ▁SP- ye- ▁unlocking- UR- fold- ▁Switch- ▁catalog- ▁universe- ▁Sports- ▁Price- ▁articulated- ▁owning- ugh- ▁relations- ▁Historically- ▁Ryan- ▁journal- ▁mortality- ▁neither- ▁yard- ▁Production- ▁classic- ▁Safe- ▁Angeles- ▁Saudi- ▁proximity- ▁scalability- ▁turbine- ▁variations- ▁entrants- ▁Win- ▁arms- ino- ▁agriculture- ▁chemistry- ▁multinational- ▁voluntary- ▁Sometimes- ▁speculation- ▁DS- ▁Pan- channel- ▁NAV- ▁geopolitical- ▁rush- ▁solving- mortar- ▁shoot- ▁shot- ▁calculations- ▁16%- ▁22- ▁suffered- plan- ▁AP- ▁nominal- ▁stimulate- ▁distraction- ▁persistent- ▁migrating- ▁quantitative- ▁thermal- ▁18%- oid- ▁transitional- ef- place- ▁specialists- ney- ▁interconnect- atory- ▁accomplishment- ▁Education- ▁describing- ▁salaries- ▁squeeze- ▁flattish- iding- EM- ▁EP- ▁Innovation- ▁Irma- ▁dealership- ▁representation- ▁normalization- ▁collecting- ▁removal- ▁shock- ▁enforcement- ▁suffer- ▁outsized- ▁MS- ▁heating- ▁Far- brand- ▁meat- ▁Premier- ▁incorporating- ▁CM- ▁Shop- ▁Stock- ▁four- az- ▁Generally- gar- ▁Government- ▁Kansas- ▁distance- ▁edit- ▁fat- lim- box- ▁publishing- ▁FFO- ▁Harbor- ▁Software- ▁Southwest- ▁slot- ▁Ab- ▁Moreover- bri- ▁approached- ▁absorbed- ▁advertise- reduction- ▁CC- ▁Olympic- ▁college- ▁Division- ▁noninterest- ▁obtaining- ▁widening- ▁robotics- ▁upsell- only- ▁ambitions- ▁landing- ▁Committee- ▁FERC- ▁omni- ji- ▁meal- ▁attain- ▁gasoline- ▁moderated- ▁enrolled- ▁unmatched- ▁snack- ▁Beach- ▁modifications- ▁technically- ▁Advanced- ▁Switzerland- ▁mega- ▁hubs- ▁Infrastructure- ▁tobacco- ▁tweak- ▁films- ▁independently- ▁Ke- matic- ▁offline- ▁TR- ▁interactive- ▁commenting- ▁shoppers- fill- new- range- ▁DA- ▁outperforming- ▁GDP- ▁composite- ▁warrants- ▁gateway- ▁consultation- ▁critically- ▁deepening- Point- ▁Hospital- ▁batteries- ▁diabetes- ▁milk- ▁preserving- ▁reinvent- ▁farms- ▁consists- ▁Denver- ▁underpinned- ▁observation- ▁attraction- ▁Med- ▁HR- ▁ME- ▁crystal- ▁Labor- ▁dropping- ▁alert- ▁liquidation- tz- ▁kicked- ▁explicit- ▁ultra- ▁molecule- ▁assay- ▁bundled- train- ▁recommendation- ▁teens- ▁Carl- ▁workplace- ▁EV- ari- ▁enjoying- ▁crush- ▁spacing- ▁malls- ▁prescriptions- ▁Bur- ▁renewing- ▁400- ▁Value- fully- ▁Russian- ▁examine- ▁prolonged- ▁truth- ▁standalone- ▁till- RP- ▁instrumental- ▁Alaska- ▁prominent- ▁semester- ▁flash- ▁jewelry- ▁Currently- ▁reconcile- ▁deferral- ▁dislocation- ▁Communications- ▁Post- ona- CH- ▁withdraw- ▁goodwill- ▁Grand- ▁theaters- ▁provisioning- ▁originated- ▁nearing- ▁approve- ▁associate- ▁insurers- ▁sun- ▁Equipment- ▁Meanwhile- ▁Professional- ▁kitchen- ▁Boeing- ▁panels- ▁belt- body- ▁White- ▁isolated- ▁AL- ▁fan- ▁smoothly- ▁midterm- ▁molecules- ▁Georgia- ▁Taiwan- ▁durability- ▁prioritizing- ▁Aerospace- ▁deserve- ▁rose- ▁Intel- ▁distinctive- ▁error- media- ▁confidential- ▁predicting- ▁regime- FA- ▁Volume- ▁complain- ▁tackle- ▁customary- Link- ▁suffering- ▁mandates- ▁eventual- ▁advisor- ▁intermediate- ▁congratulate- ▁continuity- ▁moderation- ▁instant- ▁End- ▁ASP- ▁GM- ▁notion- ▁le- ▁Sim- ▁NO- ▁frozen- ▁shippers- ▁interpretation- ▁fear- ▁Box- ▁Trade- ▁fueling- cut- ▁Mountain- ▁translating- ▁equipped- ▁mainstream- life- ▁lung- ▁modular- ▁stem- ▁ST- ▁reservation- ▁Fresh- ▁footage- ▁AT- ▁cancellations- ▁seasoned- contract- Star- ▁reopen- ▁shall- ▁Ireland- NS- ▁Similarly- ▁sharply- ▁suppose- ▁Greater- ▁authentic- ▁transit- ▁civil- ▁expedite- ▁noteworthy- ▁Director- ▁factoring- ▁intrinsic- ▁association- ▁technician- ▁Except- ▁directionally- ▁shrinking- ▁photo- ▁embracing- ▁readily- ▁outset- ▁visiting- ▁RV- ctive- sensitive- ▁symptom- list- ▁Nordic- ▁Euro- ▁pair- season- ▁Bruce- ▁meter- ▁succession- ▁drawn- ▁rewarding- ▁measurable- ▁Contract- ▁leak- ▁acres- ▁Compare- ▁entirety- oma- ▁innings- ▁flood- ▁fe- ▁Probably- ▁Multi- ▁valve- ▁Adam- ▁digitalization- ▁dimension- ▁consult- ▁surgeon- ▁cleaning- ▁conflict- ▁prompt- ▁unpredictable- ▁dispose- ▁spare- ▁CLO- ▁playbook- ▁28- ▁affiliates- ▁evenly- ▁SE- ▁merge- ▁muscle- ▁interior- ▁cleaner- ▁budgeting- ▁temperatures- ▁coincide- ▁defining- ▁quantities- ▁forever- ▁reside- ▁ingredient- ▁actionable- ▁rewarded- ▁Everything- ▁essence- ▁extraordinarily- ▁radar- ▁Statements- ▁Hotel- ▁command- ▁Motor- ▁chips- ▁fitness- ▁guy- ▁float- ▁Charles- ▁Distribution- ▁NGL- ▁Perhaps- ▁decisive- ▁uniform- ▁overhang- rchitectural- zz- ▁petrochemical- ▁beef- ▁constructed- Fi- aries- ▁certified- ▁escalation- ▁rebalancing- ▁surpass- ▁Pricing- ▁confusion- ▁subset- ▁confirmation- ▁sir- ▁adapting- ▁adequately- ▁dimensions- pping- ▁fail- ▁delight- ▁Massachusetts- ▁STACK- ▁tactics- ▁infection- ▁invoice- ▁mask- ▁coach- ▁Radi- ▁specialist- ▁constraint- ▁deceleration- ▁devaluation- figuring- ▁methodical- ▁promised- ▁reinforced- ▁Really- ▁LP- ▁printer- ▁Instead- ▁LIBOR- ▁Strategic- ▁continuum- ▁Roger- ▁Adjust- pped- berg- ▁attach- ▁varying- ▁defensive- ▁signature- ▁Small- ▁desktop- ▁shoe- ▁RFP- ▁Back- ▁Bra- ▁RF- ▁Support- ▁absent- ▁dental- ▁wheel- ▁meters- ▁API- RT- ▁honored- ▁Beginning- ▁Larry- ▁reinforcing- ▁renegotiate- ▁fabrication- ▁publishers- ash- ▁jurisdiction- ▁circ- ▁object- ▁column- ▁injury- ▁lapping- ▁posting- ▁noticeable- ▁prop- ▁OR- mine- ▁NP- ▁realign- ▁counting- ▁Shanghai- ▁pioneer- ▁sluggish- ▁unprofitable- ▁Delta- ▁oversight- ▁Wall- TV- depth- ▁entitled- ▁secret- ▁universal- ▁Advantage- ▁pursued- ▁comm- erial- ▁Caribbean- ▁Venezuela- ▁draft- ▁identification- ▁pediatric- ▁northern- ▁crane- ▁casualty- ▁trailer- ▁laboratory- ▁regimen- ▁VI- ▁Bakken- ▁Pipeline- ▁continent- ▁profound- ▁occurrence- ▁Advisory- ▁hedged- ▁doctor- ▁coating- ▁FA- ▁cancellation- ▁Standard- ▁revaluation- ▁vaccine- pack- ▁OE- ▁divide- ▁Client- ▁Operations- ▁apologize- ▁beautiful- ▁steam- ▁wafer- ▁patch- ▁shake- corp- ▁handset- ▁SAP- ▁Clear- ▁affirm- ▁knock- ▁sleep- ▁telephone- ▁transient- ▁Fuel- ▁incurring- ▁Book- ▁limitation- ▁yen- ▁outreach- ▁refineries- Net- ▁involvement- ▁accrued- ▁spine- gene- ▁coast- ▁Thailand- ▁steer- ▁Patrick- ▁specified- ▁releasing- scrip- tail- tune- ▁circle- ▁Er- ▁attractiveness- ▁MR- front- ▁analyzed- ▁climb- ▁newspaper- ▁Agency- ▁concurrent- ▁wearable- ▁native- ▁progressively- ▁tanker- gel- DR- ▁fluctuation- ▁banners- ▁chicken- ▁Italian- ▁Brent- ▁tonnes- ▁reveal- ▁highway- ▁TI- ▁Mc- ▁Pen- changing- ▁Horizon- ▁varies- ▁assignment- ▁consequently- ▁marginally- ▁graphic- ▁correlated- FI- ▁Corp- ▁partnered- ▁fly- ▁borrower- ▁Logistics- ▁Organic- ▁southern- ▁freedom- ▁Bridge- ▁oriented- ▁officially- ▁Prime- ▁relocate- ▁algorithm- ▁Important- volume- ▁Analytics- ▁battle- ▁deciding- ▁destocking- ▁Glen- ▁quoting- ▁distinction- mont- cycl- ▁derive- ▁thousand- ote- ▁MO- ▁wine- ▁appraisal- ▁motivation- ▁expressly- ▁reversed- ▁Equity- ▁breast- ▁stood- ▁sought- funded- ▁compute- ▁rebates- ▁Max- family- NE- ▁Belgium- ▁nurse- ▁stroke- ▁stringent- ▁golf- ▁comprise- ▁geared- ▁theater- ▁deteriorate- ▁enacted- ▁sensible- ▁sixth- ▁fixing- ▁tailor- ▁contingency- ▁shale- ▁displace- ▁railcar- ▁guaranteed- ▁investigators- ▁recycle- ▁PRO- ▁biotech- ▁Orlando- ▁Tuesday- ▁Wisconsin- ▁vibrant- ▁makers- nova- jo- ▁systemic- pha- ▁Diamond- ▁Operational- ▁desirable- ▁recipe- ▁Par- ▁refinement- ▁Sprint- mount- ▁BP- ▁robotic- cell- ▁habits- ▁unlimited- ▁Omni- ▁summarized- ▁Fee- ▁beds- ▁Cup- ▁promoted- current- ▁Antonio- ▁integrator- ▁suburban- ▁conform- ▁strain- step- ▁Clar- flat- ▁safer- ▁barrier- yield- ▁reinvested- ▁library- ▁sanction- ▁vintage- ▁retrofit- ▁feedstock- ▁Still- ▁CRE- ▁Master- ▁fold- ▁failed- ▁tourist- ▁leaner- ▁Best- ▁Malaysia- ▁Premium- ▁Stephen- ▁Garden- ▁Combined- round- ▁discovered- ▁intensely- bar- ▁visitors- ▁reallocate- ▁fighting- ▁Prior- ▁Keith- ▁nationally- buy- vol- ▁Design- ▁diagnose- ▁railroad- ▁convergence- ▁entrepreneurial- ▁Unit- ▁ban- serve- ▁routing- ▁ranging- ▁hunt- ▁Estate- ▁tuned- ▁sticking- disproportionate- ▁Connected- ▁reactor- ▁citizen- ▁Nothing- ▁standardized- ▁accumulated- ▁Diego- ▁attitude- ▁propane- ▁26- build- ▁augmented- ▁lien- ▁Nevada- ▁Vietnam- ▁bonuses- ▁deliberately- ough- ▁overhaul- saving- ▁furnish- ▁Continental- ▁appointed- ▁benign- ▁bottle- ▁gallon- ▁reiterating- ▁PI- ▁gu- ▁borrow- rk- ▁originate- ▁monetizing- ▁resistance- ▁underneath- ▁onshore- ▁deadline- ▁behave- ▁favorite- ▁oversee- ▁CT- ▁confirming- ▁repeating- ▁embark- ▁pin- ▁catching- ▁Test- ▁permission- ▁tremendously- ▁Dar- haul- ▁explaining- ▁behavioral- 'NO'- ▁discounted- ▁Consequently- ▁Randy- ▁cannibalization- ▁choppy- ▁departure- ▁minimizing- ▁Absolutely- ▁19%- ▁27- ▁TAM- ▁assisted- ▁outsourced- ▁Paris- ▁reconciled- ▁Meta- built- consumer- ▁random- ▁2013- user- ▁Hard- ▁friendly- ▁sticky- ▁divested- ▁consumed- ▁CR- LO- ▁imported- ▁cannabis- ▁sequencing- ▁Anything- ▁Three- ▁dress- ▁mono- ▁Mag- ▁perceived- ▁ideally- ▁existed- ▁ranking- ▁accountable- bridge- ▁approximate- ▁robot- ▁Special- ▁Philippines- ▁graduate- ▁harness- ▁navigation- ▁striving- ▁wildfire- ▁outflow- ▁Recently- ▁witnessed- ▁mutually- ▁Add- ▁midyear- week- ▁Among- ▁sensing- put- ▁warning- ▁consumable- ▁handled- ▁Community- ▁duties- ▁educating- ▁entertain- ▁grab- ▁granularity- ▁suitable- ▁abate- ▁suddenly- ▁EC- cin- ▁Ray- ▁Farm- ▁cast- ▁dampen- ▁genuine- ▁surcharge- ▁enrich- ▁Shell- rick- dale- gress- ▁RP- ▁Ten- ▁scar- sourcing- ▁lately- ▁Para- ▁convince- ▁flatten- town- ▁urge- ▁cognizant- ▁paradigm- ▁sequence- ▁underserved- ▁distort- ▁Large- ▁About- ▁embarked- ▁reserved- PL- ▁aided- ▁Packaging- ▁biomarker- ▁pacing- ▁Team- ▁Interest- ▁prevention- ▁homeowners- ▁immaterial- ▁postpone- ▁Main- ▁archived- ▁downtown- ▁temperature- ▁MI- ▁govern- ▁Ever- ▁Cable- ▁Manhattan- ▁Trump- ▁delinquency- ▁easiest- ▁university- ▁unanticipated- ▁finger- ▁Reserve- ▁sustainably- ▁vertically- ▁keenly- ▁Shi- ▁survive- ▁classification- ▁assembled- ▁visited- ▁flooding- ▁Hub- ▁Fortunately- ▁concentrating- ▁navigating- ▁Income- ▁grand- ▁propel- ▁Sean- ▁narrowing- ▁selecting- ▁participant- ▁Matthew- ▁conservatism- ▁simulation- ▁whatsoever- ▁Travel- ▁Show- ▁outpatient- patient- ▁Area- ▁competency- ▁precious- ▁satisfactory- ▁swift- ▁synergistic- ▁east- ▁Provid- ▁sending- ▁RA- ▁consultant- ella- ▁antibiotic- ▁coordination- ▁disclosing- ▁reorganize- ▁universities- ▁unparalleled- band- ▁containment- burg- ▁Five- ▁TE- ▁BI- ▁Hopefully- ▁afraid- ▁bundling- ▁creativity- ▁innovator- ▁telco- ▁Deliver- ▁Tu- ▁friend- ▁bone- ▁Head- ▁enduring- ▁Choice- ▁drought- ▁commencement- ▁groundwork- ▁Road- ▁PS- ▁converge- ▁Marcellus- ▁Swiss- ▁commensurate- ▁kidney- ▁reshape- ▁Metro- ▁Outside- ▁Royal- tax- ▁incoming- ▁Mortgage- ▁advocate- ▁garner- ▁moderating- ▁lawsuit- ▁Top- ▁SKU- ara- ▁Ci- ▁formally- ▁emphasizing- ▁presumably- ▁urgent- ▁brew- ▁headroom- ▁Sur- ▁thin- ▁catering- ▁checking- ▁RB- ▁corridor- ▁verification- ▁Wholesale- ▁Shift- ▁disorder- ▁Vision- ▁besides- ▁campuses- ▁ring- ▁walked- ▁systematic- ▁president- ▁Kentucky- ▁arrival- ▁automobile- ▁diner- ▁sufficiently- ▁emerged- ▁awaiting- ▁Poly- ▁replenish- ▁odd- ▁ONE- ▁carries- ▁Manager- ▁ER- ▁embraced- ▁wo- ▁Adjuste- ▁'14- ▁Egypt- ▁simplicity- ▁tackling- ▁Full- ▁breakout- ▁attended- ▁fallen- face- ▁tension- ▁Sub- ▁die- ▁revitaliz- ▁Alliance- ▁Beauty- ▁incorrect- ▁penetrating- ▁creep- ▁Square- ▁batch- ▁revert- ▁Order- ▁ice- ▁accompany- ▁35- ▁administer- ▁backbone- ▁soybean- ▁Assuming- ▁renovate- ▁DRAM- ▁bound- ▁death- ▁Fortune- ada- ▁Dow- ▁Pharmaceutical- ▁Simply- ▁impaired- ▁Disney- ▁cellular- ▁wireline- ▁Rail- ▁Step- ▁intentionally- sys- ▁prosper- ▁stance- ▁45- branded- owner- ▁processors- ▁Austin- ▁incentivize- ▁proppant- ▁unplanned- ▁widespread- ▁initiation- ▁genomic- ▁Regulation- ▁Marketplace- ▁loose- ▁insured- ▁barrel- ▁Manage- ▁runoff- ▁Medicine- ▁Until- ▁tranche- ▁transplant- ▁bullet- ▁Paper- iness- ▁terminated- ▁NE- ▁Commerce- ▁Patient- ▁actuarial- ▁privacy- ▁Protection- ▁Payment- ▁realities- ▁Society- ▁Spanish- ▁Tennessee- ▁collaborating- ▁breach- ▁dark- ▁wake- ▁arising- ▁analytic- ▁weakest- ▁prevailing- ▁directional- elect- ▁SI- ▁extensively- ▁curtail- ▁Vancouver- ▁diagnosis- ▁diamond- ▁fertilizer- ▁prevalent- ▁inception- ▁zero- ▁lane- ▁Barry- ▁Play- ▁Later- ▁outsource- ▁advantageous- ▁AV- ▁register- bearing- ▁Industries- ▁suspension- ▁Arabia- ▁abnormal- ▁exhaust- ▁unwind- ▁toxic- ▁10,000- ▁WA- ▁z- fil- ▁Rather- ▁intuitive- ▁AUM- ▁Bi- ▁footing- ▁squarely- ▁AN- ▁hesitate- ▁possess- ▁unclear- ▁attachment- ▁rider- '30'- ▁skewed- ridge- ▁recommended- omic- ▁modification- ▁rigor- born- ▁child- ▁crowd- ▁Hydro- ▁contemplating- ▁ethanol- ▁nuance- ▁vacant- ▁Drive- ▁warmer- ▁bra- ▁Clean- ▁Smith- ▁encompass- ▁Recall- ▁vector- ▁combat- ▁sponsorship- ▁markdown- ▁boom- ▁angle- ▁pent- ▁featured- count- ▁seismic- ▁emergence- ▁divisional- ▁distressed- ▁kicking- ▁reacting- uck- ▁illustrated- ▁Focus- ▁Miami- ▁envelope- ▁inevitable- ▁vigilant- ▁Success- ▁Change- ▁municipalities- ▁Finland- ▁blow- ▁hydrogen- ▁Centr- ▁recycled- ▁PO- ▁assessed- ▁bodies- ▁institute- ▁pursuan- ▁flag- ▁Yet- ▁coastal- ▁disrupted- ▁29- ▁repeated- ▁enabler- link- ▁unfortunate- worth- ▁Benefit- ▁Family- ▁initiating- ▁SME- ▁hey- ▁rebalance- ▁resin- ▁repeatedly- ▁Dakota- ▁disadvantage- ▁nickel- ▁referencing- ▁Quest- ▁presidential- ▁comfortably- ▁Roche- ▁coin- meter- ▁foundry- ▁entrepreneur- ▁Jonathan- ▁Journal- ▁Typically- ▁abroad- ▁entitlement- ▁alarm- ▁Aviation- ▁fed- ▁Buy- ▁Kar- shop- ▁correspond- ▁jointly- ▁Place- ▁cylinders- ▁faith- ▁redeem- ▁Print- ▁committing- ▁digitization- ▁installment- ▁totality- ▁thoughtfully- ▁triggered- friendly- ▁Residential- ▁Which- ▁crazy- ▁seventh- ▁subsidies- ▁teammates- ▁Essential- ▁unveil- ▁versa- ▁deductible- ▁lagging- ▁Lead- ▁POS- ▁Longer- ▁Fred- ▁Alan- ▁Del- ▁CF- ▁cooling- ▁shopper- ▁vest- ▁Discovery- ▁reassess- ▁reliably- ▁undertook- ▁Creek- ▁antenna- ▁peso- ▁Bryan- ▁tourism- ▁magic- ▁Cyber- ▁tree- ▁halfway- ▁Denmark- ▁candidly- ▁sneak- ▁silo- ▁haul- ▁tendency- ▁prohibited- ▁encountered- ▁localized- ▁Field- ▁contrary- ▁exclusivity- ▁extrapolate- 3,000- ▁smallest- ▁posture- ▁establishment- ▁cure- ▁matched- ▁organize- ▁Industry- ▁NIKE- ▁alleviate- ▁reluctant- ▁steadfast- ▁restoration- ▁Local- ▁hair- ▁complexities- ▁Indiana- ▁MSR- ▁seize- ▁arrived- ▁Online- ▁Medi- umab- ette- ▁intensify- ▁culminat- ▁penalty- ▁scientists- ▁Steel- ounce- ▁deepwater- ▁Ship- ▁permitted- ▁Loan- One- ▁1.5- ▁amplify- ▁electrification- ▁umbrella- ▁wild- ▁stuck- ▁admit- ▁absorbing- ▁Solar- ▁satisfying- ▁instruct- ▁Utilities- ▁roaming- ▁uncover- ▁Louis- ▁desk- ▁Sears- ▁installing- ▁lessen- ▁tightened- generating- ▁RM- ▁CAR- ▁MD- ▁compounded- ▁FL- ▁Domestic- ▁housekeeping- ▁radical- ▁leap- ▁camp- ▁GI- ▁accrue- ▁articulate- ▁LC- ▁struggled- under- ▁English- ▁counsel- ▁aesthetic- ▁Human- ▁gig- position- ▁frontline- ▁Authority- ▁William- ▁mechanics- ▁sampling- ▁sterling- ▁Living- ▁Regional- ▁wound- ▁Josh- ▁excel- ▁Initial- ▁abilities- ▁Pass- more- ▁witness- ▁moderately- ▁Coming- ▁DM- ▁Recent- ▁Silver- ▁Starbucks- ▁Whilst- ▁responsibly- ▁sacrifice- ▁abandon- ▁captive- ▁Chuck- ▁cornerstone- ▁Audi- office- ▁Penn- ▁permanently- critical- ▁NAND- ▁certificate- ▁consuming- ▁cubic- ▁pharmacies- ▁Alpha- ▁preview- ▁pub- ▁Vince- ▁x- ▁reprice- ▁Verizon- ▁ammonia- ▁introductory- ▁probable- ▁reliant- ▁subcontractor- ▁cited- ▁Being- ▁Cro- trip- ▁Wind- ▁Austria- ▁OLED- ▁Oregon- ▁revamp- ▁structuring- ▁yourselves- ▁grind- ▁multichannel- ▁ACA- ▁Simon- ▁drastic- ▁Engineering- ▁Israel- ▁cognitive- ▁ocean- ▁refurbishment- ▁renegotiation- ▁undervalued- ▁Cross- rich- '40'- ▁insert- ▁Partner- ▁critic- 5,000- ▁neighbor- ▁Dennis- ▁LED- ▁mandatory- ▁necessity- ▁peripheral- ▁provincial- ▁theoretical- ▁bleed- ▁hyperscale- ▁Dollar- ▁Environmental- ▁interval- ▁Events- ▁tightness- ▁machinery- ▁pitch- ▁broadest- leasing- ▁architect- ▁repurchasing- ▁subdued- ▁turnkey- ▁reject- ▁Edge- ▁ethic- ▁static- ▁customization- ▁engineer- ▁relentlessly- ▁backfill- ▁vesting- share- ▁logistical- '90'- ▁Count- enabled- ▁APAC- ▁COGS- ▁Norwegian- ▁Swedish- ▁bankruptcies- ▁lunch- ▁overarching- ▁sophistication- ▁tirelessly- ▁waiver- ▁breath- reclassification- ▁periodically- ▁modernizing- ▁Santa- ▁inspired- creation- ▁perceive- ▁DR- ▁scan- gram- ▁2021- ▁Institute- ▁Jerry- ▁Philadelphia- ▁rethink- ▁singular- ▁arbitration- ▁dense- ▁NR- ▁implication- ▁Virtu- ▁Holdings- ▁disposable- ▁earliest- ▁featuring- ▁repatriation- ▁veteran- ▁interchange- ▁wholly- ▁NDA- ▁dominated- ▁repeatable- ▁flattening- ▁Mary- ▁continual- ▁Notwithstanding- ▁Profit- ▁ceiling- ▁resolving- ▁unitholders- ▁afterwards- ▁replenishment- ▁headway- ▁Epic- ▁Van- ▁Foundation- ▁binding- ▁dispatch- ▁orientation- ▁anomaly- ▁kill- ▁Sunday- ▁echo- ▁onwards- ▁Peru- ▁governor- ▁logistic- ▁farmer- ▁Companies- ▁FedEx- ▁Relative- ▁rotation- ▁Fire- ▁redirect- ▁brain- ▁matches- ▁discern- ▁Clinical- ▁Generation- ▁NASDAQ- ▁Spirit- ▁elevating- ▁ethane- ▁ethylene- ▁intermodal- ▁microphone- ▁nonresidential- ▁oversupply- ▁unnecessary- ▁viability- ▁vice- ▁nonperforming- ▁assert- speed- ▁Understood- ▁abstract- ▁blind- ▁disappear- ▁garden- ▁march- ▁Unless- ▁controllable- ▁biometric- ▁Progressive- ▁loop- ▁Howard- ▁taper- ▁withstand- Tech- ▁Continued- ▁expiring- ▁imbalance- ▁substance- ▁virtue- ▁egg- ▁Cisco- ▁reimbursed- borne- ▁amortized- ▁coordinated- suit- trol- ▁narrowed- balance- ▁Channel- ▁Connecticut- ▁Increasing- ▁biosimilar- ▁surveillance- ▁untapped- ▁Tower- ▁cabinet- ▁curtailment- ▁compressed- ▁MP- ▁prediction- company- fuel- ▁Senate- ▁stockpile- ▁oftentimes- ▁Index- ▁underpinning- ▁HD- ▁DSO- ▁owe- ▁controller- ▁standardization- ▁Aero- dependent- agnostic- ▁None- ▁drift- ▁Ministry- ▁immense- ▁imminent- ▁Panama- ▁stemming- ▁specialties- ▁truckload- ▁Lee- ▁vet- ▁painful- ▁tune- ▁arguably- ▁ignore- ▁struck- ▁Terry- ▁orphan- ▁interview- ▁Visa- ▁favorability- home- ▁closest- plex- ▁placebo- ▁Quality- ▁Supreme- ▁aforementioned- ▁champion- ▁furnace- ▁obstacle- ▁quantum- ▁tempered- ▁disappointment- ▁Philip- ▁underwriters- ▁supermarket- ▁syndicated- ▁inspire- ▁Lloyd- ▁unwavering- ▁OTT- 4,000- ▁baby- ▁unrelated- sproportionately- eign- ▁lapse- ▁propose- ▁skew- ▁lump- ▁Pete- ▁Consulting- ▁Jennifer- ▁Thanksgiving- ▁Twitter- ▁cultivate- ▁deviation- ▁imposed- ▁narrative- ▁shelves- ▁supplied- ▁Army- ▁nerve- ▁rationalizing- ▁formulary- ▁accompanied- ▁MAC- ▁emission- ▁35%- prem- ▁cater- ▁reshaping- ▁injuries- ▁canceled- ▁solicitation- ▁Coach- ▁banner- ▁hourly- ▁Animal- ▁PayPal- ▁Wireless- ▁harsh- ▁varied- ▁2012- ▁Romania- ▁wrapped- ▁acquirer- ▁interconnection- aaS- ▁nearby- ▁gun- assi- ▁Charter- ▁District- ▁iPhone- ▁Android- ▁intimate- ▁adopters- ▁Law- ▁Join- ▁occupied- ▁BA- ▁subsea- ▁procure- ▁SEDAR- ▁calculating- ▁cardiac- ▁ceramic- ▁cruise- ▁Meaning- ▁offense- ▁biology- ▁mapping- ▁cord- ▁weaknesses- ▁intentional- ▁discretion- ▁inspiration- ▁Fluid- ▁Mississippi- ▁Presentation- ▁Silicon- ▁Ultra- ▁compromising- ▁disagree- ▁eBay- ▁inevitably- ▁inspiring- ▁observing- ▁optimum- ▁cycling- ▁vein- ▁reorder- ▁transferring- ▁decor- ▁height- ▁PURE- ▁Stuart- ▁ballpark- ▁nevertheless- ▁CN- ▁Hunt- ▁oilfield- ▁pocket- ▁surprisingly- ▁Maria- ▁Current- ▁Average- ▁Drilling- ▁bottleneck- ▁nervous- ▁potash- ▁speculative- ▁Kelly- ▁indices- ▁spill- ▁western- ▁Notably- ▁thoroughly- ▁Citi- ▁isolate- Stream- Source- ▁degradation- ▁fiduciary- ▁timber- ▁vegetable- ▁epi- ▁pose- ▁PPA- ▁Oak- ▁richer- ▁broke- ncreased- ▁Pandora- ▁collapse- ▁undoubtedly- ▁megawatts- emphasize- ▁Mainland- ▁intersection- ▁confused- ▁fitting- ▁excessive- ▁Make- school- high- ▁elasticity- ▁magazine- ▁striking- ▁Truck- ▁assigned- developed- ▁travelers- ▁Gar- ▁Precision- ▁Universal- ▁cardiovascular- ▁delinquencies- ▁emotional- ▁filtration- ▁predicated- ▁Dutch- ▁Correct- ▁checkpoint- ▁Factor- ▁Six- ▁tag- ▁Included- ▁cigarette- ▁confusing- ▁contingencies- ▁prescribing- ▁scrutiny- ▁suffice- ▁alloy- ▁systematically- ▁competence- ▁Rest- ▁correlate- ▁Pharma- ▁Engine- ▁credential- ▁exempt- ▁biological- ▁reevaluate- ▁scrubber- ▁wrote- ▁Think- crib- ▁Tier- ▁redefine- ▁exponential- ▁Charlotte- ▁Speak- ▁console- ▁credible- ▁influencing- ▁weakened- ▁Rewards- ▁Games- ▁2,000- ▁Stan- person- ▁tab- ▁Excellence- ▁denominator- ▁earthquake- ▁quartile- ▁reactivation- ▁respiratory- ▁automating- ▁dentist- ▁stickiness- ▁backwards- ▁Return- ▁pullback- ▁Fox- ▁passage- ▁prevail- cession- intensive- vir- ▁Basically- ▁Lincoln- ▁Marriott- ▁Nashville- ▁estimation- ▁summarizing- ▁smoke- ▁transitory- ▁Money- ▁email- ▁distracted- ▁Train- '80'- ▁circumstance- ▁advertiser- ▁tro- ▁Cooper- ▁Manufacturing- ▁Strategy- ▁cybersecurity- ▁devastating- ▁magnet- ▁multitude- ▁presume- ▁guard- ▁commend- ▁sync- ▁encounter- ▁enforce- ▁boutique- ▁contemporary- ▁gratitude- ▁wheat- ▁dream- ▁rebranding- ▁creator- ▁landfill- ▁buses- ▁suspended- ▁Quit- ▁rebate- ▁terminate- ▁List- ▁NAFTA- ▁Renewable- ▁Segment- ▁Transformation- ▁adjacencies- ▁companion- ▁consortium- ▁distributing- ▁repaid- ▁easing- ▁hallmark- ▁Indeed- ▁subsegment- ▁flush- ▁Deep- ▁NPL- ▁subside- ▁instrumentation- ▁portable- ▁render- ▁dead- ▁avenue- oncology- ▁Fleet- ▁quantified- ▁warehousing- ▁adherence- ▁75- ▁layout- ▁Frankly- View- ▁Applied- ▁Considering- ▁Thomas- ▁estimating- ▁lodging- ▁metropolitan- ▁monetary- ▁tunnel- ▁amenities- ▁drone- ▁Utica- ▁instructions- ▁tube- ▁Atlas- ▁stone- ▁Expense- ▁caregiver- ▁football- ▁gratifying- ▁preservation- ▁rebroadcast- ▁retrospective- ▁Airbus- ▁Heath- ▁Old- ▁Veri- trans- troph- ▁Flow- ▁Improvement- ▁Search- ▁Thursday- ▁Yesterday- ▁inconsistent- ▁stimulation- ▁uneven- ▁horsepower- ▁automatic- ▁scrapping- genic- ▁Carol- ▁Apart- ▁realigned- connect- dollar- ▁Anthem- ▁Intelligence- ▁Nigeria- ▁Tampa- ▁judicious- ▁leather- ▁pellet- ▁reimagin- ▁studied- ▁telematics- ▁Idaho- ▁tolerability- ▁Space- ▁Midstream- ▁WiFi- ▁Maryland- ▁Marty- ▁Whereas- ▁normalizing- Atlantic- ▁DIY- ▁Regardless- ▁asphalt- ▁pizza- ▁poultry- ▁propensity- ▁puzzle- ▁redundant- ▁verify- ▁zinc- ▁anxious- ▁immers- ▁reserving- ▁alpha- ▁investigate- ▁Front- ▁Station- ▁quo- ▁shy- ▁resident- abilities- ▁Almost- ▁Summit- ▁duplicate- ▁frustrating- ▁fundraising- ▁Quick- ▁phrase- ▁Iowa- ▁originating- ▁classroom- ▁validating- ▁wrapping- ▁Range- ▁hate- gged- investment- ▁Emerging- ▁Netflix- ▁juncture- ▁longevity- ▁ebb- ▁sidelines- ▁occasionally- ▁nut- ▁lining- ▁spur- ▁viewpoint- ▁Salt- ▁bike- ▁freeze- ▁Ku- world- ▁recur- invest- ▁Entertainment- ▁Portugal- ▁accommodation- ▁feasible- ▁negligible- ▁polymer- ▁preclude- ▁rumor- ▁Depot- ▁retro- ▁antibody- ▁Audience- ▁tractor- ▁salt- ▁auditors- ▁mold- ▁Upon- ▁MRO- business- mproving- ▁Device- ▁abundant- ▁nail- ▁IMAX- ▁settling- ▁chair- tenant- ▁2.0- mitted- ▁Nex- ▁customize- ▁Calgary- ▁ETF- ▁Sunrise- ▁beneficiary- ▁condensate- ▁distributable- ▁speech- ▁virus- ▁Jamie- ▁Fiber- ▁Everybody- ▁heels- ▁Talk- ▁Karen- ▁illustration- ▁recast- ▁acid- ▁Deb- ▁Za- generative- order- acute- border- ▁Arkansas- ▁brown- ▁subsidy- ▁synthetic- ▁Oracle- ▁Rental- ▁boundaries- ▁Daniel- ▁caveat- ▁Comcast- ▁Otherwise- ▁Select- ▁Cancer- ▁Near- ▁trail- craft- Mobile- first- recapitalization- ▁Journeys- ▁expansive- ▁rhythm- ▁spectacular- ▁Aaron- ▁Freight- ▁Airlines- ▁circulation- ▁Susan- ▁Portland- ▁missile- ▁headset- ▁lucky- known- ▁obligat- ▁Four- ▁Cleveland- ▁Czech- ▁constituent- ▁Utility- ▁fierce- ▁recoup- ▁policyholders- ▁Model- ▁restoring- ▁clip- ▁debit- ▁stopping- space- ▁Palm- ▁Active- ▁Discussion- ▁Hudson- ▁Hyatt- ▁Legacy- ▁affinity- ▁balloon- ▁eCommerce- ▁fracture- ▁discharge- ▁plot- ▁Johnson- ▁tailings- ▁conceptual- ▁supplementary- ▁hat- ▁According- trend- ▁Major- ▁accelerator- ▁relax- ▁welcoming- ▁BDC- ▁knee- ▁plateau- ▁compressor- break- ▁embed- ▁Columbus- ▁Learning- ▁Liquid- ▁acuity- ▁altogether- ▁ambulatory- ▁junior- ▁preceding- ▁substitution- ▁syndication- ▁Casino- ▁entail- ▁Julie- ▁constrain- ▁transmit- ground- ▁Engineered- ▁Integrated- ▁accumulation- ▁exclusion- ▁stagger- ▁substantive- ▁Studio- ▁Vehicle- ▁shipyard- ▁0.5- production- ▁Off- ▁categorize- income- ▁Civil- ▁Continuing- ▁blockchain- ▁breakfast- ▁laboratories- ▁refranchising- ▁sacrificing- ▁utmost- ▁cosmetic- ▁dashboard- ▁cease- ▁distill- 8,000- ▁Lending- ▁breed- ▁606- ▁Golden- ▁rightsizing- ▁CRO- currence- ▁Neil- ▁Luc- ▁subscribe- course- tronics- ▁Azure- ▁Equally- ▁Granite- ▁Sydney- ▁appreciative- ▁mentality- ▁solvency- ▁underwritten- ▁helicopter- ▁mattress- ▁mobilize- ▁mutation- ▁plain- ▁reoccur- ▁Empire- ▁identical- ▁methodologies- ▁ASCO- ▁Mining- ▁75%- label- ▁Samsung- ▁Noble- ▁coordinate- ▁luck- ▁Anthony- ▁Beijing- ▁Nielsen- ▁affairs- ▁commoditized- ▁inclined- ▁proliferation- ▁yellow- ▁receptive- ▁Content- ▁tying- ▁cinema- ▁precedent- metric- ▁foothold- ▁cope- itude- ▁detriment- ▁Tableau- ▁hesitant- ▁turmoil- ▁SMB- ▁Watch- ▁thick- ▁Fast- ▁rally- ▁Video- trade- science- ▁Economic- ▁Fitness- ▁Partially- ▁accustomed- ▁athletic- ▁educator- ▁invaluable- ▁scarcity- ▁contest- ▁van- ▁Town- ▁Detail- ▁nowhere- ▁hall- ▁deflationary- ▁Grow- ▁Snap- ▁abuse- ▁prostate- ▁5,000- ▁Invest- ▁Marlin- ▁motivate- ▁ARR- ▁Turk- ▁Downstream- ▁Experience- ▁Venture- ▁analyses- ▁athlete- ▁drain- ▁episode- ▁penalties- ▁smelter- ▁Listener- ▁Carbon- ▁Surface- ▁Blackstone- ▁Internal- ▁agnostic- ▁CAT- currency- ▁BlackRock- ▁Institutional- ▁intensified- ▁sensitivities- ▁situated- ▁stimulus- ▁vacuum- ▁volunteer- ▁worthwhile- ▁prioritization- ▁waterfall- ▁formulate- ▁compress- ▁await- ▁OMIDRIA- ▁Approximately- ▁Storage- ▁blade- ▁congestion- ▁dialysis- ▁hydraulic- ▁mouth- ▁procedural- ▁leach- ▁shallow- ▁responsiveness- ▁string- ▁Victor- purpose- ▁Council- ▁Individual- ▁commencing- ▁independence- ▁nurture- ▁paramount- ▁Member- ▁Unlike- ▁ratable- ▁insulin- ▁inquiry- ▁denominated- ▁holistically- ▁rack- ▁authentication- vantage- ▁Rose- ▁digitize- ▁accumulate- ▁Fiscal- ▁adequacy- ▁alternate- ▁eighth- ▁irrespective- ▁postpaid- ▁rehabilitation- ▁remarkably- ▁taxpayer- ▁arbitrage- ▁hint- ▁discoveries- ▁hook- ▁resetting- ▁bang- system- ▁reconstruct- ▁Agreement- ▁Integration- ▁NASH- ▁Short- ▁Technical- ▁aggregation- ▁chassis- ▁outweigh- ▁vulnerable- ▁scanner- ▁Warner- ▁popularity- ▁PAC- ▁discontinue- ▁dedicate- charge- help- ▁Chegg- ▁Nutrition- ▁depreciate- ▁reclassified- ▁Jackson- ▁clock- ▁tapping- ▁capped- ▁trace- ▁cooperate- ▁School- structure- economic- deliver- ▁Ralph- ▁Example- ▁Utah- ▁irrigation- ▁nonaccrual- ▁suppress- ▁Underlying- ▁remediate- ▁stripping- ▁iteration- ▁sincerely- ▁Orange- path- close- measure- process- ▁Block- ▁Significant- ▁Treasury- ▁caliber- ▁compliment- ▁virtuous- ▁busiest- ▁forthcoming- track- ▁inhibit- profit- ▁reestablish- ▁Progress- ▁Apollo- ▁Tokyo- ▁chemotherapy- ▁mathematical- ▁retiring- ▁stellar- ▁sweep- ▁timeframe- ▁roster- ▁specify- ▁Ameri- ▁SIM- carbon- ▁Alabama- ▁Application- ▁Hemisphere- ▁Mineral- ▁administrator- ▁dinner- ▁empty- ▁endorsement- ▁facilitating- ▁happier- ▁vacancies- ▁voting- 7,000- ▁protest- ▁reactivate- ▁bird- ▁aspire- apples- ▁redevelop- ▁hazard- ▁Iridium- ▁Related- ▁experiential- ▁mismatch- ▁philosophical- ▁thumb- ▁Leasing- ▁deductibility- ▁Drug- ▁Wild- ▁illustrat- ▁reinvigorate- ▁sandwich- ▁Affordabl- ▁DOL- ▁Hilton- ▁advocacy- ▁antibodies- ▁chief- ▁entrance- ▁examining- ▁snapshot- ▁unfair- ▁ForEx- ▁defect- ▁mixture- ▁Getting- ▁digging- ▁Monster- ▁liquidate- ▁characteristic- period- cutting- ▁Competition- ▁Furniture- ▁Kroger- ▁oxygen- ▁vigorously- ▁2011- ▁fellow- heim- ▁alcohol- competitive- megawatt- ▁Fifth- ▁Retirement- ▁Robinson- ▁counterparties- ▁dispense- ▁petroleum- ▁rainfall- ▁separating- ▁testimony- ▁PBM- ▁restatement- ▁restocking- ▁instill- ▁brake- ▁syndicate- Pacific- ▁Previously- ▁escalator- ▁offensive- ▁perimeter- ▁problematic- ▁recreational- 6,000- ▁Bowl- ▁Kindred- ▁purposeful- ▁Half- ▁increment- flex- ▁bargain- ▁reengineer- ▁Heavy- ▁Jeremy- ▁flagged- ▁unconventional- ▁unreasonable- ▁Creative- ▁Gaming- ▁Sorry- ▁LTE- ▁Vista- ▁excite- ▁suspend- producing- complete- ▁Winnebago- ▁Signature- ▁Subsequent- ▁fabulous- ▁hypothesis- ▁inherited- ▁legislature- ▁marry- ▁revising- ▁lagged- ▁motorcycle- ▁depict- ▁divert- ▁shore- ▁persistence- ▁deduct- efficiency- platform- ▁Virgin- ▁Century- ▁Currency- ▁MLP- ▁Plaza- ▁annuities- ▁flawless- ▁lobby- ▁monotherapy- ▁cotton- ▁configure- ▁Genesis- ▁Crest- Guard- ▁inspect- operated- ▁expose- ▁Academy- ▁Champion- ▁Especially- ▁Resort- ▁depletion- ▁prestigious- ▁spark- ▁Weather- ▁trauma- ▁Michelle- ▁Term- ▁Build- established- ▁cabin- ▁Whole- ▁Administration- ▁Polish- ▁platinum- ▁remeasurement- ▁humble- ▁outlining- ▁Own- ▁scanning- ▁cooperative- ▁Reduc- ▁parse- ▁Custom- neutral- ▁Affiliate- ▁Limited- ▁Nuclear- ▁Targa- ▁frustration- ▁oxide- ▁practitioner- ▁reconsider- ▁underperformed- ▁subsidize- ▁bacteria- ▁buck- ▁gray- ograph- Care- ▁Acquisition- ▁Cameron- ▁Interactive- ▁Saturday- ▁congratulations- ▁escalate- ▁noncontrolling- ▁safeguard- ▁funeral- ▁giant- ▁river- ▁Kirk- ▁Harris- defined- ▁Section- ▁Victoria- '70'- ▁NASCAR- ▁Pinnacle- ▁destroy- ▁retroactive- ▁viral- ▁Leverag- ▁pork- ▁habit- located- ▁Combin- ▁Inventory- ▁insignificant- ▁literature- ▁nitrogen- ▁qualities- ▁retransmission- ▁terribly- ▁unforeseen- ▁NII- ▁merging- ▁Cedar- ▁hydrocarbon- ▁Social- ▁melt- ▁origin- ▁Deposit- ▁Rapid- ▁buoy- ▁Avenue- ▁Depending- ▁Pfizer- ▁hospice- ▁ladder- ▁overcapacity- ▁reconciling- ▁unleash- ▁attribution- ▁FCC- ▁IBM- ▁wastewater- ▁baking- ddle- called- ▁Driving- ▁Jordan- ▁Restaurant- ▁calibrate- ▁decelerate- ▁discontinuation- ▁enzyme- ▁nonetheless- ▁segregat- ▁slippage- ▁sovereign- ▁steroid- ▁remix- ▁Crane- ▁pinpoint- ▁Display- ▁dump- ▁coding- ▁Likewise- Works- credit- ▁Double- ▁Catalyst- ▁Halloween- ▁NEXT- ▁blockbuster- ▁incidence- ▁eastern- ▁blast- ▁Dream- regulated- lecommunications- ▁Kind- storm- ▁Surgical- ▁Triumph- ▁editorial- ▁irrational- ▁juice- ▁kiosk- ▁slope- ▁sulfur- ▁Dental- ▁vending- ▁Insight- ▁Baker- ▁anecdotal- ▁Whit- ▁dilute- ▁Albert- development- voltage- ▁College- ▁destiny- ▁influx- ▁microbiome- ▁migraine- ▁occupy- ▁politics- ▁reversion- ▁rubber- ▁variant- ▁Glass- ▁NOLs- ▁supervisor- ▁Trading- ▁loud- ▁infant- ▁weapon- operative- ▁technique- ▁surround- ▁distress- ▁tradition- ▁Advisor- ▁Bancorp- ▁Collection- ▁League- ▁Perfect- ▁pragmatic- ▁firing- ▁Know- ▁Better- ▁slice- ▁dwell- ▁outlier- ▁colleague- prime- Bank- ▁Buffalo- ▁Greece- ▁Portfolio- ▁Sustain- ▁Taylor- ▁Women- ▁cohesive- ▁hypothetical- ▁nontraditional- ▁refractory- ▁stewardship- ▁Darren- ▁horse- ▁Irish- ▁Arrow- ▁Associate- ▁Nonetheless- ▁Williston- ▁YouTube- ▁catheter- ▁latency- ▁maritime- ▁uncommon- ▁firewall- ▁Speed- ▁orange- ▁Pharmacy- ggle- ▁Including- ▁Restructuring- ▁bubble- ▁clause- ▁consummate- ▁deficiency- ▁receptor- ▁redundancy- ▁titanium- ▁Windows- ▁thread- ▁Partnership- ▁Accu- plica- ▁Solution- ▁assemble- ▁author- ▁AFFO- ▁Cologuard- ▁aggregator- ▁behaving- ▁choppiness- ▁conservation- ▁groundbreaking- ▁impediment- ▁reallocating- ▁registry- ▁tandem- ▁Besides- ▁Lisa- ▁Help- ▁STAR- 0%- ▁Charlie- ▁Orleans- ▁Platinum- ▁abundance- ▁acquisitive- ▁locomotive- ▁maturation- ▁pervasive- ▁pulse- ▁Christian- ▁Housing- ▁instability- ▁textile- group- ▁Bottom- ▁Detroit- ▁LIFO- ▁Mutual- ▁Positive- ▁Tyler- ▁Wondering- ▁arriving- ▁beneficiaries- ▁century- ▁dismiss- ▁turbulence- ▁DUC- ▁OPEC- ▁pathogen- ▁adhere- ▁Music- ▁originator- ▁prohibit- ▁grocer- nanometer- ▁FireEye- ▁believing- ▁false- ▁matrix- ▁proposing- ▁remedy- ▁shaft- ▁Brett- ▁Hello- ▁Allied- ▁arrow- pronged- ▁snap- cloud- ▁Campbell- ▁Loyalty- ▁Patterson- ▁Terminal- ▁biomass- ▁exercising- ▁footnote- ▁fragrance- ▁frustrated- ▁garage- ▁interference- ▁referendum- ▁simplifies- ▁unrivaled- ▁seemingly- ▁Close- direct- ▁dominate- Health- Corp- ▁Fabric- ▁Casualty- ▁Petrobras- ▁SCOOP- ▁acknowledging- ▁activating- ▁delineation- ▁dissipate- ▁exterior- ▁orthopedic- ▁resumption- ▁shield- ▁stainless- ▁Imaging- ▁outgrow- ▁Beverage- ▁Expect- ▁Outdoor- ▁brilliant- ▁curriculum- ▁decentralized- ▁deteriorating- ▁episodic- ▁fault- ▁Automation- ▁retool- ▁darn- ▁Terra- ▁debut- ▁dangerous- ▁IND- ▁Couple- ▁amortize- dealer- ▁BOSS- ▁Cardinal- ▁Hollywood- ▁Pizza- ▁Study- ▁antitrust- ▁autumn- ▁bunker- ▁ePlex- ▁frequencies- ▁hinder- ▁inflammation- ▁infotainment- ▁relocating- ▁victory- ▁Critical- ▁Geographic- ▁transpire- ▁carpet- ▁insurer- interest- walk- insured- ▁phenomena- ▁Specific- ffsetting- ▁Appalachia- ▁Particularly- ▁Westinghouse- ▁ambassador- ▁lithium- ▁lucrative- ▁unsustainable- ▁firearm- ▁tolerance- ▁FinTech- ▁promo- ▁celebrating- ▁conducive- ▁disparate- ▁Subsea- ▁Tesco- ▁halt- ▁Lauren- ▁Mitch- frac- ▁Managing- ▁Recovery- ▁Watson- ▁Wyndham- ▁compatible- ▁council- ▁facilitator- ▁league- ▁prolific- ▁unacceptable- ▁preempt- ▁secondarily- ▁embedding- ▁vacate- gui- ▁Banc- ▁occupie- enhancing- ▁Dublin- ▁Florence- ▁Franchise- ▁LOE- ▁Properties- ▁clothing- ▁excise- ▁obsess- ▁relapse- ▁Jean- ▁racing- ▁Etsy- ▁burger- ▁Temp- ▁photograph- ▁stride- Mark- watch- ▁equip- ▁Chapter- ▁Offshore- ▁Regulatory- ▁Seasonal- ▁enviable- ▁exemplifie- ▁fracturing- ▁inaugura- ▁plasma- ▁thriving- ▁Fusion- ▁lawyers- ▁peel- ▁alluding- ▁aisle- minating- necdotally- ▁simultaneous- ▁frank- authorized- ▁Dolby- ▁EXPAREL- ▁LTL- ▁Wednesday- ▁biopsy- ▁bureau- ▁collision- ▁contiguous- ▁desperate- ▁expeditious- ▁female- ▁veterinary- ▁Moody- ▁halo- ▁reagent- ▁remiss- ▁handicap- asset- ▁Advertising- ▁Gathering- ▁Surgery- ▁dermatology- ▁festival- ▁intermediary- ▁modalities- ▁syndrome- ▁sweetener- ▁rotate- ▁Needle- ▁stead- ▁Analysis- ▁HVAC- ▁Secure- ▁Volkswagen- ▁affluent- ▁amplified- ▁copies- ▁culinary- ▁hindsight- ▁implicit- ▁inaccurate- ▁pollution- ▁radiation- ▁susceptible- ▁veterinarian- ▁50-50- ▁grasp- ▁paving- ▁rehab- ▁unused- ▁depot- ▁renal- ▁bull- ▁interrupt- ▁Publishing- ▁Splunk- ▁biopharma- ▁deplete- ▁explosive- ▁injunction- ▁mountain- ▁pyramid- ▁quantification- ▁resurgence- ▁underutilized- ▁viewership- ▁northeast- ▁aftermath- ▁sweat- ▁knit- ▁delineate- ▁definite- claim- etween- ▁Flotek- ▁Haynesville- ▁Scientific- ▁Spark- ▁ammunition- ▁examination- ▁faculty- ▁framing- ▁hygiene- ▁ninth- ▁Fixed- ▁Traditional- ▁Henry- ▁vocal- ▁Flat- ▁Merchant- ▁Microchip- ▁Spectrum- ▁Triferic- ▁densification- ▁equilibrium- ▁identifies- ▁illegal- ▁predecessor- ▁reversing- ▁shadow- ▁vascular- ▁tubing- ▁tiny- ▁invitation- ▁tolerated- utheastern- moving- ▁disturb- ▁Chipotle- ▁Cushing- ▁Effective- ▁Keppel- ▁Summer- ▁bracket- ▁fibrosis- ▁undrawn- ▁contend- ▁franc- ▁Argentin- ▁arrange- ▁Adobe- ▁Kratos- ▁Quantum- ▁admittedly- ▁prudence- ▁DTC- ▁debenture- ▁diving- ▁Quint- ▁Titan- ▁cream- ▁relieve- ▁Apparel- ▁Conversely- ▁Employee- ▁Frozen- ▁Hampshire- ▁Staffing- ▁Yield- ▁buzz- ▁census- ▁clarified- ▁compensating- ▁finite- ▁influential- ▁protracted- ▁submarine- ▁valuing- ▁Fundamental- ▁Canyon- ▁Tommy- ▁investigator- ▁archive- ▁locate- ▁revolve- Vision- collect- ▁Protect- ▁overshadow- ▁reconfirm- ▁reintroduc- ▁Circuit- ▁Hungary- ▁duplication- ▁formidable- ▁intermediaries- ▁remuneration- ▁sauce- ▁biopharmaceutic- ▁admin- burn- screen- mproved- ▁Novartis- ▁Oxford- ▁cultivating- ▁reengage- ▁renegotiating- ▁reorganizing- ▁Something- ▁Linda- change- technology- mobile- standard- 2,000- ▁Michel- ▁Brown- ▁Commonwealth- ▁Honda- ▁Kathy- ▁Memory- ▁Separately- ▁constellation- ▁redetermination- ▁unbilled- ▁unintended- ▁crystallize- ▁harmonize- ▁Forrester- ▁Collectively- ▁Montana- ▁Reflect- ▁consolidator- ▁expensing- ▁mobilization- ▁reassure- ▁remedies- ▁rescue- ▁microcontroller- ▁Command- ▁sailing- ▁myriad- ▁Crown- ▁deviate- energy- ▁helm- ▁Flag- ▁Cinema- ▁Recogniz- ▁Oncology- ▁Pioneer- ▁approving- ▁atmosphere- ▁autonomy- ▁celebration- ▁invoicing- ▁legitimate- ▁peace- ▁refrigeration- ▁shelter- ▁Flash- ▁Sterling- ▁regret- ▁rotating- ▁multiply- ▁erode- ▁Triple- ▁assign- constrained- ▁Develop- ▁Expand- ▁Mosaic- ▁Alpine- ▁diameter- ▁hidden- ▁mezzanine- ▁multifaceted- ▁reconfigure- ▁ruble- ▁tournament- ▁uranium- ▁2022- ▁MBS- ▁tilt- ▁lesion- ▁err- IVE- ▁criminal- ▁Broker- ▁Comfort- ▁Exactly- ▁Facility- ▁basketball- ▁explosion- ▁hypo- ▁investigating- ▁obsolete- ▁plumbing- ▁voyage- ▁whiskey- ▁pruning- ▁retreat- ▁ripe- minded- average- ▁potent- ▁gravitat- ▁refrain- ▁Alzheimer- ▁Freddie- ▁Heritage- ▁Intermodal- ▁catastrophic- ▁caustic- ▁geology- ▁indebtedness- ▁multibillion- ▁nonstrategic- ▁occupancies- ▁propulsion- ▁terrible- ▁summit- ▁Understand- managed- ▁Cincinnati- ▁Condition- ▁Governor- ▁Holiday- ▁Initiative- ▁MiFID- ▁cheese- ▁deficiencies- ▁elegant- ▁elevation- ▁nonoperating- ▁receptivity- ▁scatter- ▁theatrical- ▁varieties- ▁PFS- ▁entries- ▁ourself- ▁browse- ▁lull- ▁Commodit- ▁Thermo- chieving- target- ▁Bureau- ▁Circle- ▁Completion- ▁Instagram- ▁Polaris- ▁Qualcomm- ▁Student- ▁Wyoming- ▁averaging- ▁delinquent- ▁franchising- ▁ratably- ▁requisite- ▁underscoring- ▁vinyl- ▁Instant- ▁LTAC- ▁Transition- ▁fastener- ▁Container- ▁Mercury- ▁Superior- ▁Wolfcamp- ▁accumulating- ▁eligibility- ▁expend- ▁himself- ▁methanol- ▁voucher- ▁Knight- ▁Carrier- ▁subtract- ▁Ranch- ▁entrant- approved- ▁Frankfurt- ▁Melbourne- ▁anxiety- ▁cartridge- ▁combustion- ▁escalating- ▁infectious- ▁laundry- ▁pledge- ▁styrene- ▁custodia- ▁Interestingly- segment- normal- annual- ▁multimillion- inflammatory- ▁Brothers- ▁Jacobs- ▁Minneapolis- ▁Principal- ▁dispensing- ▁jeopardiz- ▁nutrient- ▁Enhanc- xisting- midst- typical- ▁solicit- ▁Dominic- ▁Edmonton- ▁Fannie- ▁Identity- ▁Ingredients- ▁Nokia- ▁Yelp- ▁allegations- ▁appraise- ▁envisage- ▁flesh- init: nullinput_size: nullctc_conf: dropout_rate: 0.0 ctc_type: builtin reduce: true ignore_nan_grad: falsemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_unnorm_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: n_fft: 512 hop_length: 256 fs: 16kspecaug: specaugspecaug_conf: apply_time_warp: true time_warp_window: 5 time_warp_mode: bicubic apply_freq_mask: true freq_mask_width_range: - 0 - 30 num_freq_mask: 2 apply_time_mask: true time_mask_width_range: - 0 - 40 num_time_mask: 2normalize: global_mvnnormalize_conf: stats_file: exp_unnorm/asr_stats_raw_en_unnorm_bpe10000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: conformerencoder_conf: output_size: 512 attention_heads: 8 linear_units: 2048 num_blocks: 12 dropout_rate: 0.1 positional_dropout_rate: 0.1 attention_dropout_rate: 0.1 input_layer: conv2d normalize_before: true macaron_style: true pos_enc_layer_type: rel_pos selfattention_layer_type: rel_selfattn activation_type: swish use_cnn_module: true cnn_module_kernel: 31decoder: transformerdecoder_conf: attention_heads: 8 linear_units: 2048 num_blocks: 6 dropout_rate: 0.1 positional_dropout_rate: 0.1 self_attention_dropout_rate: 0.1 src_attention_dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.8distributed: true\t\tLM config\tconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp_unnorm/lm_train_lm_en_unnorm_bpe10000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 55692dist_launcher: nullmultiprocessing_distributed: trueunused_parameters: falsesharded_ddp: falsecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 40patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nulluse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 256valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp_unnorm/lm_stats_en_unnorm_bpe10000/train/text_shape.bpevalid_shape_file:- exp_unnorm/lm_stats_en_unnorm_bpe10000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump_unnorm/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump_unnorm/raw/dev_4k_unnorm/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁the- .- ','- ▁to- ▁of- ▁and- ▁we- ▁in- ▁that- ''''- ▁a- ▁our- s- ▁is- ▁I- ▁on- ▁for- ▁you- ▁are- ▁have- ▁as- ▁with- ▁it- ▁this- ▁be- ▁We- ▁And- ▁will- re- '-'- ▁year- ▁quarter- ▁at- ▁more- ▁So- ▁from- ▁business- ▁think- ▁what- t- ▁not- ▁some- ▁us- ▁by- ▁about- ▁there- ve- ▁growth- ▁can- ▁was- ▁which- ▁new- ▁very- ▁or- ▁do- '?'- ▁an- ▁market- ▁continue- ▁but- ▁also- ▁would- ▁see- ▁going- ▁The- ▁--- ▁they- ▁been- ▁all- ▁just- ▁has- ▁these- ▁so- ▁well- ▁those- ▁over- ▁now- ▁time- ▁customers- ▁into- ▁where- ▁like- ▁first- ▁results- ▁out- ▁But- ▁really- ▁other- ▁how- ll- ing- ▁if- d- ▁their- ▁up- ▁forward- ▁expect- ▁company- ▁were- ▁than- ▁last- ▁your- ▁look- ▁through- ▁get- ▁any- ▁because- ▁one- ▁call- ▁strong- ▁had- ▁believe- ▁sales- ▁when- ▁This- ▁then- ▁As- ▁good- ▁second- ▁In- ▁revenue- m- ▁performance- ▁product- ▁make- ▁lot- ▁cost- n- ▁much- ed- ▁years- ▁Our- ▁could- ▁financial- ▁capital- ▁terms- ▁don- ▁future- ▁both- ▁impact- ▁right- ▁value- ▁them- ▁It- ▁today- ▁little- ▁want- ▁customer- ▁next- ▁bit- ▁back- ▁work- ▁increase- ▁products- ▁take- ▁number- ▁end- ▁higher- ▁opportunities- ▁able- ▁half- ▁markets- ▁kind- ▁way- ▁may- ▁significant- ▁know- ▁operating- ▁better- ▁go- ▁cash- ▁say- ▁things- ▁still- ▁focus- ▁most- ▁statements- ▁provide- ▁should- ▁being- ▁point- ▁part- ▁team- ▁across- ▁lower- ▁made- ▁opportunity- ▁need- ▁important- ▁third- ▁2- ▁during- ▁rate- ▁line- ▁long- ▁people- ▁fourth- ▁down- ▁strategy- ▁did- ▁many- ▁continued- ▁industry- ▁level- ▁around- ▁portfolio- ▁working- ▁management- ▁share- ▁price- ▁investment- ▁due- ▁additional- ▁actually- ▁give- ▁only- ▁come- ▁while- ▁seeing- ▁high- ▁demand- ▁no- ▁few- ▁plan- ▁same- ▁looking- ▁progress- ▁here- ▁great- ▁costs- ▁even- ▁development- ▁different- ▁margin- ▁result- ▁current- ▁seen- ▁doing- ly- ▁grow- ▁further- ▁start- ▁change- ▁coming- ▁guidance- ▁positive- ▁service- ▁me- ▁earnings- ▁data- ▁drive- ▁technology- ▁position- ▁process- ▁key- ▁full- ▁investments- looking- ▁past- ▁That- ▁said- ▁who- ▁turn- ▁overall- ▁basis- ▁expected- ▁improve- ▁increased- ▁support- ▁again- ▁question- ▁3- ▁within- ▁focused- ▁sort- ▁services- ▁got- ▁environment- ▁potential- ▁help- ▁before- ▁businesses- ▁large- ▁pricing- ▁months- ▁These- ▁remain- ▁making- ▁done- ▁balance- ▁something- ▁ability- ▁interest- ▁strategic- ▁move- ▁already- ▁production- ▁sure- ▁side- ▁based- ▁platform- ▁best- ▁program- ▁such- ▁information- ▁mentioned- er- ▁acquisition- ▁Now- ▁Q- ▁talk- ▁expectations- ▁maybe- ▁early- ▁several- ▁operations- ▁use- ▁put- ▁given- ▁segment- ▁feel- ▁deliver- ▁assets- ▁rates- ▁pleased- ▁changes- ▁experience- ▁period- ▁my- ▁each- ▁couple- ▁growing- ▁You- ▁base- ▁benefit- ▁including- ▁place- ▁improvement- ▁projects- ▁tax- ▁order- ▁certain- ▁model- ▁related- ▁initiatives- term- ▁areas- ▁companies- ▁activity- ▁driven- ▁build- ▁continues- ▁getting- ▁existing- ▁A- ▁margins- ▁flow- ▁its- ▁levels- ▁addition- ▁term- ▁commercial- ▁pretty- ▁volume- ▁fact- ▁thing- ▁income- ▁course- S- ▁capacity- ▁big- ▁factors- ▁quarters- y- ▁might- ▁clients- ▁probably- ▁net- ▁mix- ▁always- ▁does- ▁competitive- ▁There- ▁under- ▁release- ▁mean- ▁risk- ▁marketing- ▁brand- ▁Thank- ▁quite- ▁prices- ▁saw- al- ▁update- ▁offset- ▁top- ▁why- ▁project- ▁every- ▁supply- ▁available- ▁off- ▁world- ▁leverage- ▁having- e- ▁With- ▁recent- ▁after- ▁between- ▁efforts- ▁core- ▁global- ▁quality- ▁conference- ▁area- ▁shareholders- ▁earlier- ▁real- ▁far- ▁less- ▁understand- ▁let- ▁low- ▁prior- ▁expenses- ▁trying- ▁actual- ▁credit- ▁primarily- ▁continuing- ▁building- ▁amount- ▁another- ▁system- ▁While- ▁certainly- ▁digital- ▁view- ▁whether- ▁solutions- ▁operational- ▁success- ▁questions- ▁pipeline- ▁day- ▁inventory- ▁outlook- ▁return- ▁range- ▁Or- ▁ahead- ▁taking- ▁improved- ▁review- ▁set- ▁expense- ▁If- ▁thank- ▁major- ▁retail- ▁profitability- ▁fiscal- ▁capabilities- ▁timing- ▁risks- ▁expand- ▁materially- ▁group- ▁presentation- ▁increasing- ▁confident- ▁ago- ▁consumer- ▁obviously- ▁revenues- ▁excited- ▁benefits- ▁hard- ▁For- ▁driving- ▁own- ▁moving- ▁What- ▁acquisitions- ▁On- ▁plans- ▁talked- ▁differ- ▁non- ▁solid- ▁partners- ▁- ▁increases- ▁China- ▁sheet- ▁expansion- ▁perspective- in- ▁particularly- ▁4- ▁distribution- ▁keep- ▁approach- ▁invest- ▁bring- ▁S- ▁add- ▁structure- ▁Yes- ▁space- ▁They- ▁debt- ▁stores- ▁sense- ▁small- ▁total- ▁versus- ▁compared- ▁asset- ▁programs- ▁improving- ▁begin- ▁measures- ▁clear- ▁numbers- ▁longer- ▁specific- ▁patients- ▁close- ▁needs- ▁significantly- ▁consistent- ▁average- ▁open- ▁create- ▁trends- ▁beginning- ▁scale- ▁run- C- ▁currently- ▁re- ▁strength- ▁conditions- ▁network- r- ▁tell- ▁decline- ▁since- ▁organization- ▁points- ▁5- ▁detail- ▁transaction- ▁volumes- ▁include- ▁execution- ▁anything- ▁profit- ▁towards- ▁per- ▁deal- ▁contract- ▁together- ▁cause- ▁larger- ▁starting- ▁remains- ▁However- ▁advantage- ▁material- ▁spend- ▁efficiency- ▁uncertainties- ▁comments- ▁throughout- ▁example- ▁fully- ▁ongoing- ▁greater- ▁organic- ▁yet- ▁events- ▁store- ▁care- ▁1- ▁trend- ▁successful- ▁2017- ▁announced- ▁brands- ▁morning- ▁returns- ▁started- ▁Europe- ▁discuss- ▁find- ▁gas- or- ▁control- ▁difficult- ▁innovation- ▁reduce- ▁talking- ▁particular- ▁track- ▁At- ▁achieve- ▁case- o- ▁allow- ▁short- ▁become- ▁infrastructure- ▁access- ▁decision- ▁later- ▁momentum- ▁providing- ▁recently- ▁Okay- ▁completed- ▁improvements- c- ▁press- ▁along- ▁associated- ▁oil- ▁too- ▁sell- ▁discussed- ▁guess- ▁try- ▁activities- es- ▁systems- ▁manage- ▁impacted- p- 'on'- ▁lines- ▁note- ▁report- ▁previously- ▁everyone- ▁2018- ▁similar- ▁confidence- ▁anticipate- ▁used- ▁remarks- ▁issues- ▁offering- ▁pressure- ▁6- ▁U- ▁effect- to- ▁reduction- ▁integration- ▁record- ▁health- ▁teams- ▁pay- ▁segments- ▁offer- ▁reason- ▁board- ▁positioned- ▁Before- ▁delivering- ▁launch- ▁meet- ▁investors- ▁energy- ▁economic- ▁website- ▁equity- ▁against- ▁cycle- ▁subject- ▁2016- ▁contracts- ▁items- ▁slightly- ▁percentage- ▁stock- ▁quickly- ▁using- ▁guys- ▁power- ▁money- ▁single- ▁Slide- ▁actions- ▁beyond- ▁adjusted- ▁front- ▁international- ▁selling- ▁leadership- ▁To- ▁equipment- ▁channel- ▁clearly- ▁target- ▁especially- ▁possible- ▁spending- ▁unique- ▁relative- ▁direct- ▁once- ▁size- ▁remind- ▁comes- ▁means- ▁general- ▁combination- ▁incremental- ▁maintain- ▁without- ▁facility- ▁manufacturing- ▁execute- ▁multiple- ▁rest- ▁complete- ers- ▁employees- ▁resources- ▁One- ▁either- year- ▁ensure- ▁client- ▁near- ▁job- up- ▁thinking- ▁issue- ▁details- ▁taken- ▁online- ▁challenges- ▁included- ▁content- ▁local- ▁show- ▁loan- ▁reflect- ▁investing- ▁various- ▁generate- ▁type- ▁regarding- ▁leading- ▁month- G- ▁previous- ▁negative- ▁color- ▁construction- ▁until- ▁wanted- ▁whole- ▁meaningful- g- ▁date- ▁attractive- ▁New- ▁F- ▁B- ▁productivity- ▁relationships- ▁happen- ▁corporate- ▁transition- ▁stronger- ▁free- ▁regulatory- ▁solution- ▁largest- ▁committed- ▁All- ▁thought- ▁partner- ▁goal- ▁government- ▁marketplace- ▁deals- ▁profitable- M- ▁sale- ▁discussion- ▁relatively- ▁delivered- ▁cloud- ▁shift- ▁clinical- ▁portion- P- ▁anticipated- ▁likely- ▁annual- ▁favorable- ▁savings- ▁chain- ▁public- ▁Well- ▁EBITDA- ▁provided- ation- ▁ways- ▁When- ▁respect- ▁consumers- ▁lead- GAAP- ▁prepared- ▁serve- ▁least- ▁bottom- ▁comment- ▁days- ▁highly- a- ▁underlying- ▁transformation- ▁delivery- ▁category- le- T- ▁develop- ▁moment- ▁flexibility- ▁combined- ▁Let- ▁gives- ▁experienced- ▁address- ▁orders- ▁dividend- ro- ▁First- ▁closing- able- ▁E- ▁season- ▁built- ▁haven- ▁majority- ▁C- ▁entire- ur- ▁Can- u- ▁slide- ▁quarterly- ▁design- ▁agreement- ▁expanding- ▁hope- ▁situation- ▁challenging- ▁step- D- ▁though- ▁efficient- ▁effective- ▁accelerate- ▁commitment- ▁generation- ▁upon- ▁initial- ▁generally- ▁answer- ▁home- ▁buy- ▁doesn- ▁required- ▁strategies- ▁play- ▁competitors- ▁currency- ▁During- ▁normal- ▁country- ▁critical- ▁provides- ▁everything- ▁region- ▁largely- ▁hand- ▁facilities- ▁active- ▁week- ▁competition- ▁loss- ▁pace- ▁enhance- ▁T- ▁profile- ▁bank- ▁extremely- ▁smaller- ▁behind- ▁patient- ▁weeks- ▁enough- ▁e- ▁property- ▁ourselves- ▁flat- ▁allows- ▁stable- ▁book- ▁relationship- ▁Please- ri- ▁following- ▁sector- ▁operate- E- ▁sustainable- ▁came- ▁ever- ▁planning- ▁reported- end- ▁fair- ▁categories- ▁am- ▁final- ▁includes- ▁happy- ▁away- ▁specifically- ▁software- B- ▁recovery- b- ▁assumptions- ▁unit- ▁internal- ▁effort- ▁reduced- ▁loans- ▁his- R- ▁running- ▁contribution- ▁transactions- ▁accounts- ▁reach- ▁ramp- ▁achieved- ▁rather- ▁life- O- ▁he- ▁enable- l- ar- ▁technologies- ▁wondering- ▁exactly- ▁account- ▁GAAP- ▁metrics- I- ▁follow- ▁offerings- ▁parts- ▁state- ▁above- A- L- K- ▁faster- ▁units- ▁makes- ▁applications- ▁appropriate- ▁added- ▁mobile- ▁gain- ▁decrease- ▁un- ▁won- ▁G- ▁efficiencies- ▁weather- th- ▁received- ▁10- ▁safety- ▁private- ▁reflects- ▁basically- ▁channels- ▁exciting- ▁estate- ion- ra- ▁directly- ▁seems- ▁changed- ▁discussions- ▁study- ▁partially- ▁consider- ▁industrial- over- ▁developing- ▁took- ▁insurance- ▁accounting- ▁outside- ▁field- ▁footprint- '1'- ity- ▁restructuring- ▁plant- ▁shareholder- ▁ratio- ▁statement- ▁P- ▁changing- ▁reasons- x- ▁center- ▁substantial- ▁Thanks- '2'- ▁joining- ▁capability- en- ▁January- ▁decisions- ▁traffic- ▁integrated- ▁mind- ▁expectation- ▁robust- ▁adding- ▁drivers- ▁win- ▁despite- ▁times- ▁purchase- ▁December- ▁enterprise- ▁tend- ▁creating- ▁healthy- ▁options- ▁gains- ▁processes- ▁platforms- ▁happening- ▁12- ▁managing- based- ▁disconnect- ▁therefore- ▁potentially- ▁forecast- ▁typically- ▁premium- ▁backlog- ▁community- ▁Just- ▁ultimately- ▁advertising- ▁speak- ▁executing- ▁primary- ▁driver- ▁understanding- ▁saying- ▁almost- ▁fund- ▁optimistic- ▁nature- ▁others- ▁exchange- ▁traditional- il- ▁s- ▁trade- ▁filings- ▁planned- ▁bringing- ▁security- ▁comfortable- ▁historical- ▁needed- ▁effectively- ▁goes- ▁found- ▁necessary- ▁D- ▁million- ▁ask- ▁highlights- ▁mid- ▁please- ▁putting- ▁excellent- ▁office- ▁2019- ▁labor- ▁stay- ▁visibility- ▁proud- ▁cases- ▁refer- ▁limited- ▁Asia- ▁countries- ▁disciplined- ▁liquidity- ▁natural- la- ▁losses- ▁else- ic- ▁encouraged- ▁standpoint- ▁de- ▁food- ▁targets- f- ▁bigger- ▁double- ▁funding- ▁comparable- ▁late- ▁launched- ▁recognize- ▁obligation- ▁June- ▁volatility- ▁difference- ▁September- it- ment- ▁extent- ▁March- ▁never- co- ▁remaining- ▁financing- ▁expanded- ▁response- i- ▁main- ▁maintenance- ▁How- ▁broader- ▁types- ▁land- ▁utilization- ▁regions- ▁members- ▁Do- ▁detailed- an- ▁completion- ▁fleet- ▁sold- ▁yield- ▁focusing- ▁broad- ▁Because- ▁fixed- ▁partnership- ▁meeting- ▁tremendous- ▁reducing- ▁operation- ▁intend- ▁path- ▁although- ▁ready- el- ▁approximately- ▁direction- F- ▁economy- ▁research- ▁acquired- li- ▁remainder- ▁dollars- ▁locations- ▁Turning- ▁test- ▁cover- ▁fees- ▁CapEx- ▁properties- ▁went- ▁reflected- ▁media- ▁highlight- ent- ▁9- ▁interesting- ▁below- ▁O- est- ▁finally- ▁allocation- ▁2015- ▁fuel- ▁7- k- ▁conversion- ▁biggest- ▁nice- ▁foundation- ▁fairly- ▁engagement- '4'- ▁takes- ▁tools- ▁individual- ▁highest- ▁Re- ▁successfully- ▁perhaps- ▁H- ▁phase- ▁closely- ▁hit- ▁present- ▁inflation- ▁pre- ▁summary- ▁stage- ▁Looking- ▁led- ▁requirements- ▁buying- ▁history- ▁increasingly- ▁opening- ▁Good- ▁water- ▁legacy- ▁necessarily- ▁Finally- ▁shows- ▁commodity- ▁reporting- ▁standard- ▁flows- ▁outstanding- ▁attention- ▁somewhat- ▁giving- ▁simply- ▁priority- V- ▁everybody- ▁strengthen- ▁goals- ▁news- ▁expecting- ▁talent- ▁force- ▁proposition- ▁mainly- ▁European- '3'- ▁trial- ▁exposure- ▁maintaining- ▁20- ▁expertise- ▁capture- ▁Some- ▁lease- ▁closed- ▁appreciate- ▁factor- ▁fall- ch- ▁steps- ▁regard- ization- ▁prospects- ▁itself- ▁paid- us- ▁shares- ▁component- ▁event- ▁innovative- ▁periods- ▁implementation- ▁drilling- ▁role- ▁gross- ▁dollar- ▁discipline- ▁franchise- ▁policy- ▁light- ▁Canada- ▁approval- ▁national- ▁8- ▁developed- ▁Although- ▁priorities- ▁testing- ▁yes- ▁live- ▁adoption- ry- ▁piece- ▁initiative- ▁funds- ▁historically- ter- ▁leader- ▁compensation- ▁treatment- ▁10-- ▁definitely- ate- ▁2017.- ▁Also- ▁October- ▁optimize- ▁April- ▁speed- ▁matter- ▁created- ▁co- ▁M- ▁realize- ul- ▁challenge- ne- ▁noted- ▁centers- ▁worked- ▁assume- ▁happened- ▁payments- rs- ▁true- ▁importantly- at- ▁produce- ▁perform- ▁foreign- ▁targeted- ▁actively- ▁culture- ▁operator- ▁context- ▁described- ▁analysis- ▁resulting- ▁domestic- ▁resulted- ▁N- ▁hold- ▁Given- ▁site- ▁presence- ▁aggressive- ▁application- ▁SEC- ▁medical- ▁comp- ▁No- ▁payment- ▁steady- et- ▁helping- ▁p- ▁conclude- ▁July- ive- lo- ▁remember- ▁read- ▁summer- ▁training- ▁generated- ▁designed- H- ▁nothing- ▁middle- ▁huge- ▁positions- ▁relates- ▁looks- ▁upside- ▁Are- ▁dynamics- ▁seasonal- ▁modest- ▁coverage- ▁participation- ▁players- ▁Brazil- ▁becoming- ▁idea- ▁evaluate- ▁retailers- te- ▁Day- ▁emerging- ▁R- ▁synergies- ▁South- ▁invested- ▁L- ▁safe- ▁among- ▁regional- ▁Additionally- ▁2018.- ▁trading- ▁push- ▁fee- ▁deposit- ▁heard- ▁implemented- ▁models- ▁measure- ▁dynamic- ▁leveraging- ▁pursue- ▁30- ▁materials- ▁May- ▁gone- ▁advanced- com- ▁road- ▁complex- ▁affected- ▁K- ▁relevant- ▁mortgage- ▁America- ▁impacts- ▁Over- ▁recognized- ▁schedule- ▁room- ▁variety- ▁managed- ▁reminder- ▁moved- ▁Securities- ▁reasonable- ▁providers- ol- ▁November- ▁story- ated- ▁Overall- ▁soon- ▁helpful- ▁adjustments- ▁otherwise- ▁Services- w- ▁action- ▁ones- ▁effects- ▁joint- ▁Second- ▁count- ▁enhanced- ▁compete- ▁developments- ▁objectives- ▁issued- ▁must- ▁budget- age- ▁generating- ▁demonstrate- ▁calls- ▁My- ▁reflecting- ▁face- ▁reductions- ▁closer- ▁special- ▁communities- ▁represents- ▁vision- ▁common- ▁February- ▁banking- ▁headwinds- ▁function- ▁source- ▁often- ▁banks- ▁firm- ▁decided- ▁performing- ▁absolutely- ▁easier- ▁charge- ▁California- ▁analytics- ▁began- ▁identified- ▁hear- ▁uncertainty- ▁fast- de- ▁happens- ▁technical- ▁looked- ▁extend- ▁undertake- ▁advance- ▁roll- ▁essentially- ▁affect- ▁York- ▁table- ▁recognition- ▁interested- ▁deep- ▁turning- ▁investor- ▁slow- ▁represent- ▁finance- ▁users- ▁identify- ally- ▁c- ▁cannot- ▁sites- ▁pick- ▁bookings- ▁car- ▁stated- ▁outcomes- ▁established- ▁form- ta- ▁helped- ▁underwriting- ▁easy- ▁require- ▁estimate- ▁division- ▁consolidation- ▁maximize- ▁paying- ▁consistently- ▁components- ▁partnerships- ▁left- ant- ▁compelling- ▁Commission- ▁excess- ▁conservative- ▁spot- ▁provider- ▁touch- out- ▁independent- ▁figure- ▁predict- ▁agreements- ▁aware- ▁drug- ▁operators- ▁penetration- ▁allowed- ▁Mexico- ▁W- ▁Moving- ▁capitalize- ▁fit- ▁wins- ▁engineering- ▁thoughts- as- ▁projections- ▁shown- Q- ▁indicated- ▁achieving- N- ▁raw- ▁presented- ▁learning- ig- ating- ▁rapidly- ▁brought- ▁toward- ▁game- ▁East- ▁deploy- ▁'17- ▁reform- ▁ground- ▁demonstrated- ▁video- ▁folks- ▁outcome- ▁tough- ▁August- ▁occur- ▁differentiated- ▁encouraging- ▁drop- U- ▁supported- ▁recorded- ▁problem- ▁plants- ▁sequential- ▁degree- ▁filed- ▁receive- ▁deployment- ▁grew- ▁frankly- ▁section- ▁finding- digit- ▁considered- ▁option- ▁seasonality- ▁showing- ▁accelerated- ▁multi- h- ▁From- na- ▁federal- ▁devices- ▁law- ▁West- ▁substantially- ▁remained- ▁quick- ies- ▁concludes- ▁objective- ▁senior- ▁suppliers- ▁depending- ▁Japan- ▁Canadian- ▁spent- ▁holiday- ▁positioning- ▁Form- ▁curious- ▁realized- ▁elements- se- ▁retention- X- ▁estimates- ▁Those- ia- ▁staff- ▁Group- ▁involved- ▁dedicated- ▁walk- ▁securities- ▁benefited- ▁contributed- ▁18- ▁professional- ▁promotional- ▁felt- ge- ▁wells- ▁consolidated- ▁post- ▁supporting- ▁license- ▁comprehensive- ▁leaders- ▁shared- ▁involve- ▁Today- ▁legal- time- ▁rental- ▁He- ▁claims- ▁contribute- ▁leasing- ▁specialty- ▁subscription- id- ▁feedback- ▁Chinese- ▁truly- ▁pass- ▁taxes- ize- ▁rent- ▁reconciliation- ▁Exchange- ▁excellence- ▁correct- ▁residential- ▁stuff- ▁original- ▁traction- ac- ▁nearly- ▁John- ▁signed- ness- ▁raise- ine- line- ▁Mike- ▁projected- ▁wholesale- ▁deposits- ▁aggressively- ▁external- ▁population- ▁merger- ▁cross- ▁themselves- ▁spread- ▁proven- ▁India- ▁whatever- ▁allowing- ▁pull- ▁availability- ▁stand- ▁automotive- ▁Again- ▁lending- ▁gave- ▁implement- ▁macro- ad- ▁2016,- ▁economics- ▁By- ru- ▁Page- ▁digits- ▁15- ▁name- ▁announcement- ▁social- ▁vehicle- ▁V- ▁card- ▁commentary- ▁holding- ▁afternoon- ▁declines- ▁recurring- ▁location- ▁stages- ▁updated- ▁'18- ▁studies- ▁processing- ▁respond- ▁geographic- ▁seem- ▁held- ▁conversations- ▁optimization- ▁Texas- ▁deferred- ▁Co- ce- ▁Of- ▁creation- ▁features- ▁acquire- ▁speaking- ▁list- ▁user- ▁engaged- ting- ▁picture- ▁known- ▁page- ▁adjust- ▁Obviously- ▁explain- ▁collaboration- ▁mostly- ▁transportation- ▁welcome- ▁posted- market- ▁chart- ▁enter- ▁journey- ▁completely- ▁overview- ▁internally- ▁strengthening- ke- ▁choice- um- ▁efficiently- ▁constant- ▁fundamentals- ▁practices- ▁wide- ck- ▁IT- ▁gentlemen- ▁called- ▁mention- ▁venture- ▁lost- ▁con- ▁participating- ▁indication- ▁accelerating- ▁secure- ▁shipments- va- ▁personal- related- ▁contain- ▁states- ▁slower- ▁sources- ▁manner- ▁performed- ▁keeping- ▁dividends- ▁minutes- ▁expressed- ▁auto- ▁curve- ▁recall- ▁helps- ▁sometimes- ▁worth- ▁calendar- ▁After- ▁frame- ▁globally- ▁alternative- ma- ▁evaluating- ▁smart- ▁superior- ▁valuable- ▁signs- ▁b- ▁announce- ▁st- ure- ▁strongly- ▁peers- ▁gets- ▁Financial- ton- ▁introduced- ▁launches- ▁awareness- is- ▁resource- ▁storage- ▁housing- ▁comparison- ▁compliance- ▁hopefully- ▁De- ▁Investor- ▁knowledge- ▁however- ▁monitor- ▁encourage- ▁upcoming- ▁extended- ca- ▁contained- ▁evolve- ▁brief- ▁slides- ▁commitments- ▁forth- ▁parties- ▁element- ▁engage- ▁sharing- ▁pursuing- ▁pressures- ▁old- W- ▁wait- ▁break- ▁evidence- ▁prudent- z- ▁peak- ▁provision- ▁t- ▁proceeds- ▁acceleration- ▁plus- ▁standards- ▁inside- ▁meaning- ▁contributions- ▁Could- ▁'19- ▁disease- ▁evolution- ▁charges- ▁Management- ▁broadly- ▁'16- ▁participate- ▁vehicles- ▁American- ▁stability- commerce- ▁carry- ▁2019.- ▁offers- ▁thanks- ▁exit- ▁willing- ▁Based- vi- ▁highlighted- ▁diversified- ▁considering- ▁ended- ▁opposed- pe- ▁Any- ▁medium- ▁asked- ▁balanced- ▁pro- ▁profits- ▁shipping- ▁concluded- ▁implementing- ance- v- ▁setting- ▁executed- ▁bad- ▁enhancing- ▁circumstances- ▁separate- go- ▁Since- ▁J- ▁geographies- ▁sign- ▁device- ▁attract- ▁reserve- ▁shape- ▁discussing- ex- ▁becomes- ▁places- ▁shopping- ▁simple- ▁item- ▁targeting- ▁renewal- ▁vertical- ▁publicly- ▁works- ▁financials- ▁concerned- ▁exceptional- ▁conclusion- ▁seek- ▁protect- ▁rising- ▁roughly- ▁landscape- ▁words- ized- ▁slight- ▁matters- ▁weakness- ▁enables- ▁aspects- ▁managers- ▁insight- ▁integrate- ▁An- ▁mission- ▁settlement- ▁valuation- ▁industries- ▁Steve- di- per- ▁mining- ▁reports- ▁trust- ▁automation- ▁approved- ▁ownership- ▁winter- ▁heavy- ▁fundamental- ▁Most- ▁aircraft- ▁Then- ▁recover- 'off'- ▁structural- ▁behavior- ▁leave- ▁chance- ▁aligned- ▁negatively- lu- ▁mine- ▁physicians- ▁Ma- ▁assuming- ▁winning- ▁reserves- ▁tool- ▁evolving- ▁enabling- ▁wind- ▁starts- ▁Energy- ▁drove- ▁Despite- ▁Australia- ▁begun- un- ▁physical- ▁campaign- ▁travel- izing- ▁variable- ▁rise- log- uch- ▁engine- ▁opened- ▁importance- ▁hospital- ho- ▁Mark- ▁family- ▁continuous- ▁Internet- ▁typical- ▁Germany- ▁practice- ▁trajectory- ▁Act- con- ▁mature- ▁organizations- ▁mitigate- ▁lack- ▁sit- ▁rig- ▁learn- ling- ▁spring- ▁rolling- ▁cautious- ▁reality- ▁employee- ▁label- ▁deeper- ▁Florida- ▁examples- ▁rigs- am- ▁strategically- po- ▁adjustment- ▁app- ▁10%- ▁Solutions- ▁implied- ▁two- ▁inventories- ▁connected- ▁ship- tra- ▁consecutive- ▁loyalty- ▁50- ▁love- ▁sustained- ▁movement- ▁floor- ▁sounds- ary- ▁caused- im- ▁opportunistic- ▁weak- ▁views- ▁yields- ▁Latin- ▁subsequent- ▁utility- ▁commission- ▁determine- ▁steel- ▁pieces- ▁flexible- ▁assortment- ▁search- ▁fashion- ▁enabled- ted- ▁replacement- ▁delay- ▁hearing- ▁groups- ▁agencies- ▁Both- ▁sufficient- ▁underway- ist- ▁reached- ▁cut- ▁rapid- ▁utilize- ▁owners- ▁David- ▁occupancy- ▁her- ▁impacting- ▁extra- ▁ex- ▁heavily- ▁protection- ▁outlined- ▁Ca- ▁compare- do- ▁incentive- be- ▁experiencing- ▁vast- ▁excluding- ▁diversification- ▁absolute- tion- ▁stakeholders- ▁leases- ▁restaurant- ▁export- ▁thus- ▁gotten- ▁therapy- mi- land- ▁Al- ▁retain- ▁clarity- ▁replay- ▁Last- ▁North- ▁regards- ▁networks- ▁International- ▁disruption- ▁Bank- ▁reimbursement- ▁dramatically- ▁repurchase- ▁2020- ▁Con- ▁f- ▁latest- ▁finish- ▁consideration- ▁logistics- ▁yesterday- ▁watch- 'no'- ▁sectors- ▁updates- ie- ▁consumption- ▁discount- ▁asking- ▁weaker- ▁she- ▁machine- ▁entered- ▁depend- store- ▁figures- ▁guide- ▁Sure- ▁trials- ▁upgrade- ▁Ladies- ▁soft- ▁met- ▁align- ▁Capital- ▁restaurants- ▁depreciation- ▁brings- ▁provisions- ▁problems- ▁exceeded- ▁choose- ▁wish- ▁Pro- ▁assessment- ▁Actual- ▁City- ba- ▁usage- ▁cycles- ▁daily- ▁introduce- ▁apply- ▁imagine- ▁package- ▁carefully- ▁Middle- ▁reference- ▁declined- ▁hiring- ▁depends- ▁class- ▁guests- ▁occurred- ish- quality- ▁proportion- ▁producing- man- ▁contributing- ▁expenditures- ir- ▁framework- tic- ▁productive- ▁Z- ▁Coast- ▁agency- sh- ▁returning- ▁downturn- ▁attributable- ▁Western- ▁freight- ▁sub- ▁insights- ▁gap- ▁Another- ▁unless- ▁St- ▁i- ▁convert- ▁temporary- ▁11- ▁clean- ▁aren- ▁collection- ▁gaining- ▁hotel- ▁Have- ▁connect- ▁immediately- ▁fill- ▁series- ▁originally- ▁stream- ▁scope- ▁lots- ▁requires- ▁sequentially- ▁grown- ▁complexity- ▁ensuring- ▁repeat- ▁bid- ▁handle- ▁powerful- ▁introduction- ▁serving- and- ti- op- ▁values- way- ni- ▁concept- ▁communication- ▁usually- ▁condition- ▁launching- ▁rules- ▁experiences- ▁connection- ty- ▁metric- ▁supplier- ▁X- ▁diverse- ▁education- ▁shortly- ▁advantages- ▁exceed- ▁Africa- ▁Mo- ▁cancer- ▁purpose- ▁webcast- ▁Tom- ▁et- ▁attending- ▁followed- ▁political- ▁Chief- ▁cap- ▁human- ▁Officer- ▁paper- ▁bar- ▁concern- ▁distributors- ▁Not- Y- ▁usual- ▁ecosystem- ▁coupled- ▁emphasize- ▁strongest- ▁coal- ▁learned- ▁laid- ▁reliability- ▁revise- ▁elevated- ▁leads- ▁busy- ▁transfer- ▁amounts- ▁satisfaction- ▁briefly- ▁monitoring- ▁optimizing- ▁alternatives- ▁Next- he- ▁Jim- ▁manufacturers- ▁Even- ▁carriers- ▁environmental- ▁numerous- ▁suggest- ▁Business- ▁message- ▁dis- ▁addressing- ▁tenants- ▁duration- ▁scheduled- ▁fewer- ▁proprietary- ▁produced- class- ▁20%- ▁transform- ▁earn- ▁executive- ▁Health- ▁initially- ▁caution- ▁decide- ▁harbor- ▁check- ence- ▁intention- ning- ical- ▁extensive- ▁waiting- ▁indications- '5'- ▁installed- ▁vendors- ▁file- me- ▁pension- ▁Great- ▁exercise- ▁merchandise- io- ▁differences- ▁facing- ▁feeling- ▁phone- ▁central- ▁pilot- ▁hardware- ▁minimum- ▁Hav- ▁dealers- ▁decade- ▁except- ▁reiterate- ▁hours- ▁tariffs- ▁associates- ▁deployed- ▁dependent- ▁him- ▁institutional- ▁draw- ▁decreased- ▁moderate- ▁positively- vo- ▁milestones- ▁showed- ▁declining- ▁dedication- ▁act- ▁careful- ▁creates- ▁agents- ▁intended- ▁Chris- ens- ▁input- ▁regular- ▁President- ▁ramping- ▁100- ous- ▁Global- ▁5%- ▁hotels- ▁emphasis- party- ▁Other- ▁buyers- ▁supplemental- ▁secured- ▁magnitude- ▁competitor- ▁cetera- ▁immediate- ▁hospitals- ▁contact- ▁More- ▁balances- ▁cars- ▁normalized- ▁told- ▁pool- ▁adapt- ite- ▁personnel- ▁accretive- ▁constantly- ▁audience- ▁concerns- ng- ▁assess- ▁covered- ▁policies- bo- ▁homes- ▁enhancements- ▁negotiations- ▁delays- ▁mo- ability- ab- ok- ▁electric- ▁bought- ▁nicely- ▁sound- ▁lowest- ▁differentiate- ▁confirm- ▁progressing- ▁match- ut- ▁administration- ▁Many- ▁normally- ▁Power- ▁tight- ▁somebody- ▁quantify- os- ▁extension- ▁conversation- ▁stop- ▁France- ▁moves- ▁length- ▁turnaround- ▁prove- ▁packaging- ▁deliveries- ▁playing- ▁awards- ▁shifting- ▁wireless- ▁shop- ▁establish- ▁purchasing- ▁okay- ▁maintained- ▁demonstrates- ▁useful- of- ▁agree- ber- ▁incredibly- ▁benefiting- ▁v- ▁aspect- ▁lift- ▁Therefore- ▁instead- ▁intelligence- ct- ▁volatile- ▁liability- ▁player- ▁released- ▁expensive- ▁tracking- ▁delayed- ot- ▁purchases- ▁organizational- ▁headwind- ▁Ar- ▁placed- ▁defined- ▁assumption- ▁lives- ▁fiber- ▁fresh- ▁amortization- ▁desire- ring- ▁Pu- ▁hoping- ▁science- ▁enrollment- ▁finished- ▁possibility- ▁topic- ▁relating- ▁map- ▁describe- ▁possibly- ▁select- ors- ▁Life- ▁status- ▁influence- one- ▁turned- ▁students- ci- date- ▁functions- ▁En- ▁40- ▁Pacific- ▁tried- ▁migration- ▁solve- back- ▁communications- bi- ▁50%- ▁house- ▁Ro- ▁display- ▁tied- ▁Third- ▁breadth- ▁appear- by- ▁determined- ▁Be- ▁slowdown- ▁evaluation- ▁crude- ▁Consumer- ▁licensing- '00'- ▁plays- ▁avoid- ▁scenario- ▁person- ▁preferred- ▁Once- ver- ▁replace- ▁13- ▁sourcing- ag- ▁organically- ▁depth- ▁embedded- ▁explore- ▁completing- ▁sustain- ▁surprised- ▁Right- ▁Home- ▁Going- ▁milestone- ▁updating- ▁rolled- ▁spreads- ▁box- ▁promotions- ▁heart- ▁unusual- ▁indicators- ▁responsible- ▁incurred- ▁integrating- ▁pushing- quarter- ▁belief- ▁Ex- ▁divisions- ▁opinion- mb- ▁dealing- ▁intent- ▁differently- ▁impressive- ▁bulk- ▁filing- ▁age- ▁Americas- ▁exploration- ▁branch- ▁comps- ▁criteria- ▁lose- ▁lag- ▁air- ▁drag- ▁La- ▁Maybe- ▁concerning- ▁basic- om- ▁truck- ▁aggregate- ▁exact- ▁accomplished- leading- ian- ▁Mi- ▁regulations- ▁patterns- ▁contributor- ▁drill- ▁hedge- ▁gold- ▁Houston- nt- ▁percent- ▁comparisons- ▁split- ▁pattern- port- ▁wage- ▁seeking- ▁Se- ▁po- ris- ide- ▁weighted- ▁spectrum- ▁FX- ▁unchanged- ▁aim- nd- ial- ▁head- ▁churn- ▁unfavorable- ▁dose- ▁ideas- ▁eye- ▁overhead- ▁combine- ▁puts- ▁creative- ▁via- ▁disclosure- ▁member- ▁purposes- ▁join- ▁suite- ▁participants- ▁stress- her- ▁appears- ▁Jeff- ▁estimated- ▁transparency- ▁reliable- ▁promise- ▁guest- ▁acquiring- ▁institutions- ▁14- em- ▁analysts- ▁accomplish- ▁exist- ▁selective- ▁offshore- ▁partly- ▁summarize- ▁sand- ▁Vi- ▁entering- ▁resolution- ▁minimal- ▁Le- ▁located- ▁Ba- ▁easily- ▁softness- ▁monthly- ▁verticals- ▁Commercial- fi- ▁plenty- ▁impairment- ▁FDA- ▁revised- ▁jobs- ▁CEO- ▁functionality- ▁disclosed- ▁Lo- ▁d- ▁raising- ▁sustainability- ▁someone- ▁entirely- ▁Importantly- ▁enjoy- CO- ▁sets- ▁written- ▁complement- ▁Phase- ▁Industrial- ▁portfolios- ga- ▁newer- ging- ▁considerable- ▁diversity- ▁bill- ▁minute- ▁fine- ▁rating- ▁prepare- ▁lean- ▁ad- ▁drives- ▁stabilize- ▁eventually- ▁save- ▁producers- ▁effectiveness- gen- ▁self- ▁realization- ue- ▁regulators- ▁colleagues- ▁administrative- ▁maturity- ▁Air- ▁doubt- ▁introducing- ▁assist- house- ▁block- ▁mass- ph- less- ▁tenant- ▁solar- ▁rollout- ▁newly- ▁laws- ▁notice- ▁supplement- ping- iv- ▁capable- ▁w- ▁frequency- load- ▁train- ▁acreage- ▁architecture- ub- ▁Bill- net- ▁sitting- ▁wealth- ▁multiyear- ▁Sales- ▁diversify- ▁talented- ▁knew- ▁published- ▁rule- ▁election- ▁consulting- ▁proposed- ▁repair- ▁according- ▁globe- ▁thousands- ▁retailer- ▁refinancing- ▁exclude- ▁approvals- ▁owned- ▁seasonally- ▁appeal- pi- ▁3%- ▁dramatic- ▁write- ▁communicate- the- ▁deploying- ▁kinds- ▁Private- ▁reviewing- ▁structures- ▁exception- ▁modeling- ▁older- ▁Amazon- ▁incredible- od- ▁anybody- ▁60- ▁rail- ▁promotion- ▁servicing- ▁wonderful- ▁indicator- ▁Following- ▁TV- ▁Investors- ▁feature- ▁spoke- ▁Scott- day- ▁treat- hi- ▁connectivity- through- act- ile- ▁dialogue- ▁concentration- ▁Me- ▁Michael- ▁demonstrating- ▁entry- ▁levers- ▁reflection- ▁EPS- ▁Li- ▁legislation- ▁accordance- ▁backdrop- ▁latter- ▁differentiation- ▁damage- ron- ▁preparing- ▁super- 0,000- ▁upper- fa- ▁engaging- ▁2%- ▁skills- ▁retirement- ▁translate- ▁g- ▁limit- ▁hybrid- ▁litigation- ▁headcount- ▁meaningfully- ▁candidates- ▁Permian- ▁utilizing- ▁16- ▁0- ▁streams- ▁continuously- ▁utilities- ▁National- ction- ▁respective- ▁facilitate- ▁massive- ▁referring- ec- ▁Revenue- ▁formal- ▁vessels- ▁measured- ▁catch- ▁buildings- lic- ▁Got- ▁Retail- ▁city- ▁react- ▁load- ▁Gulf- ▁Bob- ▁Dave- ▁ratios- ▁menu- ▁appropriately- ▁procedures- ▁hands- ▁books- ▁competing- ▁physician- ▁greatest- ▁worse- ▁window- ▁department- ▁equal- ▁dealer- ▁applied- ▁cell- ▁Sa- ▁adjusting- ▁millions- ▁documents- ▁communicated- ▁movements- ▁installation- ow- ▁bear- ▁factory- ▁branches- ▁mark- ▁distributor- ier- ▁offsetting- ▁origination- ▁reaching- ▁selected- ▁defense- ▁procurement- ▁cities- ▁di- ▁uptick- ▁Care- ▁merchandising- ▁regulation- ▁vary- ▁purchased- ▁fantastic- ▁synergy- ▁fire- ▁Central- ▁incentives- ▁transmission- ions- ▁perfect- ▁beliefs- ▁selection- ▁visit- ▁challenged- ▁became- ▁generic- ha- ▁modestly- ▁Products- ▁hundreds- ▁round- sis- ▁heading- ▁games- ip- ▁proactive- ▁reinsurance- ▁offices- ▁payers- ▁receiving- ▁specifics- ward- ▁4%- ▁advertisers- ▁ticket- ▁workforce- ▁Forward- ▁adverse- ▁mode- che- ▁promising- ▁dry- mer- ▁relate- ard- ▁Where- ▁fundamentally- ▁IP- ▁extraordinary- ▁award- ▁te- ▁faced- ▁listening- ▁vendor- ▁liabilities- ▁upward- ▁harder- ▁Bo- ▁strengthened- ▁Dan- ▁exclusive- ▁innovations- ▁elaborate- ative- pa- ▁stack- ran- ▁repurchases- ▁achievements- ▁claim- ▁succeed- ▁Medicare- ▁wrong- ▁Regarding- ▁switch- ful- ▁door- 1,- ▁1,- ▁bunch- ▁living- ▁voice- ▁feed- ▁night- ▁version- ▁li- ▁campaigns- ▁h- ▁surprise- ▁en- ▁continually- ▁fix- ▁accurate- ▁90- ▁inter- ice- ▁se- cost- ▁jump- ▁terrific- ▁metal- ▁crop- ▁regardless- ▁Operating- ▁edge- ▁initiated- ▁disposal- ▁responsibility- ▁served- ▁ultimate- ▁predictable- ▁mill- ▁extending- ▁promote- ▁cadence- ▁wave- ▁San- ▁navigate- ▁explained- ▁raised- ▁notable- ib- ▁definition- ▁receivables- ▁Paul- ▁broaden- ▁Ra- ▁Service- ▁offered- ger- ▁format- ▁print- ▁sports- ▁index- ▁uniquely- ▁assurance- ▁behalf- ▁ma- ▁tests- ▁bo- ▁lenders- ▁Joe- ▁upfront- ap- ities- ▁grade- ▁entertainment- ▁manager- ▁square- ▁Part- ▁secondly- ▁beneficial- ▁hedging- ▁bridge- fin- ▁Further- ▁rebound- ▁broadcast- ▁collections- ▁advancing- ▁warehouse- ▁innovate- ▁rents- ▁professionals- ▁essential- ▁joined- ▁sophisticated- ix- ny- ▁indeed- ▁worldwide- ▁women- ▁request- ▁goods- ▁Di- ▁thoughtful- ▁carrier- ▁bond- ▁Brian- ▁inform- ▁anticipating- ▁pain- ▁funded- ▁satisfied- ▁court- ▁Am- ▁runway- ▁uncertain- ▁convenience- ▁minimize- ▁guarantees- ▁consistency- ▁secondary- ▁agenda- ▁compression- ▁indicate- driven- ▁continuation- lin- ▁Car- '8'- ▁link- ▁facts- ▁geography- ▁recognizing- ▁Southern- ▁refresh- ▁prefer- ▁meetings- ▁announcements- ▁wrap- ster- ▁strengths- ▁preliminary- ▁Northern- ▁fruit- ▁lastly- ▁realizing- ▁anyone- ▁affecting- ▁Like- ▁Systems- ify- down- ▁efficacy- ▁eliminate- ▁pending- ▁occurring- fe- ▁Through- ▁Factors- ▁boost- ▁screen- ▁telling- ▁gaming- ▁modern- ▁firms- ▁excitement- ▁30%- ▁beverage- ▁electronic- ▁preparation- ▁Each- month- ▁allowance- ▁pushed- ▁equation- ▁listen- ▁Additional- ▁constraints- ▁conjunction- ▁severe- ▁characteristics- ▁Mar- ▁London- ▁somewhere- ak- ▁credits- ▁identifying- ▁earning- ▁watching- ▁EBIT- ▁translation- ▁signal- ▁agent- ▁favor- SA- ▁Tim- ▁collect- ▁15%- ▁picking- '7'- ▁analyze- ▁optimal- ▁advisers- ▁hopeful- ▁clarify- ▁diligently- ▁obvious- ▁alignment- ▁individuals- ▁anywhere- ▁noise- ▁evident- ▁renewals- ▁staffing- wide- ▁agreed- ▁optimism- ▁constitute- ▁reputation- ack- ▁permanent- ▁party- ium- ▁requirement- ▁acceptance- ▁fluctuations- ▁attack- ▁reverse- ▁slowing- ▁distributed- ▁contracted- ▁hire- ▁contains- ▁World- ▁1%- ▁sellers- ▁onetime- ▁waste- ▁enormous- ▁6%- ▁Does- ▁controls- ▁affordable- ▁signing- 4,- ▁define- ▁uses- ▁principles- generation- ▁aftermarket- ▁calculation- ▁complicated- ▁families- ▁trucks- ▁word- ▁branded- ▁comfort- ▁drugs- ▁disclose- ▁Plan- ▁represented- ▁background- ▁19- ▁competitiveness- ▁rely- king- ▁transparent- ▁Growth- ▁Matt- ▁alone- rate- AR- ▁stabilized- ▁currencies- ▁instance- ▁equally- ▁Street- ▁patent- RA- ▁exceeding- ▁nor- ▁feet- ▁variability- ▁benchmark- ▁unlock- ▁cable- ▁virtually- ▁Rob- ▁task- ▁accomplishments- ▁17- ▁assumes- ▁consolidate- ▁appetite- ▁relation- ▁refine- pro- ▁shorter- ▁maximizing- ▁philosophy- ▁situations- ▁harvest- ▁unknown- ▁fulfill- ▁reset- work- ▁shut- ▁qualified- ified- ▁Center- ▁Board- ▁smooth- ▁simplify- use- ▁satellite- ight- ▁midpoint- ▁shifts- ▁guarantee- ▁buyer- ▁decades- ▁openings- ped- ▁gained- les- ▁linked- ▁deck- ▁internationally- ▁former- ▁mixed- ▁corresponding- hand- ER- ▁renewed- ▁Sha- qui- ▁cards- ft- ▁Ad- J- ▁familiar- ▁green- ▁destination- ▁reconciliations- ▁OpEx- ▁complementary- ▁tech- ▁interim- ▁custom- ric- ▁Te- ▁renewable- ▁Korea- ▁classes- ▁Would- ▁upgrades- ▁allocate- ▁owner- ▁structured- ▁pickup- ▁gradually- ▁exploring- den- ▁passed- ▁fortunate- ▁releases- ▁Ta- ▁OEM- ▁proceed- ▁booking- ▁closure- ▁addressed- ▁prevent- ▁pure- ▁recruiting- ▁method- margin- ▁burn- ▁prospective- ▁horizon- ▁addressable- ▁prime- ▁Mr- ▁contractual- ▁audit- ▁Digital- ▁reliance- ▁bidding- ▁inherent- ▁IR- ▁reaction- ▁representing- ▁Fed- ▁entity- ▁tangible- ▁Basin- ▁appreciation- ▁24- ▁personally- ten- ▁obligations- ▁Kevin- side- ▁bio- ▁Here- ▁Ho- ▁awarded- ▁staying- ▁200- ▁disclaim- ▁burden- ▁stabilization- ▁liquid- ▁straight- ▁macroeconomic- ▁progression- 2,- dy- ▁pipe- ▁none- ▁copy- ▁Risk- ▁picked- ▁franchisees- ▁guided- ▁neutral- ▁3-- tle- ▁supports- ▁inflection- ▁forecasting- ▁counter- ▁ch- ▁cold- ▁Net- ▁surface- ner- ▁softer- ▁notes- ▁partnering- ▁experts- ▁measurement- que- ▁television- ▁environments- ▁student- ▁reasonably- ea- ▁afford- ▁funnel- ▁Comp- ▁priced- ▁mechanism- ▁OEMs- ▁timely- ▁career- cel- ▁booked- ay- ▁advisory- ▁session- ▁accepted- ▁sentiment- ▁constructive- ▁sensitive- ▁choices- ▁proceeding- ible- ▁catalyst- ▁hot- ▁proactively- ▁downward- ▁adjacent- MA- ▁Pe- ▁converting- ▁Sp- ▁amazing- ee- ▁Trans- ▁auction- '9'- ▁reinvest- ▁express- ▁testament- ▁Clearly- ▁sp- ▁earned- ▁firmly- ▁language- if- ▁incorporate- ▁Secondly- ▁survey- ▁Russia- ▁lock- ▁accordingly- ▁bright- ▁8%- ▁Op- ▁grid- ▁arise- ▁subscribers- ▁Market- 3,- ▁2014- ▁diligence- ▁referred- ▁operated- ▁25- cent- ▁electronics- ▁Within- ▁onto- ▁budgets- ▁diagnostic- added- ▁reps- ▁II- IC- ▁proposal- ▁wider- ▁financially- ▁therapeutic- ▁healthcare- ▁rights- ▁trending- ▁hurricanes- ▁lowering- ▁royalty- ▁barrels- ▁terminal- ▁consequence- forward- offs- ▁Data- ▁weight- ase- ▁Ne- ▁supportive- ▁shifted- ▁math- ▁acknowledge- ▁Reform- ▁virtual- ▁school- ▁indicative- ▁totally- ▁returned- ▁premiums- ▁buyback- ▁pointed- ▁Eastern- ▁marked- ▁FY- gi- ▁n- led- ▁frac- ▁web- ▁fronts- ▁achievement- level- ▁cyclical- ▁monetize- ▁Pa- ▁engines- ▁applicable- ▁understood- ably- ▁interact- ▁cutting- ology- ▁attempt- ▁registration- ▁treated- ▁AR- ▁sight- ▁flavor- ▁steadily- ▁greatly- '4.'- ▁anticipation- ▁developers- ▁properly- Z- ▁Ha- ▁accept- ▁standing- ld- ▁committee- ▁shelf- ▁concentrated- ▁capturing- ▁recycling- ▁additions- ▁lay- ▁State- low- ▁storm- ▁designs- ▁Was- ▁kick- ▁commissions- ▁memory- ▁Lastly- ▁stick- ▁serious- ▁noncash- ▁REIT- ▁40%- wa- ▁entities- ▁urban- ▁Po- ▁programming- ▁implications- du- ▁visible- ▁refining- ▁composition- ▁clinic- ▁meant- board- ▁Work- ▁letter- ▁host- ▁swing- ▁answers- IN- ▁Pre- ▁nuclear- ▁resolved- ▁IoT- ▁bonds- ▁Na- '1.'- ▁announcing- ▁equivalent- ade- ification- mission- for- ▁1.- ▁Spain- fer- ▁Greg- ▁historic- ▁Ga- ▁wonder- ▁kept- ▁repositioning- ▁economies- ▁Italy- ▁transactional- ▁literally- ▁Tri- ▁hired- ▁layer- ▁Brexit- ▁pack- yn- ▁formula- Co- '6'- ▁certainty- ▁resilient- ▁discontinued- ▁turnover- ▁functional- ▁messaging- ory- ▁Investment- '0'- ▁import- ▁Sea- ▁artificial- ▁discovery- ▁sh- ▁authorities- ▁assure- ▁commodities- ▁prioritize- ever- ▁establishing- ▁tariff- CE- ▁traditionally- ▁adds- ▁losing- ▁territories- ▁yourself- ▁theme- ▁radio- ▁laser- ▁enterprises- ▁adopted- ▁employment- ▁pound- ▁pharmaceutical- ▁calling- ▁sorry- ▁indirect- ▁Excluding- ▁separation- ▁bullish- ▁evidenced- ▁redevelopment- ▁gathering- ▁tie- ▁strive- ▁Technology- ▁payroll- ▁'18,- ▁attracting- ▁Markets- av- ▁foot- ▁Washington- ▁slowed- ▁quicker- ▁reflective- ▁predominantly- ▁row- ▁micro- ▁technological- ▁amongst- ▁Conference- ▁parent- ▁sc- grade- ▁responding- ▁differential- ▁decent- ▁disclosures- IS- ▁Department- ▁attrition- ▁pause- ▁membership- ons- ▁fits- ▁persist- ▁Litigation- ▁assumed- ▁notably- ▁cells- ins- ▁absorb- ▁materialize- ▁personalized- ▁regulated- ▁outperform- ▁cautionary- ▁handful- ▁wants- ▁Carolina- ▁closures- ▁ranges- ▁Under- ▁seamless- ▁poor- ▁naturally- ned- ▁7%- ▁adequate- ▁scheme- ▁ease- ▁highlighting- ▁sizable- ▁General- ▁arrangements- ▁chosen- ▁lever- ▁meantime- ▁carried- ▁hitting- ▁referenced- ▁database- ▁Mer- ▁j- ▁spin- ▁Corporate- ▁balancing- scale- ▁payout- ▁broadband- ▁swap- ▁vote- ▁Water- vent- ▁characterize- ▁issuance- ▁Bar- ▁military- ▁Furthermore- ▁AI- ▁receivable- ▁Enterprise- ▁controlling- ▁endpoint- da- light- ▁intellectual- ▁alluded- ▁streamline- ▁carbon- ▁compound- ▁knowing- ▁machines- ▁reinforce- ▁sizes- ▁prospect- ▁conducted- ▁Year- ▁transforming- vis- win- ▁Should- ▁rep- ship- ▁definitive- ▁migrate- ▁differentiator- ▁United- ▁Cha- ▁capitalized- ▁lumpy- ps- amp- ▁transport- ▁absorption- ▁semiconductor- ▁originations- ▁Don- gra- value- ▁audio- ▁contracting- ▁tender- ▁adopt- ▁install- und- ▁handling- ▁euro- ▁overseas- ▁realistic- ▁pulling- ▁'15- ▁LNG- ▁People- ▁overcome- ▁Total- ▁deployments- ▁shipment- ▁principal- ▁convinced- ▁El- ▁scalable- ▁Ken- ▁sooner- ▁Hong- ▁learnings- '2.'- ▁bump- selling- ▁AS- ▁intensity- ists- ▁Medical- ▁Go- ▁merchant- ▁manufacturer- ▁copper- ▁takeaway- ▁disappointed- ▁Kong- der- ▁judgment- ism- ▁carrying- ▁CA- xi- gan- ▁penetrate- ▁validation- ▁Network- ▁billing- ▁repayment- ▁played- ▁transitioning- ▁description- ▁maximum- ▁o- ▁output- ▁automated- ▁remove- ▁imp- ▁'17.- service- ▁image- ▁methodology- ▁household- ▁conduct- ▁ho- ▁Cor- ▁ratings- ▁Chicago- ▁contractors- ▁tire- ▁Media- ▁presenting- ▁spite- ▁licenses- ▁territory- ▁Argentina- ▁Start- top- ▁route- ator- ▁Performance- ▁CFO- tor- ▁principally- ▁amendment- ▁apparel- ▁elsewhere- ▁foreseeable- ▁listed- ▁speaks- ▁observed- ▁code- lay- ▁undu- ▁Information- ▁men- ▁port- single- ▁aerospace- ▁successes- ▁scaling- 'ON'- ▁cohort- ▁recap- ▁tri- ▁three- ▁approaches- ▁quote- ▁pharma- ▁throughput- ▁ordering- ▁smartphone- ▁correctly- ▁ran- ▁governance- ▁Cloud- ▁sharp- ▁sensitivity- ▁therapies- ▁fluid- ency- ▁Delaware- ▁Google- ▁Why- ▁resolve- ▁minor- ▁introductions- ▁narrow- lan- ▁hurricane- cor- ▁Hurricane- ▁borrowing- than- ai- ▁lifetime- ▁Ru- ▁inflationary- ▁covering- ▁applying- ▁disruptive- ▁electricity- ▁profitably- ▁basin- ▁beat- ka- ▁noticed- ▁intense- ▁emerge- ▁subscriber- ▁investigation- ▁Vice- ▁scientific- ▁feels- field- ▁Southeast- ▁whom- ▁constrained- ach- ▁farm- ound- ▁delighted- ▁demands- TA- oo- tics- ▁pulled- ▁German- ▁leg- ▁packages- ▁sa- har- ▁threat- ▁chemical- ▁incur- ▁body- ▁downstream- ▁schedules- ▁slowly- ▁forma- ▁causing- ▁submission- ▁cat- ▁5-- ▁downside- ▁Number- fo- focused- ▁refinance- ▁panel- ries- ▁recruit- ley- ▁expenditure- bu- EN- aw- AN- ▁Everyone- ▁ba- ▁gradual- ▁enhancement- ▁tail- ▁favorably- ▁forecasts- ▁sponsor- ▁approaching- ▁Due- ill- ▁considerably- ▁forecasted- ▁jurisdictions- MS- ▁scenarios- ▁RE- AS- site- ▁securing- ▁Per- state- ▁domain- ▁unfortunately- ▁exceptionally- ▁stake- ▁proof- ▁warm- ▁deeply- ▁utilized- ▁Class- ▁mobility- ▁blend- ▁charter- ▁protocol- ▁tumor- ▁shipped- ▁listeners- ▁Lu- ▁billings- ▁bundle- ▁Northeast- ▁explanation- ▁remarkable- ick- van- ▁reviewed- ▁tap- ▁ore- ▁finalized- erto- ▁merchants- ▁accommodate- ▁doubled- ▁Mon- ▁vessel- ▁mindful- ▁operationally- ▁niche- ▁prepayment- ▁allocated- ▁appendix- ene- ▁sum- mark- ▁Ag- ▁hedges- ▁Every- ▁passion- ▁art- ▁commented- ▁trusted- ▁myself- ▁SaaS- ler- qua- ▁broker- ▁animal- ▁System- ▁valuations- ▁redeploy- ious- ▁Y- ▁passenger- ▁Key- ▁renovation- ▁workers- ▁Project- ▁ample- ▁battery- ▁monetization- ▁Company- ▁luxury- ▁progresses- ▁peer- ▁weekend- ▁attributes- ▁strike- ▁normalize- ▁upstream- ▁Ed- ▁exhibit- ▁threshold- ▁north- ▁obtain- ▁Gra- ▁combining- ▁diesel- ▁duty- ▁Gas- ▁lab- sell- ▁converted- ▁pharmacy- ▁Star- ▁touched- wood- oc- ▁Ac- ▁enthusiasm- ▁Ri- ▁payable- ▁conventional- ▁remodel- ▁Your- ▁subsidiaries- ▁surrounding- ▁decreases- ▁attributed- ▁leaving- ▁parallel- ▁Specifically- ▁She- ▁forms- ▁Bio- ivity- ▁bonus- ▁AM- ▁dive- ▁incident- ▁movie- like- ▁fulfillment- ▁ca- ▁graph- ▁exists- ▁chose- ▁sometime- ▁ambition- sized- ear- ▁conscious- au- 5%- ▁Col- ▁remote- ▁fastest- ▁strides- ▁consultants- ▁pet- ▁Black- ▁Park- ▁relief- ▁recoveries- air- ▁trigger- ▁rare- ▁Pi- ▁tons- holder- ▁tested- ▁interface- ▁executives- ▁Ti- ▁enthusiastic- ▁preserve- ▁Rico- ▁Customer- ▁engagements- ▁Beyond- ▁Corporation- ▁dozen- ▁airport- '3.'- ▁missed- ▁pump- ▁resilience- ▁variance- ▁simultaneously- ▁retaining- ▁street- ▁pretax- ▁holidays- ▁Consistent- ▁Gu- ▁reviews- ▁underground- ▁send- ▁lifestyle- ▁submitted- ▁factories- ▁Ch- ▁elect- ▁collaborative- ▁supplies- ▁whilst- ▁par- ▁informed- ▁separately- ▁lateral- ▁density- ▁acute- ▁discounts- ▁calculated- ▁accounted- ▁controlled- ▁Easter- ▁breakdown- ▁assessing- ▁topics- ▁educate- ▁bankers- ▁placement- ▁completions- ▁Their- ▁listing- ▁extract- ▁agile- ▁anyway- ▁rigorous- ▁Things- ▁Peter- ▁subsidiary- ▁proper- ▁ships- ▁digit- ▁predictions- ▁wanting- ▁young- ▁consolidating- ▁acceptable- ▁Su- ▁Insurance- ▁optionality- pay- ▁fell- ▁shortage- ▁skill- ▁Analyst- ▁EMEA- ▁Two- ▁phases- ath- ▁negotiation- ▁recording- ▁discrete- ▁termination- ▁airline- making- ▁impression- ▁loyal- ▁accountability- ▁tier- ek- ▁Jo- val- ▁urgency- ators- ▁aimed- ▁moments- ▁throw- rg- ▁marks- ▁CO- we- ▁basket- ▁crisis- let- ▁70- ▁wood- ▁Certainly- ▁resonate- ▁tougher- pt- ▁tightening- ▁Will- ▁Real- ▁distinct- ane- ▁pleasure- ▁validate- ▁document- ▁arrangement- ▁mis- nce- ▁advice- ▁weigh- ▁forces- ▁impressed- ▁medicine- ▁interaction- rm- ▁proxy- ▁80%- ▁CP- ▁tables- ▁surgical- ▁producer- ome- ▁r- ▁precise- ▁Wa- ▁Medicaid- ▁Vegas- ▁identity- ▁9%- ▁Mac- ▁Ka- ▁district- ▁JV- ▁viewed- ▁discretionary- ▁rich- ▁accident- ▁ID- ▁outperformance- ▁connecting- ▁apart- right- ▁disposition- run- ral- ▁spoken- ery- ▁spec- ▁failure- ▁pathway- ▁frequently- ▁expansions- ▁blue- ▁100%- ▁Ni- ▁protein- ▁array- ▁unfold- ▁rebuild- ▁exposed- ax- par- ▁doctors- ▁drilled- all- ▁everywhere- ▁inclusion- ▁worry- ▁8-- ▁Ju- ▁skilled- ▁popular- ▁retained- ▁alliance- ▁unexpected- uc- ▁tighter- ▁Eagle- ▁corporation- ▁upgrading- ▁flight- ▁Va- ▁Call- ▁Du- ▁80- ▁preference- ▁deliberate- ▁High- ▁60%- ▁improves- ▁settle- ▁31- ▁roles- ▁pivot- ▁pa- ▁Christmas- ▁white- ▁Alberta- ▁gr- ▁Food- ▁campus- ▁empower- ▁reposition- ▁novel- ▁inspection- NA- ▁Ve- ▁leased- ▁precision- effective- ▁stockholders- ▁Australian- ▁influenced- ▁Asian- ▁film- ▁contemplated- ▁Jersey- ▁absence- ▁reinvestment- LA- ▁certification- ▁negotiating- ▁perception- ▁twice- ▁derivative- ▁underscore- centric- ▁guiding- ▁Specialty- ▁Hi- ▁integrity- ▁nonrecurring- ▁stretch- ▁replaced- ▁ingredients- ▁ROI- ▁defend- ▁negotiate- ▁satisfy- ▁commit- ▁airlines- ▁resume- ▁Green- ▁receipt- ▁pillars- ▁proposals- ker- ▁regularly- ▁dilution- ▁replacing- ▁ball- ▁instruments- ▁manufacture- ▁comparative- ▁pipelines- ▁confirmed- ▁fun- ▁ladies- ▁substitute- ▁Apple- ▁younger- ▁advances- ▁collateral- ▁fifth- ▁Las- ▁red- ▁climate- ▁disappointing- ▁responses- ina- ▁PC- EX- ▁optimized- ▁visits- ▁engineers- ▁tank- ▁stands- ▁blocks- mar- ▁op- ▁nation- ▁Japanese- ▁determination- ▁Fourth- ▁mineral- ▁franchises- ▁imply- ▁authorization- ▁finalize- ▁script- ▁thrilled- ▁undertaking- sale- ▁motor- ▁rationalization- ▁Nu- ▁leveraged- ▁Dr- ▁hurt- ▁midstream- ES- ▁whose- growing- ▁falling- ▁unable- ▁comparing- ▁outline- ▁Inter- ▁honest- mail- ▁heat- ▁Look- ▁thereby- ▁secular- ▁States- ▁cl- ▁turns- ST- ▁Construction- ▁reading- ▁audiences- ▁Connect- outs- ▁beauty- ▁intelligent- ▁velocity- ▁conversions- ▁specialized- ▁container- ▁invite- ▁Red- ▁wages- ▁rec- ▁Smart- ▁brokers- ville- ▁tra- performance- ▁2-- ▁blood- ▁reorganization- ▁master- ▁deem- ctor- ▁unlikely- ▁Customers- ▁workflow- ▁exiting- ▁anniversary- ▁inorganic- ▁diluted- ▁AD- ▁payer- ▁Sun- ▁submit- ▁Quarter- ▁whereas- ▁recovered- ose- ▁periodic- ▁French- ware- ▁corner- ▁cultural- ▁preclinical- ▁surgery- ▁surgeons- ▁interactions- ▁Security- ▁anchor- ▁concentrate- ▁diseases- ▁flowing- ug- ▁imports- ▁Annual- ▁Ge- ▁reward- ▁deleveraging- ▁trained- ulation- ey- ▁Midwest- ▁relevance- ▁Boston- ▁baseline- ise- TE- ▁incorporated- ▁concepts- ▁qu- ▁linear- ▁bolster- adjusted- chi- ▁excludes- ▁overlap- ▁extreme- ▁breakeven- ▁headquarters- ▁discounting- ▁valued- ▁attribute- cy- AP- ▁miss- ▁adult- ▁vital- ▁Doug- ▁hub- ▁DC- ▁wherever- ▁pockets- ▁agility- ▁12%- ▁construct- ▁Building- ▁prudently- ▁Com- ▁revolving- ▁Rock- ▁stations- ▁outsourcing- ▁intangible- ▁reservoir- ▁alongside- iti- tting- ▁Auto- OR- ▁responded- ang- ▁stabilizing- ▁noncore- ▁protecting- ▁distributions- ▁methods- ▁Gen- ▁evening- ▁m- ▁concrete- ▁geo- ▁rock- ▁representative- ▁pad- PA- core- ▁immune- ▁Blue- ▁Fin- ▁academic- ▁multifamily- ▁Mobile- ▁ideal- ▁practical- ▁Congress- ▁rewards- ock- ▁anti- ▁computing- ▁Cost- ▁procedure- ▁mandate- ▁midst- ud- ▁Results- ▁casino- ▁reversal- ▁accretion- ▁Ford- ▁serves- ▁Frank- ▁man- ▁revolver- ▁referral- ▁IPO- ▁annualized- ▁convenient- ▁doors- ▁storms- ▁willingness- ▁deterioration- ▁Che- ▁parameters- ▁Very- ▁presentations- ▁scores- ▁records- ▁ARPU- ▁Singapore- ▁Turkey- ▁wallet- ▁formation- ▁grant- ▁contractor- ▁Man- ▁uplift- ▁whenever- risk- ▁suggested- ake- OS- tech- ▁Ce- ▁responsive- ▁bankruptcy- ▁viable- ame- ▁marine- ▁visual- ▁MA- ▁contingent- AM- ▁deepen- ▁recession- ▁flu- ▁restore- ▁download- hy- ▁Cap- ▁divestiture- ▁Federal- ▁apartment- ▁reduces- ▁purely- ▁negotiated- ▁nimble- ▁suspect- ▁Har- hold- ▁distribute- ▁fight- ▁Brazilian- ▁covenants- ▁Colorado- ▁augment- ▁solely- ▁publication- ▁gear- ▁missing- ▁outdoor- ▁sides- ▁hires- ▁Ki- ana- ▁foresee- ▁renew- ▁adviser- US- ▁timeline- ▁k- ray- ▁extensions- ▁modernization- ▁enjoyed- ▁Certain- ▁cuts- ▁maturities- ▁qualify- ▁writing- ▁premier- ▁possibilities- ▁Valley- ▁Virginia- ▁ventures- ▁marginal- ki- ▁demographic- ▁partial- ▁Banking- ▁convertible- ▁brokerage- ▁presents- ▁experiment- EL- ▁restrictions- ual- ▁difficulty- ▁retire- ▁accuracy- ▁analyzing- ▁camera- ▁lighting- ▁station- ▁capitalizing- ▁zone- ▁disruptions- ▁aluminum- ▁expire- ▁unprecedented- ▁sensor- ▁relentless- ▁glad- ▁occurs- ▁pillar- ▁title- ▁powder- ▁tomorrow- ▁spike- ▁lesser- ▁miles- ▁ending- ▁bag- ▁predictive- ▁undertaken- era- ▁scrap- well- ▁guidelines- tim- ▁formulation- ▁beta- ▁borrowers- ▁Gary- growth- TI- ▁eliminating- ▁poised- ▁resort- ▁captured- ▁anymore- CA- ox- ▁Hawaii- ▁likelihood- ▁simplification- tain- nder- ▁gift- wi- ▁correlation- ▁qualification- ▁redesign- ▁directors- ▁EU- standing- ▁bucket- ▁gl- ▁aspiration- ▁recruitment- ev- IT- IP- ▁triple- ▁chunk- ▁focuses- ▁apps- ▁projection- ▁Wi- ▁streaming- ▁dial- ▁ne- ▁permit- ▁safely- ▁Colombia- ▁redemption- ▁snow- ▁apparent- ▁pursuit- ▁Pat- ▁correction- ▁deflation- ▁refined- press- ▁consent- ▁root- ▁iron- ▁exports- ▁startup- ▁buybacks- ▁war- ▁trans- ▁club- ▁references- ▁unified- ▁involves- ▁Program- ▁Poland- ▁rooms- ▁collective- ▁tick- ▁healthier- cer- ▁Jon- ▁hour- ▁Demand- ▁foremost- ▁sustaining- ▁forget- form- DA- ▁seemed- ▁noting- ▁pit- ▁candidate- ▁employ- ▁outpace- ▁upgraded- ▁employers- ▁replicate- ▁realignment- ▁permitting- ▁Asset- ▁connections- ▁ramped- ▁Th- IA- alone- ▁Office- ▁Healthcare- mic- ▁headed- ▁variables- ▁names- ▁Similar- efficient- ▁Earlier- ▁Ontario- ▁underperforming- ▁restricted- ▁geographically- ▁ads- '20'- ▁bids- ▁Rick- ▁Strong- ▁doubling- ▁saving- ▁norm- ford- ▁Core- ▁plastic- ▁cargo- ▁hospitality- ▁Eric- ▁hoped- ▁Friday- ▁exited- ▁mutual- ▁proving- ▁worried- ▁granted- ▁trip- ▁contrast- ▁70%- ▁motion- ▁analyst- ▁11%- ▁Marketing- ▁Brad- ▁dates- ble- ▁Whether- ▁Jack- uring- ▁passing- ▁hundred- ▁Partners- ▁illustrate- ▁messages- ▁treating- iz- ▁1995- ▁Credit- ▁treasury- ▁tissue- ▁motivated- ▁borrowings- ▁mechanisms- ▁excluded- ▁Technologies- ▁additive- ▁glass- ▁pilots- ▁oncology- ▁lap- ▁rational- ▁spaces- ▁expiration- ▁forefront- ▁90%- ▁affiliate- cap- ▁official- ▁institution- cept- ▁refund- bl- ▁wall- stage- ▁style- kin- ▁stat- ▁aside- ▁imaging- ▁IFRS- ▁progressed- ▁tens- ▁grows- ▁diversifying- ▁segmentation- ▁regulator- ▁revision- ▁subs- ▁fl- ▁modules- ancy- ▁wire- ▁electrical- ▁em- ▁geographical- ▁coffee- ▁default- ▁placing- ▁Up- ▁domestically- ▁boxes- ▁logic- ▁park- ▁broadening- ▁fluctuate- ▁billion- plus- ▁Da- ▁mines- ▁Dallas- ▁consensus- ▁fragmented- ▁generator- ▁flagship- ▁ERP- ▁evolved- ▁Executive- ▁hike- ▁permits- ▁foundational- ▁Control- ▁smarter- ▁recovering- ▁AB- ▁choosing- ▁Fund- ▁rain- ▁rationale- ▁temp- ▁Throughout- ▁seller- ▁indicates- ▁Sweden- ▁judge- ▁builds- ▁switching- ▁Pennsylvania- ▁demonstration- ▁struggling- ▁Development- ▁Note- ▁grades- ▁Together- ▁conviction- ▁click- ▁intake- ▁headline- ▁thorough- ▁selectively- ▁reaffirm- ▁Finance- ▁limits- ▁clearance- ▁municipal- ▁venue- ▁children- ▁assistance- ▁cautiously- lon- ▁removed- ▁evaluated- ▁Has- ▁stories- ▁honestly- ▁Open- ▁decreasing- ▁heightened- ▁attendance- ▁themes- ▁broken- ju- ▁Inc- ▁incrementally- ▁hu- car- ▁lumber- ▁dropped- ▁rank- ▁Remember- ▁tactical- ▁County- pac- ▁fleets- ▁downtime- ▁cur- ▁Brands- ▁worst- ▁locally- rd- ▁GE- ▁begins- met- ▁trouble- ▁farmers- ▁Did- ▁log- ▁Product- ▁filling- ▁caught- ▁unsecured- comp- ▁Han- ▁gather- ▁sensors- ff- ▁seriously- ▁sample- ▁preferences- ▁dispositions- ▁gate- room- ▁arm- ▁tailwind- ▁considerations- ▁unmet- fu- ▁Syn- ▁seat- ▁Chairman- ▁affordability- ▁economically- ▁pronounced- ▁telecom- ▁music- ▁schools- ▁tower- ▁Big- ▁Cal- ▁Ohio- ▁statistics- ▁uptake- point- late- ▁disclaimer- ▁chronic- ▁nobody- '%'- ▁Access- ▁debate- ▁Ver- oriented- ▁quantity- ▁refinery- ▁Rich- CI- ▁River- ▁factored- ▁traded- nic- ▁commerce- ▁prescription- ▁exclusively- ▁severity- ▁muted- ▁shutdown- ▁initiate- ▁terminals- af- ▁perfectly- ▁diminish- ▁routine- turn- ▁da- ica- ▁Unfortunately- cal- yl- ▁departments- ▁mechanical- ▁mistake- ▁shrink- ▁chains- ▁surprising- power- ▁ambitious- ▁sweet- ▁lens- ▁fo- ▁ro- ▁pop- ▁probability- ▁slate- ▁Walmart- ▁nutrition- ▁appliance- ▁mild- ▁intervention- ▁Harvey- ▁mindset- ▁accessories- ▁Accordingly- ▁needle- ▁similarly- ▁filled- ▁Microsoft- ▁dispute- ▁Safety- ▁Oil- ▁instrument- ▁branding- ▁disrupt- ▁communicating- ▁simplified- ▁grocery- ional- ▁lowered- sum- ▁Across- ▁pivotal- ▁Higher- ▁formats- ▁strict- ▁Public- ▁compensate- ▁calculate- ▁mall- ▁Meeting- ▁spirit- 2%- ▁greenfield- ▁classified- ▁CD- ▁sea- ▁everyday- ▁suggests- ▁bus- ▁NIM- ▁grateful- q- long- ▁studio- je- gate- ▁gaps- ▁signals- ▁residents- ▁gene- bra- ▁mile- water- ▁Facebook- ▁residual- ▁bolt- ▁crews- ▁eliminated- ▁ten- VA- ▁requiring- ▁Jason- ▁Lake- '10'- ▁payback- ▁Pay- ▁server- ▁oral- ▁Gross- ▁ROE- ▁bode- ▁floating- ▁enroll- ▁union- ▁allocating- ▁barriers- ▁conducting- ▁Tele- gy- ison- 1%- ▁FI- ▁Marine- ▁limitations- ▁proved- AT- ▁boat- ▁cluster- ▁House- ▁stepping- ▁breaking- ▁mortgages- han- ▁Dis- ▁Illinois- ▁merit- ▁commence- ▁embrace- ▁Card- ▁warrant- ▁Bay- ▁restart- ▁widely- ▁screening- ▁generates- ▁star- ▁immuno- ▁flip- ▁customized- ▁Si- ▁commenced- men- ▁commissioning- ▁surplus- ▁Bri- ew- ▁logical- ▁shops- ▁baked- ▁inefficiencies- ▁Andrew- ▁minority- ▁span- ▁mail- owned- ▁25%- ▁employed- ▁cool- ▁medicines- MI- ▁Reconciliation- ▁impossible- ▁teleconference- ▁Express- rated- ▁aging- ▁commercially- ▁demographics- ▁fields- ▁unlike- ▁surge- part- ▁bearing- ▁distinguish- ep- ▁la- ▁developer- ▁Direct- ▁aviation- ▁Vo- ▁techniques- ▁outflows- ▁locked- ▁holistic- ▁idle- ▁premise- ▁Materials- ▁adversely- ero- ▁named- ▁autonomous- ▁friction- ▁coupon- fusion- ▁Cash- ▁ATM- ▁adopting- ▁mu- ▁finalizing- ▁refocus- ▁ancillary- ▁incumbent- ▁Brand- ▁impactful- ▁titles- ▁derived- ▁divestitures- ▁publish- stone- ▁overnight- star- ▁simplifying- ▁installations- ▁imperative- ▁Hill- ▁rein- ▁characterized- ▁employer- ▁Uni- ▁eyes- ▁translated- ▁Web- ▁tenure- ▁lifting- ▁gen- ▁Indonesia- ▁manifest- ▁multiples- ▁sent- ▁divest- ▁regain- ▁promoting- ▁flex- ▁border- ▁centralized- can- ko- ▁onboard- ▁delever- ▁pulp- ▁ruling- ▁strip- ▁Tax- ▁royalties- ▁transcript- ▁AC- ▁Atlantic- ▁defer- type- ▁Ja- ▁aligning- ▁emissions- ▁expression- ▁Point- ▁App- ▁expert- ▁principle- ita- ▁kids- ▁intact- ▁unusually- app- ▁text- ▁George- ▁filter- ▁comprised- ▁concessions- ▁diligent- ▁comply- ▁south- ▁Plus- ▁predictability- positioned- ▁cheaper- ▁struggle- ▁demanding- ▁logo- ▁prescribe- ▁shortages- ▁mentioning- ▁friends- ▁Science- ▁revolution- ▁wellness- '-1'- ▁clearer- ▁British- ▁accrual- ▁cement- ▁bias- ▁placements- ▁forced- ▁modernize- ▁casual- ▁Keep- ▁chemicals- ▁stepped- ▁Broad- ▁Phoenix- ▁Zealand- ▁dominant- ▁Along- ▁lighter- '50'- ▁Senior- ▁Wealth- ▁Court- ▁transitions- ▁directed- ▁enhances- ▁matching- ▁weekly- 3%- ▁fueled- ▁routes- ▁appointment- ▁collaborate- ▁speculate- SE- ▁Tech- ▁centered- force- ▁Ber- ▁progressive- ▁PR- ▁CE- ▁Electric- ▁Richard- ▁Norway- ham- pho- ▁elected- ▁21- ▁genetic- ▁Reg- old- OP- ▁settled- EC- ▁predicted- ▁agricultural- ▁modify- ▁crew- ura- premise- ja- ▁Transportation- ▁erosion- ▁resonating- ▁relied- ▁Gold- free- ution- ▁crucial- ▁opposite- ▁streamlining- ▁optical- spec- ▁divestment- ▁consume- ▁quota- ▁Mid- ▁Chemical- ▁millennial- ▁isolation- ▁Flex- ▁authority- ▁transformative- ▁passionate- ▁stayed- ▁disaster- ▁shortfall- print- ▁answered- ▁Ron- ▁nursing- ▁1,000- ▁race- ▁Tony- ▁instances- ▁implies- ▁Republic- ▁trades- ▁accessible- ▁precisely- location- ▁Several- ▁equities- ▁loaded- ▁hosting- ▁elevate- ▁ra- ▁annuity- ▁elimination- ▁landlord- ▁teach- ▁dining- ▁IC- ya- ▁renewables- ▁consist- ▁score- ▁tightly- ▁neighborhood- ▁argue- ▁craft- ▁licensed- dding- ▁TA- wear- ▁temporarily- ID- ▁affects- ▁attracted- ▁drawing- ▁PD- ▁accurately- ▁interpret- ▁Atlanta- ▁Lower- ▁envision- ▁attached- ▁illustrates- ▁Personal- ▁ordinary- ▁rough- ▁Earnings- ▁eligible- ▁minus- ▁patience- ▁requests- ▁externally- ua- ▁exposures- ▁newest- ▁Tra- ▁wondered- ▁transact- ▁albeit- ▁differentiating- ▁perpetual- ▁Gene- ▁arena- ▁compares- ▁accompanying- ▁Cy- iff- ▁annually- za- lease- ▁activation- ▁exploit- ▁reception- ▁omnichannel- ▁translates- ▁warranty- ▁restructure- ▁cautioned- ▁mills- ▁Time- ▁sponsors- ▁Navy- ▁premature- ▁revisit- ▁detection- cycle- ▁hole- ▁competencies- ▁integral- ▁VA- ▁overwhelming- ▁town- ▁projecting- ▁300- cho- cus- ▁Netherlands- ▁article- ▁corn- ▁Hu- 8%- ▁hydro- ▁charging- ▁shaping- ▁activate- ▁holds- cha- specific- ▁finishing- ▁eager- ▁implant- ▁unrealized- ▁13%- ▁Fair- ▁hence- ▁supposed- ria- ▁cheap- ▁observations- ▁Series- ▁du- ▁computer- ▁populations- ▁fr- ▁propositions- ▁securitization- ▁GP- product- ▁Oklahoma- ibility- play- ▁dig- ▁phasing- vision- ▁collectively- ▁subscriptions- ▁skin- ▁province- ▁nationwide- ▁zones- ▁networking- ▁metals- ▁Resources- ▁winner- ▁Andy- ▁namely- ▁Foods- ▁softening- ▁chase- ▁rebuilding- ▁Free- ze- ▁War- ▁character- 6%- ▁Pri- ▁Automotive- ▁depressed- ▁privilege- ▁statistical- ▁boot- ▁seamlessly- ▁inflows- ▁Electronic- ▁catastrophe- ▁appreciated- ▁hyper- ▁bi- uff- ▁detect- ▁outages- ▁Arizona- ▁durable- ▁mitigated- ▁Live- ▁printing- ▁renovations- nci- ▁alter- teens- ▁Alex- ▁repay- bit- ▁RevPAR- ▁assembly- ▁difficulties- facing- ▁Trust- ▁dual- ▁basins- ▁yielding- ▁competitively- ▁Super- ening- ▁argument- ▁Though- ▁hang- ▁lender- ▁injection- ▁compensated- ▁airplane- ▁fraud- ▁society- ▁Light- ▁formed- ▁Platform- ▁crack- ▁brick- ▁treatments- ▁analytical- ▁metro- ▁fans- ▁King- ▁fabric- ▁Sand- ▁reinvesting- ▁Michigan- ▁14%- ▁Spring- ▁semi- ago- ▁transitioned- ▁Indian- ▁th- ▁bandwidth- ▁tip- ▁rid- ▁fruition- how- ▁applies- ▁delta- ular- ▁Out- ▁Island- ▁simpler- ▁inherently- ▁qualitative- ▁manual- ▁PE- ▁Way- ▁500- ▁band- 7%- ▁determining- ▁grain- ▁conclusions- ▁contributors- ▁variation- ▁leisure- ▁repricing- ▁amended- ▁12-- ▁blended- ▁PA- weight- ▁'20- ▁wise- ▁Report- ▁Los- ▁occasions- ▁inhibitor- ▁SA- ▁paint- ▁sudden- ▁Toronto- ▁indicating- ▁queue- ▁unemployment- ▁horizontal- head- source- ▁CMS- wise- ▁automate- ▁innovating- ▁stopped- ▁digest- tel- ▁observe- ▁transformed- ▁aid- ik- ▁Mu- ▁endeavor- ▁transferred- ▁tuck- ▁Marc- ▁chip- ▁suit- ▁Defense- ▁excuse- ▁Mill- ▁outlet- ▁Jay- ▁desired- ▁digitally- cular- ▁pride- ▁hurdle- add- ▁laying- ▁addresses- ▁onboarding- ▁harm- ▁buffer- ▁configuration- ▁Nor- ▁Line- ▁headlines- istic- ▁overly- ▁clarification- ▁outage- ▁rationalize- ky- ▁letting- ▁patents- ▁Craig- ▁Target- ▁convey- ▁Val- ▁Robert- ▁ski- verse- ▁revisions- TS- ▁Nevertheless- ▁silver- ▁Land- ▁advised- ▁analog- ▁Store- ▁pumping- ▁inject- ▁Property- ▁circuit- ▁showcase- ▁Ultimately- ▁engineered- ▁valid- ▁severance- ▁Micro- ▁roof- ▁DNA- ▁energized- ▁Sam- ▁trailing- ▁SKUs- ▁liquids- ▁iconic- ▁Midland- ▁lineup- ▁suggesting- ▁inquiries- ▁intensive- ▁sake- ▁personalization- ▁tailored- ▁manageable- ▁obtained- ▁outperformed- ▁capitalization- ▁concluding- ▁builders- ▁containers- ▁footwear- ▁trucking- serv- ▁tighten- ▁restrict- ▁Seattle- ▁Supply- ▁Sky- ▁demo- ▁samples- ▁heads- ▁honor- ▁holders- ▁repairs- ▁recapture- ▁bench- ories- ▁buckets- ▁lessons- ▁tenders- ▁modified- ▁vacation- ▁steep- ▁sport- ▁celebrate- ▁prepaid- ▁vacancy- ▁bounce- ▁pan- lia- MO- ▁parks- ▁era- ▁Ko- ▁Natural- ▁achievable- ▁drink- ▁scheduling- ▁inclusive- ▁subsequently- ▁eat- ▁protected- ▁portal- ▁lo- ▁gearing- ▁recommendations- ▁Her- ▁Margin- ▁black- ▁capacities- ▁mitigation- ▁taste- ▁Ben- ▁granular- ▁Association- ▁Research- ▁emergency- ▁phenomenon- ▁pleasant- ▁neuro- ▁fab- SP- ▁advancement- LI- ▁Long- ▁Northwest- ▁comparability- ▁contraction- ▁Actually- ▁chat- ▁awful- ▁pertain- ▁lie- ▁individually- cast- ▁frequent- ▁thrive- ▁lumpiness- ▁authorized- ▁Bu- ▁algorithms- ▁concession- ▁tailwinds- ▁avenues- ▁taxable- ▁Process- ▁medication- ▁resiliency- ▁quiet- ▁fraction- ▁walking- ▁participated- tribut- ▁AG- ▁cumulative- ▁validated- ▁submarket- ▁shorten- ▁opt- 9%- ▁thereafter- ▁relying- ▁Firstly- ▁consumables- ▁reseller- ▁Phil- ▁parcel- stock- ▁pie- ▁aiming- ▁heavier- ▁maturing- ▁measuring- ▁prototype- ▁issuing- ▁Todd- ▁EM- ▁ride- ▁organized- ▁reap- ▁representatives- ▁Louisiana- ▁survival- ▁concert- ▁plate- ▁threats- ▁dip- ▁discover- ▁towers- ▁interruption- ▁deduction- TO- ▁registered- ▁module- tier- ▁ES- ▁keen- ▁Nick- ▁NOI- ▁Avi- ▁whereby- ▁acting- ▁designing- maker- ▁sugar- ▁trough- ▁derisk- ▁relocation- ▁structurally- LE- ▁lies- ▁manufactured- ▁Without- ▁inbound- ▁breakthrough- mod- ▁suited- ▁Tru- ▁surprises- ▁involving- ▁salary- ▁significance- ▁Early- ▁Wood- ▁clinicians- ▁weakening- ▁mini- ▁trick- ▁viewing- RO- ah- answer- ▁outlets- ▁Columbia- ▁Mexican- ▁declare- ▁ounces- ▁removing- ▁phones- ▁advise- ility- pic- j- ▁hurdles- ▁England- ▁silicon- ▁Jan- performing- ▁loading- ▁hosted- ▁23- ▁convention- ▁limiting- ▁cyber- ▁ought- ▁Monday- ▁liver- ▁African- ▁somehow- row- ▁answering- ▁arrive- ▁Lab- edge- ▁covenant- ▁CB- ▁notwithstanding- ▁dictate- ▁bold- ▁kit- ▁slip- building- ▁lend- ▁justify- ▁dosing- ▁assured- ▁36- ▁seats- book- ▁underpin- ▁Welcome- ▁feasibility- ▁mitigating- ▁Thus- ▁jet- ▁Union- ▁contemplate- ▁Ya- ▁OP- bank- ▁clinically- ▁Liberty- ▁cushion- ▁gauge- ▁Take- ▁clearing- ▁James- ▁CRM- ▁Chi- ▁RO- ▁consequences- ▁Operator- ▁chapter- ▁chasing- ▁legislative- ▁remediation- ▁relaunch- ▁phenomenal- ▁documentation- ▁streamlined- ▁labs- lect- expected- ▁reinforces- priced- ▁credibility- ▁furniture- ▁Account- ▁pleasing- ▁collected- view- ▁programmatic- ▁refi- ▁flying- ▁advancements- ▁parking- ▁Missouri- ▁dairy- ▁layers- ▁CI- itation- ▁appealing- demand- ▁CS- ▁sharpen- ▁styles- ▁Club- ▁Future- ▁Minnesota- ▁molecular- ▁scratch- ▁tonnage- ▁Martin- ▁requested- ▁passive- stream- ▁recommend- ▁cooperation- ▁deficit- ▁heritage- ▁roadmap- ▁statutory- ▁Chile- ▁pumps- ▁bills- tec- ▁educational- ▁restructured- ▁rural- ▁automatically- ▁readiness- ▁fish- ▁attend- ▁plug- price- ▁occasion- ▁Cu- ▁billions- responsibilities- ▁compliant- ▁salespeople- ▁dilutive- ▁strictly- ▁solidify- hu- ▁pads- ▁underwrite- ▁mirror- ▁opioid- ▁foster- ▁17%- ▁commercialize- via- ▁Non- ▁University- ▁compromise- ▁Ocean- ▁undergoing- ▁straightforward- ▁Taking- ▁deleverage- ▁Port- ▁SP- ye- ▁unlocking- UR- fold- ▁Switch- ▁catalog- ▁universe- ▁Sports- ▁Price- ▁articulated- ▁owning- ugh- ▁relations- ▁Historically- ▁Ryan- ▁journal- ▁mortality- ▁neither- ▁yard- ▁Production- ▁classic- ▁Safe- ▁Angeles- ▁Saudi- ▁proximity- ▁scalability- ▁turbine- ▁variations- ▁entrants- ▁Win- ▁arms- ino- ▁agriculture- ▁chemistry- ▁multinational- ▁voluntary- ▁Sometimes- ▁speculation- ▁DS- ▁Pan- channel- ▁NAV- ▁geopolitical- ▁rush- ▁solving- mortar- ▁shoot- ▁shot- ▁calculations- ▁16%- ▁22- ▁suffered- plan- ▁AP- ▁nominal- ▁stimulate- ▁distraction- ▁persistent- ▁migrating- ▁quantitative- ▁thermal- ▁18%- oid- ▁transitional- ef- place- ▁specialists- ney- ▁interconnect- atory- ▁accomplishment- ▁Education- ▁describing- ▁salaries- ▁squeeze- ▁flattish- iding- EM- ▁EP- ▁Innovation- ▁Irma- ▁dealership- ▁representation- ▁normalization- ▁collecting- ▁removal- ▁shock- ▁enforcement- ▁suffer- ▁outsized- ▁MS- ▁heating- ▁Far- brand- ▁meat- ▁Premier- ▁incorporating- ▁CM- ▁Shop- ▁Stock- ▁four- az- ▁Generally- gar- ▁Government- ▁Kansas- ▁distance- ▁edit- ▁fat- lim- box- ▁publishing- ▁FFO- ▁Harbor- ▁Software- ▁Southwest- ▁slot- ▁Ab- ▁Moreover- bri- ▁approached- ▁absorbed- ▁advertise- reduction- ▁CC- ▁Olympic- ▁college- ▁Division- ▁noninterest- ▁obtaining- ▁widening- ▁robotics- ▁upsell- only- ▁ambitions- ▁landing- ▁Committee- ▁FERC- ▁omni- ji- ▁meal- ▁attain- ▁gasoline- ▁moderated- ▁enrolled- ▁unmatched- ▁snack- ▁Beach- ▁modifications- ▁technically- ▁Advanced- ▁Switzerland- ▁mega- ▁hubs- ▁Infrastructure- ▁tobacco- ▁tweak- ▁films- ▁independently- ▁Ke- matic- ▁offline- ▁TR- ▁interactive- ▁commenting- ▁shoppers- fill- new- range- ▁DA- ▁outperforming- ▁GDP- ▁composite- ▁warrants- ▁gateway- ▁consultation- ▁critically- ▁deepening- Point- ▁Hospital- ▁batteries- ▁diabetes- ▁milk- ▁preserving- ▁reinvent- ▁farms- ▁consists- ▁Denver- ▁underpinned- ▁observation- ▁attraction- ▁Med- ▁HR- ▁ME- ▁crystal- ▁Labor- ▁dropping- ▁alert- ▁liquidation- tz- ▁kicked- ▁explicit- ▁ultra- ▁molecule- ▁assay- ▁bundled- train- ▁recommendation- ▁teens- ▁Carl- ▁workplace- ▁EV- ari- ▁enjoying- ▁crush- ▁spacing- ▁malls- ▁prescriptions- ▁Bur- ▁renewing- ▁400- ▁Value- fully- ▁Russian- ▁examine- ▁prolonged- ▁truth- ▁standalone- ▁till- RP- ▁instrumental- ▁Alaska- ▁prominent- ▁semester- ▁flash- ▁jewelry- ▁Currently- ▁reconcile- ▁deferral- ▁dislocation- ▁Communications- ▁Post- ona- CH- ▁withdraw- ▁goodwill- ▁Grand- ▁theaters- ▁provisioning- ▁originated- ▁nearing- ▁approve- ▁associate- ▁insurers- ▁sun- ▁Equipment- ▁Meanwhile- ▁Professional- ▁kitchen- ▁Boeing- ▁panels- ▁belt- body- ▁White- ▁isolated- ▁AL- ▁fan- ▁smoothly- ▁midterm- ▁molecules- ▁Georgia- ▁Taiwan- ▁durability- ▁prioritizing- ▁Aerospace- ▁deserve- ▁rose- ▁Intel- ▁distinctive- ▁error- media- ▁confidential- ▁predicting- ▁regime- FA- ▁Volume- ▁complain- ▁tackle- ▁customary- Link- ▁suffering- ▁mandates- ▁eventual- ▁advisor- ▁intermediate- ▁congratulate- ▁continuity- ▁moderation- ▁instant- ▁End- ▁ASP- ▁GM- ▁notion- ▁le- ▁Sim- ▁NO- ▁frozen- ▁shippers- ▁interpretation- ▁fear- ▁Box- ▁Trade- ▁fueling- cut- ▁Mountain- ▁translating- ▁equipped- ▁mainstream- life- ▁lung- ▁modular- ▁stem- ▁ST- ▁reservation- ▁Fresh- ▁footage- ▁AT- ▁cancellations- ▁seasoned- contract- Star- ▁reopen- ▁shall- ▁Ireland- NS- ▁Similarly- ▁sharply- ▁suppose- ▁Greater- ▁authentic- ▁transit- ▁civil- ▁expedite- ▁noteworthy- ▁Director- ▁factoring- ▁intrinsic- ▁association- ▁technician- ▁Except- ▁directionally- ▁shrinking- ▁photo- ▁embracing- ▁readily- ▁outset- ▁visiting- ▁RV- ctive- sensitive- ▁symptom- list- ▁Nordic- ▁Euro- ▁pair- season- ▁Bruce- ▁meter- ▁succession- ▁drawn- ▁rewarding- ▁measurable- ▁Contract- ▁leak- ▁acres- ▁Compare- ▁entirety- oma- ▁innings- ▁flood- ▁fe- ▁Probably- ▁Multi- ▁valve- ▁Adam- ▁digitalization- ▁dimension- ▁consult- ▁surgeon- ▁cleaning- ▁conflict- ▁prompt- ▁unpredictable- ▁dispose- ▁spare- ▁CLO- ▁playbook- ▁28- ▁affiliates- ▁evenly- ▁SE- ▁merge- ▁muscle- ▁interior- ▁cleaner- ▁budgeting- ▁temperatures- ▁coincide- ▁defining- ▁quantities- ▁forever- ▁reside- ▁ingredient- ▁actionable- ▁rewarded- ▁Everything- ▁essence- ▁extraordinarily- ▁radar- ▁Statements- ▁Hotel- ▁command- ▁Motor- ▁chips- ▁fitness- ▁guy- ▁float- ▁Charles- ▁Distribution- ▁NGL- ▁Perhaps- ▁decisive- ▁uniform- ▁overhang- rchitectural- zz- ▁petrochemical- ▁beef- ▁constructed- Fi- aries- ▁certified- ▁escalation- ▁rebalancing- ▁surpass- ▁Pricing- ▁confusion- ▁subset- ▁confirmation- ▁sir- ▁adapting- ▁adequately- ▁dimensions- pping- ▁fail- ▁delight- ▁Massachusetts- ▁STACK- ▁tactics- ▁infection- ▁invoice- ▁mask- ▁coach- ▁Radi- ▁specialist- ▁constraint- ▁deceleration- ▁devaluation- figuring- ▁methodical- ▁promised- ▁reinforced- ▁Really- ▁LP- ▁printer- ▁Instead- ▁LIBOR- ▁Strategic- ▁continuum- ▁Roger- ▁Adjust- pped- berg- ▁attach- ▁varying- ▁defensive- ▁signature- ▁Small- ▁desktop- ▁shoe- ▁RFP- ▁Back- ▁Bra- ▁RF- ▁Support- ▁absent- ▁dental- ▁wheel- ▁meters- ▁API- RT- ▁honored- ▁Beginning- ▁Larry- ▁reinforcing- ▁renegotiate- ▁fabrication- ▁publishers- ash- ▁jurisdiction- ▁circ- ▁object- ▁column- ▁injury- ▁lapping- ▁posting- ▁noticeable- ▁prop- ▁OR- mine- ▁NP- ▁realign- ▁counting- ▁Shanghai- ▁pioneer- ▁sluggish- ▁unprofitable- ▁Delta- ▁oversight- ▁Wall- TV- depth- ▁entitled- ▁secret- ▁universal- ▁Advantage- ▁pursued- ▁comm- erial- ▁Caribbean- ▁Venezuela- ▁draft- ▁identification- ▁pediatric- ▁northern- ▁crane- ▁casualty- ▁trailer- ▁laboratory- ▁regimen- ▁VI- ▁Bakken- ▁Pipeline- ▁continent- ▁profound- ▁occurrence- ▁Advisory- ▁hedged- ▁doctor- ▁coating- ▁FA- ▁cancellation- ▁Standard- ▁revaluation- ▁vaccine- pack- ▁OE- ▁divide- ▁Client- ▁Operations- ▁apologize- ▁beautiful- ▁steam- ▁wafer- ▁patch- ▁shake- corp- ▁handset- ▁SAP- ▁Clear- ▁affirm- ▁knock- ▁sleep- ▁telephone- ▁transient- ▁Fuel- ▁incurring- ▁Book- ▁limitation- ▁yen- ▁outreach- ▁refineries- Net- ▁involvement- ▁accrued- ▁spine- gene- ▁coast- ▁Thailand- ▁steer- ▁Patrick- ▁specified- ▁releasing- scrip- tail- tune- ▁circle- ▁Er- ▁attractiveness- ▁MR- front- ▁analyzed- ▁climb- ▁newspaper- ▁Agency- ▁concurrent- ▁wearable- ▁native- ▁progressively- ▁tanker- gel- DR- ▁fluctuation- ▁banners- ▁chicken- ▁Italian- ▁Brent- ▁tonnes- ▁reveal- ▁highway- ▁TI- ▁Mc- ▁Pen- changing- ▁Horizon- ▁varies- ▁assignment- ▁consequently- ▁marginally- ▁graphic- ▁correlated- FI- ▁Corp- ▁partnered- ▁fly- ▁borrower- ▁Logistics- ▁Organic- ▁southern- ▁freedom- ▁Bridge- ▁oriented- ▁officially- ▁Prime- ▁relocate- ▁algorithm- ▁Important- volume- ▁Analytics- ▁battle- ▁deciding- ▁destocking- ▁Glen- ▁quoting- ▁distinction- mont- cycl- ▁derive- ▁thousand- ote- ▁MO- ▁wine- ▁appraisal- ▁motivation- ▁expressly- ▁reversed- ▁Equity- ▁breast- ▁stood- ▁sought- funded- ▁compute- ▁rebates- ▁Max- family- NE- ▁Belgium- ▁nurse- ▁stroke- ▁stringent- ▁golf- ▁comprise- ▁geared- ▁theater- ▁deteriorate- ▁enacted- ▁sensible- ▁sixth- ▁fixing- ▁tailor- ▁contingency- ▁shale- ▁displace- ▁railcar- ▁guaranteed- ▁investigators- ▁recycle- ▁PRO- ▁biotech- ▁Orlando- ▁Tuesday- ▁Wisconsin- ▁vibrant- ▁makers- nova- jo- ▁systemic- pha- ▁Diamond- ▁Operational- ▁desirable- ▁recipe- ▁Par- ▁refinement- ▁Sprint- mount- ▁BP- ▁robotic- cell- ▁habits- ▁unlimited- ▁Omni- ▁summarized- ▁Fee- ▁beds- ▁Cup- ▁promoted- current- ▁Antonio- ▁integrator- ▁suburban- ▁conform- ▁strain- step- ▁Clar- flat- ▁safer- ▁barrier- yield- ▁reinvested- ▁library- ▁sanction- ▁vintage- ▁retrofit- ▁feedstock- ▁Still- ▁CRE- ▁Master- ▁fold- ▁failed- ▁tourist- ▁leaner- ▁Best- ▁Malaysia- ▁Premium- ▁Stephen- ▁Garden- ▁Combined- round- ▁discovered- ▁intensely- bar- ▁visitors- ▁reallocate- ▁fighting- ▁Prior- ▁Keith- ▁nationally- buy- vol- ▁Design- ▁diagnose- ▁railroad- ▁convergence- ▁entrepreneurial- ▁Unit- ▁ban- serve- ▁routing- ▁ranging- ▁hunt- ▁Estate- ▁tuned- ▁sticking- disproportionate- ▁Connected- ▁reactor- ▁citizen- ▁Nothing- ▁standardized- ▁accumulated- ▁Diego- ▁attitude- ▁propane- ▁26- build- ▁augmented- ▁lien- ▁Nevada- ▁Vietnam- ▁bonuses- ▁deliberately- ough- ▁overhaul- saving- ▁furnish- ▁Continental- ▁appointed- ▁benign- ▁bottle- ▁gallon- ▁reiterating- ▁PI- ▁gu- ▁borrow- rk- ▁originate- ▁monetizing- ▁resistance- ▁underneath- ▁onshore- ▁deadline- ▁behave- ▁favorite- ▁oversee- ▁CT- ▁confirming- ▁repeating- ▁embark- ▁pin- ▁catching- ▁Test- ▁permission- ▁tremendously- ▁Dar- haul- ▁explaining- ▁behavioral- 'NO'- ▁discounted- ▁Consequently- ▁Randy- ▁cannibalization- ▁choppy- ▁departure- ▁minimizing- ▁Absolutely- ▁19%- ▁27- ▁TAM- ▁assisted- ▁outsourced- ▁Paris- ▁reconciled- ▁Meta- built- consumer- ▁random- ▁2013- user- ▁Hard- ▁friendly- ▁sticky- ▁divested- ▁consumed- ▁CR- LO- ▁imported- ▁cannabis- ▁sequencing- ▁Anything- ▁Three- ▁dress- ▁mono- ▁Mag- ▁perceived- ▁ideally- ▁existed- ▁ranking- ▁accountable- bridge- ▁approximate- ▁robot- ▁Special- ▁Philippines- ▁graduate- ▁harness- ▁navigation- ▁striving- ▁wildfire- ▁outflow- ▁Recently- ▁witnessed- ▁mutually- ▁Add- ▁midyear- week- ▁Among- ▁sensing- put- ▁warning- ▁consumable- ▁handled- ▁Community- ▁duties- ▁educating- ▁entertain- ▁grab- ▁granularity- ▁suitable- ▁abate- ▁suddenly- ▁EC- cin- ▁Ray- ▁Farm- ▁cast- ▁dampen- ▁genuine- ▁surcharge- ▁enrich- ▁Shell- rick- dale- gress- ▁RP- ▁Ten- ▁scar- sourcing- ▁lately- ▁Para- ▁convince- ▁flatten- town- ▁urge- ▁cognizant- ▁paradigm- ▁sequence- ▁underserved- ▁distort- ▁Large- ▁About- ▁embarked- ▁reserved- PL- ▁aided- ▁Packaging- ▁biomarker- ▁pacing- ▁Team- ▁Interest- ▁prevention- ▁homeowners- ▁immaterial- ▁postpone- ▁Main- ▁archived- ▁downtown- ▁temperature- ▁MI- ▁govern- ▁Ever- ▁Cable- ▁Manhattan- ▁Trump- ▁delinquency- ▁easiest- ▁university- ▁unanticipated- ▁finger- ▁Reserve- ▁sustainably- ▁vertically- ▁keenly- ▁Shi- ▁survive- ▁classification- ▁assembled- ▁visited- ▁flooding- ▁Hub- ▁Fortunately- ▁concentrating- ▁navigating- ▁Income- ▁grand- ▁propel- ▁Sean- ▁narrowing- ▁selecting- ▁participant- ▁Matthew- ▁conservatism- ▁simulation- ▁whatsoever- ▁Travel- ▁Show- ▁outpatient- patient- ▁Area- ▁competency- ▁precious- ▁satisfactory- ▁swift- ▁synergistic- ▁east- ▁Provid- ▁sending- ▁RA- ▁consultant- ella- ▁antibiotic- ▁coordination- ▁disclosing- ▁reorganize- ▁universities- ▁unparalleled- band- ▁containment- burg- ▁Five- ▁TE- ▁BI- ▁Hopefully- ▁afraid- ▁bundling- ▁creativity- ▁innovator- ▁telco- ▁Deliver- ▁Tu- ▁friend- ▁bone- ▁Head- ▁enduring- ▁Choice- ▁drought- ▁commencement- ▁groundwork- ▁Road- ▁PS- ▁converge- ▁Marcellus- ▁Swiss- ▁commensurate- ▁kidney- ▁reshape- ▁Metro- ▁Outside- ▁Royal- tax- ▁incoming- ▁Mortgage- ▁advocate- ▁garner- ▁moderating- ▁lawsuit- ▁Top- ▁SKU- ara- ▁Ci- ▁formally- ▁emphasizing- ▁presumably- ▁urgent- ▁brew- ▁headroom- ▁Sur- ▁thin- ▁catering- ▁checking- ▁RB- ▁corridor- ▁verification- ▁Wholesale- ▁Shift- ▁disorder- ▁Vision- ▁besides- ▁campuses- ▁ring- ▁walked- ▁systematic- ▁president- ▁Kentucky- ▁arrival- ▁automobile- ▁diner- ▁sufficiently- ▁emerged- ▁awaiting- ▁Poly- ▁replenish- ▁odd- ▁ONE- ▁carries- ▁Manager- ▁ER- ▁embraced- ▁wo- ▁Adjuste- ▁'14- ▁Egypt- ▁simplicity- ▁tackling- ▁Full- ▁breakout- ▁attended- ▁fallen- face- ▁tension- ▁Sub- ▁die- ▁revitaliz- ▁Alliance- ▁Beauty- ▁incorrect- ▁penetrating- ▁creep- ▁Square- ▁batch- ▁revert- ▁Order- ▁ice- ▁accompany- ▁35- ▁administer- ▁backbone- ▁soybean- ▁Assuming- ▁renovate- ▁DRAM- ▁bound- ▁death- ▁Fortune- ada- ▁Dow- ▁Pharmaceutical- ▁Simply- ▁impaired- ▁Disney- ▁cellular- ▁wireline- ▁Rail- ▁Step- ▁intentionally- sys- ▁prosper- ▁stance- ▁45- branded- owner- ▁processors- ▁Austin- ▁incentivize- ▁proppant- ▁unplanned- ▁widespread- ▁initiation- ▁genomic- ▁Regulation- ▁Marketplace- ▁loose- ▁insured- ▁barrel- ▁Manage- ▁runoff- ▁Medicine- ▁Until- ▁tranche- ▁transplant- ▁bullet- ▁Paper- iness- ▁terminated- ▁NE- ▁Commerce- ▁Patient- ▁actuarial- ▁privacy- ▁Protection- ▁Payment- ▁realities- ▁Society- ▁Spanish- ▁Tennessee- ▁collaborating- ▁breach- ▁dark- ▁wake- ▁arising- ▁analytic- ▁weakest- ▁prevailing- ▁directional- elect- ▁SI- ▁extensively- ▁curtail- ▁Vancouver- ▁diagnosis- ▁diamond- ▁fertilizer- ▁prevalent- ▁inception- ▁zero- ▁lane- ▁Barry- ▁Play- ▁Later- ▁outsource- ▁advantageous- ▁AV- ▁register- bearing- ▁Industries- ▁suspension- ▁Arabia- ▁abnormal- ▁exhaust- ▁unwind- ▁toxic- ▁10,000- ▁WA- ▁z- fil- ▁Rather- ▁intuitive- ▁AUM- ▁Bi- ▁footing- ▁squarely- ▁AN- ▁hesitate- ▁possess- ▁unclear- ▁attachment- ▁rider- '30'- ▁skewed- ridge- ▁recommended- omic- ▁modification- ▁rigor- born- ▁child- ▁crowd- ▁Hydro- ▁contemplating- ▁ethanol- ▁nuance- ▁vacant- ▁Drive- ▁warmer- ▁bra- ▁Clean- ▁Smith- ▁encompass- ▁Recall- ▁vector- ▁combat- ▁sponsorship- ▁markdown- ▁boom- ▁angle- ▁pent- ▁featured- count- ▁seismic- ▁emergence- ▁divisional- ▁distressed- ▁kicking- ▁reacting- uck- ▁illustrated- ▁Focus- ▁Miami- ▁envelope- ▁inevitable- ▁vigilant- ▁Success- ▁Change- ▁municipalities- ▁Finland- ▁blow- ▁hydrogen- ▁Centr- ▁recycled- ▁PO- ▁assessed- ▁bodies- ▁institute- ▁pursuan- ▁flag- ▁Yet- ▁coastal- ▁disrupted- ▁29- ▁repeated- ▁enabler- link- ▁unfortunate- worth- ▁Benefit- ▁Family- ▁initiating- ▁SME- ▁hey- ▁rebalance- ▁resin- ▁repeatedly- ▁Dakota- ▁disadvantage- ▁nickel- ▁referencing- ▁Quest- ▁presidential- ▁comfortably- ▁Roche- ▁coin- meter- ▁foundry- ▁entrepreneur- ▁Jonathan- ▁Journal- ▁Typically- ▁abroad- ▁entitlement- ▁alarm- ▁Aviation- ▁fed- ▁Buy- ▁Kar- shop- ▁correspond- ▁jointly- ▁Place- ▁cylinders- ▁faith- ▁redeem- ▁Print- ▁committing- ▁digitization- ▁installment- ▁totality- ▁thoughtfully- ▁triggered- friendly- ▁Residential- ▁Which- ▁crazy- ▁seventh- ▁subsidies- ▁teammates- ▁Essential- ▁unveil- ▁versa- ▁deductible- ▁lagging- ▁Lead- ▁POS- ▁Longer- ▁Fred- ▁Alan- ▁Del- ▁CF- ▁cooling- ▁shopper- ▁vest- ▁Discovery- ▁reassess- ▁reliably- ▁undertook- ▁Creek- ▁antenna- ▁peso- ▁Bryan- ▁tourism- ▁magic- ▁Cyber- ▁tree- ▁halfway- ▁Denmark- ▁candidly- ▁sneak- ▁silo- ▁haul- ▁tendency- ▁prohibited- ▁encountered- ▁localized- ▁Field- ▁contrary- ▁exclusivity- ▁extrapolate- 3,000- ▁smallest- ▁posture- ▁establishment- ▁cure- ▁matched- ▁organize- ▁Industry- ▁NIKE- ▁alleviate- ▁reluctant- ▁steadfast- ▁restoration- ▁Local- ▁hair- ▁complexities- ▁Indiana- ▁MSR- ▁seize- ▁arrived- ▁Online- ▁Medi- umab- ette- ▁intensify- ▁culminat- ▁penalty- ▁scientists- ▁Steel- ounce- ▁deepwater- ▁Ship- ▁permitted- ▁Loan- One- ▁1.5- ▁amplify- ▁electrification- ▁umbrella- ▁wild- ▁stuck- ▁admit- ▁absorbing- ▁Solar- ▁satisfying- ▁instruct- ▁Utilities- ▁roaming- ▁uncover- ▁Louis- ▁desk- ▁Sears- ▁installing- ▁lessen- ▁tightened- generating- ▁RM- ▁CAR- ▁MD- ▁compounded- ▁FL- ▁Domestic- ▁housekeeping- ▁radical- ▁leap- ▁camp- ▁GI- ▁accrue- ▁articulate- ▁LC- ▁struggled- under- ▁English- ▁counsel- ▁aesthetic- ▁Human- ▁gig- position- ▁frontline- ▁Authority- ▁William- ▁mechanics- ▁sampling- ▁sterling- ▁Living- ▁Regional- ▁wound- ▁Josh- ▁excel- ▁Initial- ▁abilities- ▁Pass- more- ▁witness- ▁moderately- ▁Coming- ▁DM- ▁Recent- ▁Silver- ▁Starbucks- ▁Whilst- ▁responsibly- ▁sacrifice- ▁abandon- ▁captive- ▁Chuck- ▁cornerstone- ▁Audi- office- ▁Penn- ▁permanently- critical- ▁NAND- ▁certificate- ▁consuming- ▁cubic- ▁pharmacies- ▁Alpha- ▁preview- ▁pub- ▁Vince- ▁x- ▁reprice- ▁Verizon- ▁ammonia- ▁introductory- ▁probable- ▁reliant- ▁subcontractor- ▁cited- ▁Being- ▁Cro- trip- ▁Wind- ▁Austria- ▁OLED- ▁Oregon- ▁revamp- ▁structuring- ▁yourselves- ▁grind- ▁multichannel- ▁ACA- ▁Simon- ▁drastic- ▁Engineering- ▁Israel- ▁cognitive- ▁ocean- ▁refurbishment- ▁renegotiation- ▁undervalued- ▁Cross- rich- '40'- ▁insert- ▁Partner- ▁critic- 5,000- ▁neighbor- ▁Dennis- ▁LED- ▁mandatory- ▁necessity- ▁peripheral- ▁provincial- ▁theoretical- ▁bleed- ▁hyperscale- ▁Dollar- ▁Environmental- ▁interval- ▁Events- ▁tightness- ▁machinery- ▁pitch- ▁broadest- leasing- ▁architect- ▁repurchasing- ▁subdued- ▁turnkey- ▁reject- ▁Edge- ▁ethic- ▁static- ▁customization- ▁engineer- ▁relentlessly- ▁backfill- ▁vesting- share- ▁logistical- '90'- ▁Count- enabled- ▁APAC- ▁COGS- ▁Norwegian- ▁Swedish- ▁bankruptcies- ▁lunch- ▁overarching- ▁sophistication- ▁tirelessly- ▁waiver- ▁breath- reclassification- ▁periodically- ▁modernizing- ▁Santa- ▁inspired- creation- ▁perceive- ▁DR- ▁scan- gram- ▁2021- ▁Institute- ▁Jerry- ▁Philadelphia- ▁rethink- ▁singular- ▁arbitration- ▁dense- ▁NR- ▁implication- ▁Virtu- ▁Holdings- ▁disposable- ▁earliest- ▁featuring- ▁repatriation- ▁veteran- ▁interchange- ▁wholly- ▁NDA- ▁dominated- ▁repeatable- ▁flattening- ▁Mary- ▁continual- ▁Notwithstanding- ▁Profit- ▁ceiling- ▁resolving- ▁unitholders- ▁afterwards- ▁replenishment- ▁headway- ▁Epic- ▁Van- ▁Foundation- ▁binding- ▁dispatch- ▁orientation- ▁anomaly- ▁kill- ▁Sunday- ▁echo- ▁onwards- ▁Peru- ▁governor- ▁logistic- ▁farmer- ▁Companies- ▁FedEx- ▁Relative- ▁rotation- ▁Fire- ▁redirect- ▁brain- ▁matches- ▁discern- ▁Clinical- ▁Generation- ▁NASDAQ- ▁Spirit- ▁elevating- ▁ethane- ▁ethylene- ▁intermodal- ▁microphone- ▁nonresidential- ▁oversupply- ▁unnecessary- ▁viability- ▁vice- ▁nonperforming- ▁assert- speed- ▁Understood- ▁abstract- ▁blind- ▁disappear- ▁garden- ▁march- ▁Unless- ▁controllable- ▁biometric- ▁Progressive- ▁loop- ▁Howard- ▁taper- ▁withstand- Tech- ▁Continued- ▁expiring- ▁imbalance- ▁substance- ▁virtue- ▁egg- ▁Cisco- ▁reimbursed- borne- ▁amortized- ▁coordinated- suit- trol- ▁narrowed- balance- ▁Channel- ▁Connecticut- ▁Increasing- ▁biosimilar- ▁surveillance- ▁untapped- ▁Tower- ▁cabinet- ▁curtailment- ▁compressed- ▁MP- ▁prediction- company- fuel- ▁Senate- ▁stockpile- ▁oftentimes- ▁Index- ▁underpinning- ▁HD- ▁DSO- ▁owe- ▁controller- ▁standardization- ▁Aero- dependent- agnostic- ▁None- ▁drift- ▁Ministry- ▁immense- ▁imminent- ▁Panama- ▁stemming- ▁specialties- ▁truckload- ▁Lee- ▁vet- ▁painful- ▁tune- ▁arguably- ▁ignore- ▁struck- ▁Terry- ▁orphan- ▁interview- ▁Visa- ▁favorability- home- ▁closest- plex- ▁placebo- ▁Quality- ▁Supreme- ▁aforementioned- ▁champion- ▁furnace- ▁obstacle- ▁quantum- ▁tempered- ▁disappointment- ▁Philip- ▁underwriters- ▁supermarket- ▁syndicated- ▁inspire- ▁Lloyd- ▁unwavering- ▁OTT- 4,000- ▁baby- ▁unrelated- sproportionately- eign- ▁lapse- ▁propose- ▁skew- ▁lump- ▁Pete- ▁Consulting- ▁Jennifer- ▁Thanksgiving- ▁Twitter- ▁cultivate- ▁deviation- ▁imposed- ▁narrative- ▁shelves- ▁supplied- ▁Army- ▁nerve- ▁rationalizing- ▁formulary- ▁accompanied- ▁MAC- ▁emission- ▁35%- prem- ▁cater- ▁reshaping- ▁injuries- ▁canceled- ▁solicitation- ▁Coach- ▁banner- ▁hourly- ▁Animal- ▁PayPal- ▁Wireless- ▁harsh- ▁varied- ▁2012- ▁Romania- ▁wrapped- ▁acquirer- ▁interconnection- aaS- ▁nearby- ▁gun- assi- ▁Charter- ▁District- ▁iPhone- ▁Android- ▁intimate- ▁adopters- ▁Law- ▁Join- ▁occupied- ▁BA- ▁subsea- ▁procure- ▁SEDAR- ▁calculating- ▁cardiac- ▁ceramic- ▁cruise- ▁Meaning- ▁offense- ▁biology- ▁mapping- ▁cord- ▁weaknesses- ▁intentional- ▁discretion- ▁inspiration- ▁Fluid- ▁Mississippi- ▁Presentation- ▁Silicon- ▁Ultra- ▁compromising- ▁disagree- ▁eBay- ▁inevitably- ▁inspiring- ▁observing- ▁optimum- ▁cycling- ▁vein- ▁reorder- ▁transferring- ▁decor- ▁height- ▁PURE- ▁Stuart- ▁ballpark- ▁nevertheless- ▁CN- ▁Hunt- ▁oilfield- ▁pocket- ▁surprisingly- ▁Maria- ▁Current- ▁Average- ▁Drilling- ▁bottleneck- ▁nervous- ▁potash- ▁speculative- ▁Kelly- ▁indices- ▁spill- ▁western- ▁Notably- ▁thoroughly- ▁Citi- ▁isolate- Stream- Source- ▁degradation- ▁fiduciary- ▁timber- ▁vegetable- ▁epi- ▁pose- ▁PPA- ▁Oak- ▁richer- ▁broke- ncreased- ▁Pandora- ▁collapse- ▁undoubtedly- ▁megawatts- emphasize- ▁Mainland- ▁intersection- ▁confused- ▁fitting- ▁excessive- ▁Make- school- high- ▁elasticity- ▁magazine- ▁striking- ▁Truck- ▁assigned- developed- ▁travelers- ▁Gar- ▁Precision- ▁Universal- ▁cardiovascular- ▁delinquencies- ▁emotional- ▁filtration- ▁predicated- ▁Dutch- ▁Correct- ▁checkpoint- ▁Factor- ▁Six- ▁tag- ▁Included- ▁cigarette- ▁confusing- ▁contingencies- ▁prescribing- ▁scrutiny- ▁suffice- ▁alloy- ▁systematically- ▁competence- ▁Rest- ▁correlate- ▁Pharma- ▁Engine- ▁credential- ▁exempt- ▁biological- ▁reevaluate- ▁scrubber- ▁wrote- ▁Think- crib- ▁Tier- ▁redefine- ▁exponential- ▁Charlotte- ▁Speak- ▁console- ▁credible- ▁influencing- ▁weakened- ▁Rewards- ▁Games- ▁2,000- ▁Stan- person- ▁tab- ▁Excellence- ▁denominator- ▁earthquake- ▁quartile- ▁reactivation- ▁respiratory- ▁automating- ▁dentist- ▁stickiness- ▁backwards- ▁Return- ▁pullback- ▁Fox- ▁passage- ▁prevail- cession- intensive- vir- ▁Basically- ▁Lincoln- ▁Marriott- ▁Nashville- ▁estimation- ▁summarizing- ▁smoke- ▁transitory- ▁Money- ▁email- ▁distracted- ▁Train- '80'- ▁circumstance- ▁advertiser- ▁tro- ▁Cooper- ▁Manufacturing- ▁Strategy- ▁cybersecurity- ▁devastating- ▁magnet- ▁multitude- ▁presume- ▁guard- ▁commend- ▁sync- ▁encounter- ▁enforce- ▁boutique- ▁contemporary- ▁gratitude- ▁wheat- ▁dream- ▁rebranding- ▁creator- ▁landfill- ▁buses- ▁suspended- ▁Quit- ▁rebate- ▁terminate- ▁List- ▁NAFTA- ▁Renewable- ▁Segment- ▁Transformation- ▁adjacencies- ▁companion- ▁consortium- ▁distributing- ▁repaid- ▁easing- ▁hallmark- ▁Indeed- ▁subsegment- ▁flush- ▁Deep- ▁NPL- ▁subside- ▁instrumentation- ▁portable- ▁render- ▁dead- ▁avenue- oncology- ▁Fleet- ▁quantified- ▁warehousing- ▁adherence- ▁75- ▁layout- ▁Frankly- View- ▁Applied- ▁Considering- ▁Thomas- ▁estimating- ▁lodging- ▁metropolitan- ▁monetary- ▁tunnel- ▁amenities- ▁drone- ▁Utica- ▁instructions- ▁tube- ▁Atlas- ▁stone- ▁Expense- ▁caregiver- ▁football- ▁gratifying- ▁preservation- ▁rebroadcast- ▁retrospective- ▁Airbus- ▁Heath- ▁Old- ▁Veri- trans- troph- ▁Flow- ▁Improvement- ▁Search- ▁Thursday- ▁Yesterday- ▁inconsistent- ▁stimulation- ▁uneven- ▁horsepower- ▁automatic- ▁scrapping- genic- ▁Carol- ▁Apart- ▁realigned- connect- dollar- ▁Anthem- ▁Intelligence- ▁Nigeria- ▁Tampa- ▁judicious- ▁leather- ▁pellet- ▁reimagin- ▁studied- ▁telematics- ▁Idaho- ▁tolerability- ▁Space- ▁Midstream- ▁WiFi- ▁Maryland- ▁Marty- ▁Whereas- ▁normalizing- Atlantic- ▁DIY- ▁Regardless- ▁asphalt- ▁pizza- ▁poultry- ▁propensity- ▁puzzle- ▁redundant- ▁verify- ▁zinc- ▁anxious- ▁immers- ▁reserving- ▁alpha- ▁investigate- ▁Front- ▁Station- ▁quo- ▁shy- ▁resident- abilities- ▁Almost- ▁Summit- ▁duplicate- ▁frustrating- ▁fundraising- ▁Quick- ▁phrase- ▁Iowa- ▁originating- ▁classroom- ▁validating- ▁wrapping- ▁Range- ▁hate- gged- investment- ▁Emerging- ▁Netflix- ▁juncture- ▁longevity- ▁ebb- ▁sidelines- ▁occasionally- ▁nut- ▁lining- ▁spur- ▁viewpoint- ▁Salt- ▁bike- ▁freeze- ▁Ku- world- ▁recur- invest- ▁Entertainment- ▁Portugal- ▁accommodation- ▁feasible- ▁negligible- ▁polymer- ▁preclude- ▁rumor- ▁Depot- ▁retro- ▁antibody- ▁Audience- ▁tractor- ▁salt- ▁auditors- ▁mold- ▁Upon- ▁MRO- business- mproving- ▁Device- ▁abundant- ▁nail- ▁IMAX- ▁settling- ▁chair- tenant- ▁2.0- mitted- ▁Nex- ▁customize- ▁Calgary- ▁ETF- ▁Sunrise- ▁beneficiary- ▁condensate- ▁distributable- ▁speech- ▁virus- ▁Jamie- ▁Fiber- ▁Everybody- ▁heels- ▁Talk- ▁Karen- ▁illustration- ▁recast- ▁acid- ▁Deb- ▁Za- generative- order- acute- border- ▁Arkansas- ▁brown- ▁subsidy- ▁synthetic- ▁Oracle- ▁Rental- ▁boundaries- ▁Daniel- ▁caveat- ▁Comcast- ▁Otherwise- ▁Select- ▁Cancer- ▁Near- ▁trail- craft- Mobile- first- recapitalization- ▁Journeys- ▁expansive- ▁rhythm- ▁spectacular- ▁Aaron- ▁Freight- ▁Airlines- ▁circulation- ▁Susan- ▁Portland- ▁missile- ▁headset- ▁lucky- known- ▁obligat- ▁Four- ▁Cleveland- ▁Czech- ▁constituent- ▁Utility- ▁fierce- ▁recoup- ▁policyholders- ▁Model- ▁restoring- ▁clip- ▁debit- ▁stopping- space- ▁Palm- ▁Active- ▁Discussion- ▁Hudson- ▁Hyatt- ▁Legacy- ▁affinity- ▁balloon- ▁eCommerce- ▁fracture- ▁discharge- ▁plot- ▁Johnson- ▁tailings- ▁conceptual- ▁supplementary- ▁hat- ▁According- trend- ▁Major- ▁accelerator- ▁relax- ▁welcoming- ▁BDC- ▁knee- ▁plateau- ▁compressor- break- ▁embed- ▁Columbus- ▁Learning- ▁Liquid- ▁acuity- ▁altogether- ▁ambulatory- ▁junior- ▁preceding- ▁substitution- ▁syndication- ▁Casino- ▁entail- ▁Julie- ▁constrain- ▁transmit- ground- ▁Engineered- ▁Integrated- ▁accumulation- ▁exclusion- ▁stagger- ▁substantive- ▁Studio- ▁Vehicle- ▁shipyard- ▁0.5- production- ▁Off- ▁categorize- income- ▁Civil- ▁Continuing- ▁blockchain- ▁breakfast- ▁laboratories- ▁refranchising- ▁sacrificing- ▁utmost- ▁cosmetic- ▁dashboard- ▁cease- ▁distill- 8,000- ▁Lending- ▁breed- ▁606- ▁Golden- ▁rightsizing- ▁CRO- currence- ▁Neil- ▁Luc- ▁subscribe- course- tronics- ▁Azure- ▁Equally- ▁Granite- ▁Sydney- ▁appreciative- ▁mentality- ▁solvency- ▁underwritten- ▁helicopter- ▁mattress- ▁mobilize- ▁mutation- ▁plain- ▁reoccur- ▁Empire- ▁identical- ▁methodologies- ▁ASCO- ▁Mining- ▁75%- label- ▁Samsung- ▁Noble- ▁coordinate- ▁luck- ▁Anthony- ▁Beijing- ▁Nielsen- ▁affairs- ▁commoditized- ▁inclined- ▁proliferation- ▁yellow- ▁receptive- ▁Content- ▁tying- ▁cinema- ▁precedent- metric- ▁foothold- ▁cope- itude- ▁detriment- ▁Tableau- ▁hesitant- ▁turmoil- ▁SMB- ▁Watch- ▁thick- ▁Fast- ▁rally- ▁Video- trade- science- ▁Economic- ▁Fitness- ▁Partially- ▁accustomed- ▁athletic- ▁educator- ▁invaluable- ▁scarcity- ▁contest- ▁van- ▁Town- ▁Detail- ▁nowhere- ▁hall- ▁deflationary- ▁Grow- ▁Snap- ▁abuse- ▁prostate- ▁5,000- ▁Invest- ▁Marlin- ▁motivate- ▁ARR- ▁Turk- ▁Downstream- ▁Experience- ▁Venture- ▁analyses- ▁athlete- ▁drain- ▁episode- ▁penalties- ▁smelter- ▁Listener- ▁Carbon- ▁Surface- ▁Blackstone- ▁Internal- ▁agnostic- ▁CAT- currency- ▁BlackRock- ▁Institutional- ▁intensified- ▁sensitivities- ▁situated- ▁stimulus- ▁vacuum- ▁volunteer- ▁worthwhile- ▁prioritization- ▁waterfall- ▁formulate- ▁compress- ▁await- ▁OMIDRIA- ▁Approximately- ▁Storage- ▁blade- ▁congestion- ▁dialysis- ▁hydraulic- ▁mouth- ▁procedural- ▁leach- ▁shallow- ▁responsiveness- ▁string- ▁Victor- purpose- ▁Council- ▁Individual- ▁commencing- ▁independence- ▁nurture- ▁paramount- ▁Member- ▁Unlike- ▁ratable- ▁insulin- ▁inquiry- ▁denominated- ▁holistically- ▁rack- ▁authentication- vantage- ▁Rose- ▁digitize- ▁accumulate- ▁Fiscal- ▁adequacy- ▁alternate- ▁eighth- ▁irrespective- ▁postpaid- ▁rehabilitation- ▁remarkably- ▁taxpayer- ▁arbitrage- ▁hint- ▁discoveries- ▁hook- ▁resetting- ▁bang- system- ▁reconstruct- ▁Agreement- ▁Integration- ▁NASH- ▁Short- ▁Technical- ▁aggregation- ▁chassis- ▁outweigh- ▁vulnerable- ▁scanner- ▁Warner- ▁popularity- ▁PAC- ▁discontinue- ▁dedicate- charge- help- ▁Chegg- ▁Nutrition- ▁depreciate- ▁reclassified- ▁Jackson- ▁clock- ▁tapping- ▁capped- ▁trace- ▁cooperate- ▁School- structure- economic- deliver- ▁Ralph- ▁Example- ▁Utah- ▁irrigation- ▁nonaccrual- ▁suppress- ▁Underlying- ▁remediate- ▁stripping- ▁iteration- ▁sincerely- ▁Orange- path- close- measure- process- ▁Block- ▁Significant- ▁Treasury- ▁caliber- ▁compliment- ▁virtuous- ▁busiest- ▁forthcoming- track- ▁inhibit- profit- ▁reestablish- ▁Progress- ▁Apollo- ▁Tokyo- ▁chemotherapy- ▁mathematical- ▁retiring- ▁stellar- ▁sweep- ▁timeframe- ▁roster- ▁specify- ▁Ameri- ▁SIM- carbon- ▁Alabama- ▁Application- ▁Hemisphere- ▁Mineral- ▁administrator- ▁dinner- ▁empty- ▁endorsement- ▁facilitating- ▁happier- ▁vacancies- ▁voting- 7,000- ▁protest- ▁reactivate- ▁bird- ▁aspire- apples- ▁redevelop- ▁hazard- ▁Iridium- ▁Related- ▁experiential- ▁mismatch- ▁philosophical- ▁thumb- ▁Leasing- ▁deductibility- ▁Drug- ▁Wild- ▁illustrat- ▁reinvigorate- ▁sandwich- ▁Affordabl- ▁DOL- ▁Hilton- ▁advocacy- ▁antibodies- ▁chief- ▁entrance- ▁examining- ▁snapshot- ▁unfair- ▁ForEx- ▁defect- ▁mixture- ▁Getting- ▁digging- ▁Monster- ▁liquidate- ▁characteristic- period- cutting- ▁Competition- ▁Furniture- ▁Kroger- ▁oxygen- ▁vigorously- ▁2011- ▁fellow- heim- ▁alcohol- competitive- megawatt- ▁Fifth- ▁Retirement- ▁Robinson- ▁counterparties- ▁dispense- ▁petroleum- ▁rainfall- ▁separating- ▁testimony- ▁PBM- ▁restatement- ▁restocking- ▁instill- ▁brake- ▁syndicate- Pacific- ▁Previously- ▁escalator- ▁offensive- ▁perimeter- ▁problematic- ▁recreational- 6,000- ▁Bowl- ▁Kindred- ▁purposeful- ▁Half- ▁increment- flex- ▁bargain- ▁reengineer- ▁Heavy- ▁Jeremy- ▁flagged- ▁unconventional- ▁unreasonable- ▁Creative- ▁Gaming- ▁Sorry- ▁LTE- ▁Vista- ▁excite- ▁suspend- producing- complete- ▁Winnebago- ▁Signature- ▁Subsequent- ▁fabulous- ▁hypothesis- ▁inherited- ▁legislature- ▁marry- ▁revising- ▁lagged- ▁motorcycle- ▁depict- ▁divert- ▁shore- ▁persistence- ▁deduct- efficiency- platform- ▁Virgin- ▁Century- ▁Currency- ▁MLP- ▁Plaza- ▁annuities- ▁flawless- ▁lobby- ▁monotherapy- ▁cotton- ▁configure- ▁Genesis- ▁Crest- Guard- ▁inspect- operated- ▁expose- ▁Academy- ▁Champion- ▁Especially- ▁Resort- ▁depletion- ▁prestigious- ▁spark- ▁Weather- ▁trauma- ▁Michelle- ▁Term- ▁Build- established- ▁cabin- ▁Whole- ▁Administration- ▁Polish- ▁platinum- ▁remeasurement- ▁humble- ▁outlining- ▁Own- ▁scanning- ▁cooperative- ▁Reduc- ▁parse- ▁Custom- neutral- ▁Affiliate- ▁Limited- ▁Nuclear- ▁Targa- ▁frustration- ▁oxide- ▁practitioner- ▁reconsider- ▁underperformed- ▁subsidize- ▁bacteria- ▁buck- ▁gray- ograph- Care- ▁Acquisition- ▁Cameron- ▁Interactive- ▁Saturday- ▁congratulations- ▁escalate- ▁noncontrolling- ▁safeguard- ▁funeral- ▁giant- ▁river- ▁Kirk- ▁Harris- defined- ▁Section- ▁Victoria- '70'- ▁NASCAR- ▁Pinnacle- ▁destroy- ▁retroactive- ▁viral- ▁Leverag- ▁pork- ▁habit- located- ▁Combin- ▁Inventory- ▁insignificant- ▁literature- ▁nitrogen- ▁qualities- ▁retransmission- ▁terribly- ▁unforeseen- ▁NII- ▁merging- ▁Cedar- ▁hydrocarbon- ▁Social- ▁melt- ▁origin- ▁Deposit- ▁Rapid- ▁buoy- ▁Avenue- ▁Depending- ▁Pfizer- ▁hospice- ▁ladder- ▁overcapacity- ▁reconciling- ▁unleash- ▁attribution- ▁FCC- ▁IBM- ▁wastewater- ▁baking- ddle- called- ▁Driving- ▁Jordan- ▁Restaurant- ▁calibrate- ▁decelerate- ▁discontinuation- ▁enzyme- ▁nonetheless- ▁segregat- ▁slippage- ▁sovereign- ▁steroid- ▁remix- ▁Crane- ▁pinpoint- ▁Display- ▁dump- ▁coding- ▁Likewise- Works- credit- ▁Double- ▁Catalyst- ▁Halloween- ▁NEXT- ▁blockbuster- ▁incidence- ▁eastern- ▁blast- ▁Dream- regulated- lecommunications- ▁Kind- storm- ▁Surgical- ▁Triumph- ▁editorial- ▁irrational- ▁juice- ▁kiosk- ▁slope- ▁sulfur- ▁Dental- ▁vending- ▁Insight- ▁Baker- ▁anecdotal- ▁Whit- ▁dilute- ▁Albert- development- voltage- ▁College- ▁destiny- ▁influx- ▁microbiome- ▁migraine- ▁occupy- ▁politics- ▁reversion- ▁rubber- ▁variant- ▁Glass- ▁NOLs- ▁supervisor- ▁Trading- ▁loud- ▁infant- ▁weapon- operative- ▁technique- ▁surround- ▁distress- ▁tradition- ▁Advisor- ▁Bancorp- ▁Collection- ▁League- ▁Perfect- ▁pragmatic- ▁firing- ▁Know- ▁Better- ▁slice- ▁dwell- ▁outlier- ▁colleague- prime- Bank- ▁Buffalo- ▁Greece- ▁Portfolio- ▁Sustain- ▁Taylor- ▁Women- ▁cohesive- ▁hypothetical- ▁nontraditional- ▁refractory- ▁stewardship- ▁Darren- ▁horse- ▁Irish- ▁Arrow- ▁Associate- ▁Nonetheless- ▁Williston- ▁YouTube- ▁catheter- ▁latency- ▁maritime- ▁uncommon- ▁firewall- ▁Speed- ▁orange- ▁Pharmacy- ggle- ▁Including- ▁Restructuring- ▁bubble- ▁clause- ▁consummate- ▁deficiency- ▁receptor- ▁redundancy- ▁titanium- ▁Windows- ▁thread- ▁Partnership- ▁Accu- plica- ▁Solution- ▁assemble- ▁author- ▁AFFO- ▁Cologuard- ▁aggregator- ▁behaving- ▁choppiness- ▁conservation- ▁groundbreaking- ▁impediment- ▁reallocating- ▁registry- ▁tandem- ▁Besides- ▁Lisa- ▁Help- ▁STAR- 0%- ▁Charlie- ▁Orleans- ▁Platinum- ▁abundance- ▁acquisitive- ▁locomotive- ▁maturation- ▁pervasive- ▁pulse- ▁Christian- ▁Housing- ▁instability- ▁textile- group- ▁Bottom- ▁Detroit- ▁LIFO- ▁Mutual- ▁Positive- ▁Tyler- ▁Wondering- ▁arriving- ▁beneficiaries- ▁century- ▁dismiss- ▁turbulence- ▁DUC- ▁OPEC- ▁pathogen- ▁adhere- ▁Music- ▁originator- ▁prohibit- ▁grocer- nanometer- ▁FireEye- ▁believing- ▁false- ▁matrix- ▁proposing- ▁remedy- ▁shaft- ▁Brett- ▁Hello- ▁Allied- ▁arrow- pronged- ▁snap- cloud- ▁Campbell- ▁Loyalty- ▁Patterson- ▁Terminal- ▁biomass- ▁exercising- ▁footnote- ▁fragrance- ▁frustrated- ▁garage- ▁interference- ▁referendum- ▁simplifies- ▁unrivaled- ▁seemingly- ▁Close- direct- ▁dominate- Health- Corp- ▁Fabric- ▁Casualty- ▁Petrobras- ▁SCOOP- ▁acknowledging- ▁activating- ▁delineation- ▁dissipate- ▁exterior- ▁orthopedic- ▁resumption- ▁shield- ▁stainless- ▁Imaging- ▁outgrow- ▁Beverage- ▁Expect- ▁Outdoor- ▁brilliant- ▁curriculum- ▁decentralized- ▁deteriorating- ▁episodic- ▁fault- ▁Automation- ▁retool- ▁darn- ▁Terra- ▁debut- ▁dangerous- ▁IND- ▁Couple- ▁amortize- dealer- ▁BOSS- ▁Cardinal- ▁Hollywood- ▁Pizza- ▁Study- ▁antitrust- ▁autumn- ▁bunker- ▁ePlex- ▁frequencies- ▁hinder- ▁inflammation- ▁infotainment- ▁relocating- ▁victory- ▁Critical- ▁Geographic- ▁transpire- ▁carpet- ▁insurer- interest- walk- insured- ▁phenomena- ▁Specific- ffsetting- ▁Appalachia- ▁Particularly- ▁Westinghouse- ▁ambassador- ▁lithium- ▁lucrative- ▁unsustainable- ▁firearm- ▁tolerance- ▁FinTech- ▁promo- ▁celebrating- ▁conducive- ▁disparate- ▁Subsea- ▁Tesco- ▁halt- ▁Lauren- ▁Mitch- frac- ▁Managing- ▁Recovery- ▁Watson- ▁Wyndham- ▁compatible- ▁council- ▁facilitator- ▁league- ▁prolific- ▁unacceptable- ▁preempt- ▁secondarily- ▁embedding- ▁vacate- gui- ▁Banc- ▁occupie- enhancing- ▁Dublin- ▁Florence- ▁Franchise- ▁LOE- ▁Properties- ▁clothing- ▁excise- ▁obsess- ▁relapse- ▁Jean- ▁racing- ▁Etsy- ▁burger- ▁Temp- ▁photograph- ▁stride- Mark- watch- ▁equip- ▁Chapter- ▁Offshore- ▁Regulatory- ▁Seasonal- ▁enviable- ▁exemplifie- ▁fracturing- ▁inaugura- ▁plasma- ▁thriving- ▁Fusion- ▁lawyers- ▁peel- ▁alluding- ▁aisle- minating- necdotally- ▁simultaneous- ▁frank- authorized- ▁Dolby- ▁EXPAREL- ▁LTL- ▁Wednesday- ▁biopsy- ▁bureau- ▁collision- ▁contiguous- ▁desperate- ▁expeditious- ▁female- ▁veterinary- ▁Moody- ▁halo- ▁reagent- ▁remiss- ▁handicap- asset- ▁Advertising- ▁Gathering- ▁Surgery- ▁dermatology- ▁festival- ▁intermediary- ▁modalities- ▁syndrome- ▁sweetener- ▁rotate- ▁Needle- ▁stead- ▁Analysis- ▁HVAC- ▁Secure- ▁Volkswagen- ▁affluent- ▁amplified- ▁copies- ▁culinary- ▁hindsight- ▁implicit- ▁inaccurate- ▁pollution- ▁radiation- ▁susceptible- ▁veterinarian- ▁50-50- ▁grasp- ▁paving- ▁rehab- ▁unused- ▁depot- ▁renal- ▁bull- ▁interrupt- ▁Publishing- ▁Splunk- ▁biopharma- ▁deplete- ▁explosive- ▁injunction- ▁mountain- ▁pyramid- ▁quantification- ▁resurgence- ▁underutilized- ▁viewership- ▁northeast- ▁aftermath- ▁sweat- ▁knit- ▁delineate- ▁definite- claim- etween- ▁Flotek- ▁Haynesville- ▁Scientific- ▁Spark- ▁ammunition- ▁examination- ▁faculty- ▁framing- ▁hygiene- ▁ninth- ▁Fixed- ▁Traditional- ▁Henry- ▁vocal- ▁Flat- ▁Merchant- ▁Microchip- ▁Spectrum- ▁Triferic- ▁densification- ▁equilibrium- ▁identifies- ▁illegal- ▁predecessor- ▁reversing- ▁shadow- ▁vascular- ▁tubing- ▁tiny- ▁invitation- ▁tolerated- utheastern- moving- ▁disturb- ▁Chipotle- ▁Cushing- ▁Effective- ▁Keppel- ▁Summer- ▁bracket- ▁fibrosis- ▁undrawn- ▁contend- ▁franc- ▁Argentin- ▁arrange- ▁Adobe- ▁Kratos- ▁Quantum- ▁admittedly- ▁prudence- ▁DTC- ▁debenture- ▁diving- ▁Quint- ▁Titan- ▁cream- ▁relieve- ▁Apparel- ▁Conversely- ▁Employee- ▁Frozen- ▁Hampshire- ▁Staffing- ▁Yield- ▁buzz- ▁census- ▁clarified- ▁compensating- ▁finite- ▁influential- ▁protracted- ▁submarine- ▁valuing- ▁Fundamental- ▁Canyon- ▁Tommy- ▁investigator- ▁archive- ▁locate- ▁revolve- Vision- collect- ▁Protect- ▁overshadow- ▁reconfirm- ▁reintroduc- ▁Circuit- ▁Hungary- ▁duplication- ▁formidable- ▁intermediaries- ▁remuneration- ▁sauce- ▁biopharmaceutic- ▁admin- burn- screen- mproved- ▁Novartis- ▁Oxford- ▁cultivating- ▁reengage- ▁renegotiating- ▁reorganizing- ▁Something- ▁Linda- change- technology- mobile- standard- 2,000- ▁Michel- ▁Brown- ▁Commonwealth- ▁Honda- ▁Kathy- ▁Memory- ▁Separately- ▁constellation- ▁redetermination- ▁unbilled- ▁unintended- ▁crystallize- ▁harmonize- ▁Forrester- ▁Collectively- ▁Montana- ▁Reflect- ▁consolidator- ▁expensing- ▁mobilization- ▁reassure- ▁remedies- ▁rescue- ▁microcontroller- ▁Command- ▁sailing- ▁myriad- ▁Crown- ▁deviate- energy- ▁helm- ▁Flag- ▁Cinema- ▁Recogniz- ▁Oncology- ▁Pioneer- ▁approving- ▁atmosphere- ▁autonomy- ▁celebration- ▁invoicing- ▁legitimate- ▁peace- ▁refrigeration- ▁shelter- ▁Flash- ▁Sterling- ▁regret- ▁rotating- ▁multiply- ▁erode- ▁Triple- ▁assign- constrained- ▁Develop- ▁Expand- ▁Mosaic- ▁Alpine- ▁diameter- ▁hidden- ▁mezzanine- ▁multifaceted- ▁reconfigure- ▁ruble- ▁tournament- ▁uranium- ▁2022- ▁MBS- ▁tilt- ▁lesion- ▁err- IVE- ▁criminal- ▁Broker- ▁Comfort- ▁Exactly- ▁Facility- ▁basketball- ▁explosion- ▁hypo- ▁investigating- ▁obsolete- ▁plumbing- ▁voyage- ▁whiskey- ▁pruning- ▁retreat- ▁ripe- minded- average- ▁potent- ▁gravitat- ▁refrain- ▁Alzheimer- ▁Freddie- ▁Heritage- ▁Intermodal- ▁catastrophic- ▁caustic- ▁geology- ▁indebtedness- ▁multibillion- ▁nonstrategic- ▁occupancies- ▁propulsion- ▁terrible- ▁summit- ▁Understand- managed- ▁Cincinnati- ▁Condition- ▁Governor- ▁Holiday- ▁Initiative- ▁MiFID- ▁cheese- ▁deficiencies- ▁elegant- ▁elevation- ▁nonoperating- ▁receptivity- ▁scatter- ▁theatrical- ▁varieties- ▁PFS- ▁entries- ▁ourself- ▁browse- ▁lull- ▁Commodit- ▁Thermo- chieving- target- ▁Bureau- ▁Circle- ▁Completion- ▁Instagram- ▁Polaris- ▁Qualcomm- ▁Student- ▁Wyoming- ▁averaging- ▁delinquent- ▁franchising- ▁ratably- ▁requisite- ▁underscoring- ▁vinyl- ▁Instant- ▁LTAC- ▁Transition- ▁fastener- ▁Container- ▁Mercury- ▁Superior- ▁Wolfcamp- ▁accumulating- ▁eligibility- ▁expend- ▁himself- ▁methanol- ▁voucher- ▁Knight- ▁Carrier- ▁subtract- ▁Ranch- ▁entrant- approved- ▁Frankfurt- ▁Melbourne- ▁anxiety- ▁cartridge- ▁combustion- ▁escalating- ▁infectious- ▁laundry- ▁pledge- ▁styrene- ▁custodia- ▁Interestingly- segment- normal- annual- ▁multimillion- inflammatory- ▁Brothers- ▁Jacobs- ▁Minneapolis- ▁Principal- ▁dispensing- ▁jeopardiz- ▁nutrient- ▁Enhanc- xisting- midst- typical- ▁solicit- ▁Dominic- ▁Edmonton- ▁Fannie- ▁Identity- ▁Ingredients- ▁Nokia- ▁Yelp- ▁allegations- ▁appraise- ▁envisage- ▁flesh- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_unnorm_token_list/bpe_unigram10000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: rnn_type: lstm nlayers: 2 unit: 2024required:- output_dir- token_listversion: 0.9.7distributed: true\t", + "authors": [ + { + "name_en": "Shinji Watanabe", + "name_zh": "Shinji Watanabe" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1615219200000, + "created": "", + "modified": "", + "status": "", + "license": "CC-BY-NC-4.0", + "file_size_mb": 878.68, + "file_size_bytes": 921363372, + "download_count": 0, + "visit_count": 8, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4443058", + "cstr": "", + "pid": "", + "title": "Rhopalapion longirostre Olivier 1807", + "title_en": "Rhopalapion longirostre Olivier 1807", + "title_zh": "Rhopalapion longirostre Olivier 1807", + "description": "Rhopalapion longirostre (Olivier, 1807) (Figs. 1–7, 10–11, 13–20, 25–29, 35–37, 41–44, 49–53) Apion longirostre Olivier, 1807: 35; Pl. III Figs. 51.a, 51.b Apion (Rhopalapion) longirostre; Schilsky 1906: V Rhopalapion longirostre; Alonso-Zarazaga 1990: 71 Pseudapion (Rhopalapion) longirostre; Ehret 1994: 8 Type locality. Constantinople [= Istanbul] (Marmara Region, Turkey). Diagnosis. A Rhopalapion species differing from R. celatum n. sp. in the following combination of characters: male protibiae mucronate; rostrum, in both sexes, on average, more slender (Lr/Wmsr: ♁ 4.23–5.17 [4.64], ♀ 7.81–11.75 [10.25]); in dorsal view, mesorostral dilatation well developed, a little bit dentiform in male and rounded in female; prorostrum with sides feebly concave, particularly in female; prothorax, on average, isodiameric (Lp/Wp: ♁ 0.88–1.10 [1.00], ♀ 0.91–1.09 [1.01]); disc densely punctate with punctures round to oblong, sometime confluent to form striolae, and interspaces microreticulate; elytra, in dorsal view, elongate in outline, with rounded sides; male meso- and metatibiae with smaller, blunt and oblique apical mucro; different shape of genitalia, in particular, tegmen with shorter apical membranous lobes, subrounded, folded at base and separated by a thin median notch; suprafenestral sclerites with 1–2 long outer setae and 1 shorter inner seta (occasionally 0). Type series. Olivier described and illustrated this species from an unspecified number of male and female specimens from Constantinople, the current Istanbul. In his collection, stored in the Muséum National d'Histoire Naturelle, Paris, there are six specimens, one here designated as lectotype and the remaining five becoming paralectotypes. One ♁ and 2 ♀♀ are mounted on one card (Figs. 1, 3–5), labelled: longirostre / Const. [= Constantinople] [big handwritten label] // Olivier [little round handwritten label] // MUSEUM PARIS / OLIVIER 1834 [rectangular label (1834 is the year in which the specimens became part of the museum's collection)] // LECTOTYPUS ♁ / Apion longirostre / Olivier, 1807 / C. Giusto des. 2019 [red rectangular printed label] // PARALECTOTYPUS ♀ / Apion longirostre / Olivier, 1807 / C. Giusto des. 2019 [two red rectangular printed labels]. The ♁ specimen on this card is designated as the lectotype. There are also an additional 1 ♁ and 2 ♀♀, mounted on another card (Fig. 2), labelled: Olivier [little round handwritten label] // MUSEUM PARIS / OLIVIER 1834 [rectangular label] // PARALECTOTYPUS ♁ / Apion longirostre Olivier, 1807 / C. Giusto des. 2019 [red rectangular printed label] // PARALECTOTYPUS ♀ / Apion longirostre / Olivier, 1807 / C. Giusto des. 2019 [two red rectangular printed labels]. Material examined. AFGHANISTAN — Faryab Province: Goudgé Konti, 7.VI.1959, G. Remaudère leg., on Althaea (16 ♁♁, 22 ♀♀ MNHN);— Herat Province: Kushk [= Kuschke, Kusche] (2 ♀♀ BMNH; 1 ♁, 1 ♀ CG; 11 ♁♁, 3 ♀♀ MRSN);— Paktia Province: Gardez, 18.VI.1959, G. Remaudère leg. (1 ♁ MNHN). ALGERIA — Blida Province: Blidah (3 ♁♁, 4 ♀♀ MNHN). ARMENIA: no exact localities: Aras River Valley [= Araxesthal], H. Leder & E. Reitter leg. (1 ♁, 1 ♀ MNHN); Armenia (2 ♀♀ MNHN). AUSTRIA — Lower Austria: Bisamberg, 250 m a.s.l., 9.X.1999, C. Giusto leg., on Alcea rosea L. (1 ♀ CG);— Vienna: Salamannsdorf, 280 m a.s.l., 9.X.1999, C. Giusto leg., on Alcea rosea L. (1 ♁, 2 ♀♀ CG); Vienna env. (1 ♁, 1 ♀ ZMHB); Vienna env., Ad. Hoffmann leg. (2 ♀♀ ZMHB); Vienna env., E. Moczarski leg. (1 ♁ ZMHB). AZERBAIJAN — Agdash District: Aðdaþ [= Aresch] (2 ♁♁, 2 ♀♀ MNHN);— Ganja-Qazakh District: Ganja [= Elisabetpol] (1 ♁, 1 ♀ CG; 2 ♁♁, 1 ♀ MRSN);— Lankaran District: Lankaran [= Lenkoran], 1897, Korb leg. (1 ♁, 1 ♀ ZMHB); Lankaran [= Lenkoran], Dr. Martin leg. (1 ♁ MNHN). BOSNIA AND HERZEGOVINA: Moglitz, 18.VI.1912 (1 ♁, 1 ♀ ZHMB). BULGARIA — Blagoevgrad: Melnik, 26–27.VI.1979, M. Mazur leg. (5 ♁♁, 4 ♀♀ MW); Melnik env., 12–19.V.1981, H. Wendt leg. (2 ♁♁, 1 ♀ ZMHB); Melnik env., 12–20.V.1981, H. Wendt leg. (1 ♀ ZMHB);— Burgas: Brjastovec env., 19.V.2009, M.G. Morris leg., reared from Alcaea rosea L. (2 ♁♁ MGM); Brjastovec env., 21.V.2012, M.G. Morris leg., reared from Alcaea rosea L. (1 ♀ MGM); Burgas, V.Apfelbeck leg. (1 ♁, 1 ♀ ZMHB); Otmanli, 12.VII.1977 (1 ♁ MM);— Dobrič: Batovo env., 27.V.2007, M.G. Morris leg. (1 ♀ MGM);— Plovdiv: Kalofer, 14.VII.1978, Borowiec leg. (1 ♁ MW);— Sofia: Samokov, 16.VII.1997, H. Perrin leg., on Alcaea rosea L. (3 ♁♁, 3 ♀♀ MNHN); Samokov, 1– 4.VIII.1998, J.P. Carbonnel leg., on Alcaea rosea L. (1 ♁, 1 ♀ MNHN); Sofia, V.Apfelbeck leg. (1 ♁, 1 ♀ ZMHB);— Varna: Albena env., 7.VI.2006, M.G. Morris leg. (1 ♀ MGM); Tsarkva env., 15.VI.2006, M.G. Morris leg., on Alcaea rosea L. (1 ♁ MGM). CROATIA — Dubrovnik-Neretva County: Dubrovnik [= Ragusa], V.1899, K. Flach leg. (1 ♁ ZMHB); Korčula [= Isola di Curzola], VI.1911, Mussapp leg. (2 ♁♁, 2 ♀♀ MSNG);— Istria County: Rabac, 27.VI–1.VII.1980, L. Cederholm leg. (1 ♀ MW);— Split-Dalmatia County: Spilt, Adria, 8.VII.1939 (1 ♁, 1 ♀ ZMHB);— Zadar County: Zadar [= Zara] env., Müller leg. (1 ♁, 1 ♀ ZMHB); no exact locality: Dalmatia (2 ♀♀ MRSN). CYPRUS: Drouseia, 550 m a.s.l., 17.IV.2010, C. Giusto leg., on Alcea rosea L. (11 ♁♁, 3 ♀♀ CG); Fama- gusta, 5.VII.1931, L. Komites leg., on Citrus sinensis (L.) Osbeck (2 ♁♁, 1 ♀ BMNH); Kidási, 250 m a.s.l., 23.IV.2010, C. Giusto leg., on Alcea rosea L. (5 ♁♁, 2 ♀♀ CG). EGYPT: no exact locality: Aegypt, O. Schneider leg. (1 ♁ ZMHB). FRANCE — Auvergne-Rhône-Alpes: Les Barquets, 5.VI.1991, on Alcea rosea L. (1 ♁ BMNH); Vassieux-en-Vercors, 1,100 m a.s.l., 9.X.2012, C. Giusto leg., on Alcea rosea L. (1 ♀ CG);— Corse: Furiani env., 200 m a.s.l., 3.VI.1996, C. Giusto leg., on Alcea rosea L. (3 ♁♁, 1 ♀ CG); no exact locality: Corse (1 ♁, 2 ♀♀ MRSN);— Novelle-Aquitaine: Aunac, VIII.1992, A. Datta leg., reared from seeds of hollyhock (3 ♁♁, 2 ♀♀ BMNH);— Occitanie: Etang de Leucate, shore SW, 1 m a.s.l., 24.VI.1995, C. Giusto leg., on Alcea rosea L. (1 ♀ CG);— Provence-Alpes-Côte d'Azur: Cabasse, env. S, 220 m a.s.l. ca., 20.V.2013, C. Giusto, G. Gardini & S. Zoia leg. (1 ♀ CG); Gourdon, env. S, 700 m a.s.l., 21.V.2013, C. Giusto, G. Gardini & S. Zoia leg. (1 ♁ CG); Malaucene, 360 m a.s.l., 23.VI.1993, C. Giusto leg., on Alcea rosea L. (5 ♁♁, 9 ♀♀ CG); Martigues, Cap Couronne, 5 m a.s.l., 17.V.2013, C. Giusto, G. Gardini & S. Zoia leg., on Alcea rosea L. (1 ♀ CG); Massif de la Sainte Baume, Plan d'Aups, 680 m a.s.l., 18.VI.1995, C. Giusto leg., on Alcea rosea L. (5 ♁♁, 5 ♀♀ CG); Mont Ventoux, S slopes, Ft. De Rolland, 500–600 m a.s.l., 23.VI.1993, C. Giusto leg., on Alcea rosea L. (10 ♁♁, 7 ♀♀ CG); Saint-Maximinla-Sainte-Baume, 26.V.1988, C. Giusto leg., on Alcea rosea L. (16 ♁♁, 16 ♀♀ CG); Vence, 25.V.1988, C. Giusto leg., on Alcea rosea L. (1 ♁ CG). GEORGIA — Adjara: Batumi [= Batoum] (1 ♁, 1 ♀ MNHN);— Abkhazia: Pitsunda [= Püsunda], coast, 18–30.V.1970, Ermisch leg. (1 ♀ ZMHB);— Mtskheta-Mtianeti: Mtskheta [= Mzcheta], 23–30.VI.1986, Wrase & Schülke leg. (1 ♁, 2 ♀♀ ZMHB); Zahesi [= Zehneti], 800 m a.s.l., 1–10.VI.1987, Wrase & Schülke leg. (1 ♀ ZMHB);— Shida Kartli: Bekami 10.VII.1983, I. Lopatin leg. (1 ♀ MW);— Tbilisi: Kachreti, 5 km E, 600 m a.s.l., 11.VII.2011, M. Košťál leg. (1 ♁, 1 ♀ MK). GERMANY — Baden-W̹rttemberg: Oberndofr, 04.IX.2004, M. Eifler leg. (4 ♁♁, 1 ♀ ZMHB);— Berlin: Berlin, 13.VI.2014, J. Willers leg., on Malva sp. (1♀ ZMBH); Dahlem, Botanical Garden, 21.VI.2002, J. Willers leg., on Malva sp. (1 ♁ ZMHB); Dahlem, Botanical Garden, 22.VI.2002, J. Willers leg., on Malva sp. (1 ♁ ZMHB);— Mecklenburg-West Pomerania: Karlsburg (1 ♁, 1 ♀ ZMHB). GREECE — Central Macedonia: Thessaloniki [= Salonique] (1 ♁ MNHN);— Corfu: Corfu (1 ♀ BMNH);— Crete: Anogeia, 700 m a.s.l., 9.VI.1998, Beretta leg. (1 ex. MB);— Eastern Macedonia and Thrace: Metaxades, 28.V.2007, F. Angelini leg. (1 ex. FA); Protokklisi, 28.V.2007, F. Angelini leg. (29 exx. FA);— Epirus: Perama env., 31.V.1989, S. Zoia leg. (1 ♀ CG);— North Aegean: Lemnos, IV–VI.15 (2 ♁♁ MNHN); Lesbo, U. Sahlberg leg. (1 ♁, 1 ♀ ZMHB); Mount Olympus, 14.VI.70 (2 ♁♁, 2 ♀♀ ZMHB); Mount Olympus (1 ♁ MRSN);— Peloponnese: Kastania, 1,200 m a.s.l., 8.V.2004, F. Angelini leg. (2 exx. FA); Tripoli, 28.VII.1978, F. Sacco leg. (3 ♀♀ FS);— Thessaly: Meteora, 19.V.2005, F. Angelini leg. (2 exx. FA);— Western Greece: Kalavryta, 28–29.IV.1999, F. Angelini leg. (1 ex. FA);— Western Macedonia: Kratero, 10.VI.2007, F. Angelini leg. (1 ex. FA); no exact locality: Greece (1 ♀ MNHN). HUNGARY — Central Hungary: Pest, K. Saio leg. (1 ♁, 3 ♀♀ ZMHB);— Central Transdanubia: Balatonkenese (3 ♁♁, 2 ♀♀ ZMHB); Balatonkenese, 28.V.1972, Fix leg. (1 ♁, 2 ♀♀ ZMHB); Balatonkenese, 7.VI.1978, Fix leg. (2 ♀♀ ZMHB); Balatonkenese, Lake Balaton [= Plattensee], 20.V.1972 (1 ♀ ZMHB); Hajmáskér, 200 m a.s.l., 16.V.1996, M. Košťál leg. (1 ♁ MK); Lake Balaton [= Plattensee], 1.VI.1972 (2 ♀♀ ZMHB); Lake Balaton [= Plattensee], 2.VI.1972 (1 ♁ ZMHB); Lake Balaton [= Plattensee], 3.VI.1972 (1 ♁ ZMHB); Lake Balaton [= Plattensee], 4.VI.1972 (2 ♁♁, 1 ♀ ZMHB);— Northern Great Plain: Jászberény, Pórtelek (1 ♀ ZMHB);— Southern Transdanubia: Villány env., V.1980, Sieber leg. (1 ♁, 2 ♀♀ ZMHB); no exact localities: Hungary (1 ♁, 2 ♀♀ BMNH); N Hungary (2 ♁, 2 ♀♀ MRSN). IRAN — Golestan Province: Gorgan, Golestan National Park [= Forêt de Golestan], 23.VI.1965, L. Matile leg. (1 ♁ MNHN); Gorgan, Golestan National Park [= Forêt de Golestan], 24.VI.1965, L. Matile leg. (3 ♁♁, 1 ♀ MNHN); Gorgan, Nahar Khvoran [= Forêt de Naharkhoran], 25.VI.1965, L. Matile leg. (2 ♀♀ MNHN);— Mazandaran Province: Kalardasht, 28.VI.1965, L. Matile leg. (1 ♀ MNHN);— Teheran Province: Teheran, 5.XI.1874, A. Kerim leg. (1 ♀ MNHN). ISRAEL — Haifa District: Beit Oren env., 220 m a.s.l., 6.IV.2014, C. Giusto leg. (8 ♁♁, 9 ♀♀ CG); Haifa [= Caïffa] (3 ♁♁, 1 ♀ MNHN); Mishmar HaCarmel, 310 m a.s.l., 6.IV.2014, C. Giusto leg., on Alcea setosa (Boiss.) Alef. (17 ♁♁, 16 ♀♀ CG); Nahal Oren, 3.IV.1995, E. Colonnelli leg. (1 ♀ FS);— Judea and Samaria Area: Ariel, 6.V.2010, L. Friedman leg., on Alcea setosa (3 ♁♁, 4 ♀♀ CG);— Northern District: 2 km E of Banias, 29.V.1973, I. Löbl leg. (1 ♁ MW); Ein Gev, 185 m b.s.l., 4.IV.2014, C. Giusto leg., on Alcea dissecta (Baker f.) Zohary (9 ♁♁, 7 ♀♀ CG); Ha Yarden Park, 190 m b.s.l., 4–5.IV.2014, C. Giusto leg., on Alcea dissecta (Baker f.) Zohary (31 ♁♁, 20 ♀♀ CG); Nazareth, P. de La Brûlerie leg. (1 ♁, 1 ♀ MNHN); Snir, 280 m a.s.l., 5.IV.2014, C. Giusto leg., on Alcea setosa (Boiss.) Alef. (9 ♁♁, 7 ♀♀ CG); Tel Dan, 180 m a.s.l., 5.IV.2014, C. Giusto leg. (12 ♁♁, 2 ♀♀ CG); no exact localities: Israel, reared from seeds of Alcea digitata (1 ♀ BMNH); Palestine, on Alcea setosa (Boiss.) Alef. (1 ♁, 1 ♀ MW). ITALY — Aosta Valley: Aosta, Porossan, 5.VII.1978, G. Bartoli leg. (28 ♁♁, 14 ♀♀, MSNG);— Emilia-Romagna: Castelnovo ne' Monti, 700 m a.s.l., 24.VI.1984, C. Giusto leg. (1 ♀ CG); Gatteo, Sant'Angelo, 14.VI.2011, G. Platia leg. (3 ♁♁, 4 ♀♀ CG); Verghereto, Alfero, 22.VI.1972, Botto leg. (1 ♁ CG); Verghereto, Alfero, 20.VI.1972, Botto leg. (2 ♁♁, 3 ♀♀ MSNG);— Friuli-Venezia Giulia: Monfalcone, Lisert, 5.IX.2010, L. Morin leg. (2 ♀♀ LF); Monfalcone, Lisert, 24.VI.2012, L. Morin leg. (2 ♀♀ LF);— Liguria: Genova, Aggio, 8.VIII.1986, C. Giusto leg., on Alcea rosea L. (6 ♁♁, 5 ♀♀ CG); Genova, Bavari, 300 m a.s.l. ca., 25.VII.1985, C. Giusto leg., on Alcea rosea L. (11 ♁♁, 2 ♀♀ CG); Genova-Nervi, 23.VI.1972, S. Riese leg. (1 ♁, 4 ♀♀ MSNG); Genova-Nervi, 29.V.1972, S. Riese leg. (2 ♁♁, 1 ♀ MSNG); Mignanego, Paveto, 23.VII.1983, G. Ratto leg. (2 ♀♀ CG); Montoggio, Creto, 27.IV.1989, C. Giusto leg., on Alcea rosea L. (1 ♁, 2 ♀ CG); Sant'Olcese, 300 m a.s.l., 22.III.1989, C. Giusto leg., on Alcea rosea L. (1 ♁, 3 ♀♀ CG); Stella, 20.VI.1988, C. Giusto leg., on Alcea rosea L. (2 ♁♁, 1 ♀ CG); Tiglieto, 400 m a.s.l. ca., VII.1984, C. Giusto leg., on Alcea rosea L. (14 ♁♁, 8 ♀♀ CG); Tiglieto, 500 m a.s.l. ca., VIII.2013, M. Giusto leg., on Alcea rosea L. (25 ♁♁, 25 ♀♀ CG); Urbe, Martina Olba, 484 m a.s.l., 1.VI.1986, C. Giusto leg., on Alcea rosea L. (1 ♁ CG); Urbe, Martina Olba, 484 m a.s.l., VIII.1984, C. Giusto leg., on Alcea rosea L. (15 ♁♁, 15 ♀♀ CG);— Lombardy: Toscolano Maderno, 13.VII.1969 (1 ♀ CG); Varzi env., 420 m a.s.l., 4.VI.1995, C. Giusto leg., on Alcea rosea L. (6 ♁♁, 6 ♀♀ CG);— Piedmont: Acqui Terme, Ovrano, 300 m a.s.l., 19.VI.1977, G. Salamanna leg. (22 ♁♁, 14 ♀♀ MSNG); Condove, Lajetto, 900 m a.s.l., C. Giusto leg., on Alcea rosea L. (14 ♁♁, 5 ♀♀ CG); Cuorgnè, Roncasso, 417 m a.s.l., 7.IV.1981, P.M. Giachino leg. (1 ♀ MRSN); Laghi della Lavagnina, 25.V.1990, R. Cardara leg. (1 ♁ RC); Lerma, Mond'Ovile, 23.VII.1973, S. Riese leg. (2 ♁♁, 3 ♀♀ MSNG); Montaldo di Mondovì, 800 m a.s.l., 6.VIII.1995, C. Giusto leg., on Alcea rosea L. (6 ♁♁, 3 ♀♀ CG); Monte Musinè, 2.VI.1975, Ribottaro leg. (1 ♁ MRSN); Novalesa, 12.VII.1982, G. Bartoli leg. (7 ♁♁, 6 ♀♀ MSNG); Roasio, 10.VI.1979, R. Caldara & A. Ongaro leg. (1 ♁ RC); Sampéyre, 970 m a.s.l., 5.VIII.1997, C. Giusto leg., on Alcea rosea L. (2 ♁♁, 2 ♀♀ CG); Torre Pellice, 7–15.VII.1980, G. Bartoli leg. (14 ♁♁, 15 ♀♀ MSNG);— Sardinia: Barúmini, 180–200 m a.s.l., 6.VII.1999, C. Meloni leg. (1 ♁ MSNG);— Sicily: Isnello, Piano Zucchi, 1,100 m a.s.l., 16.V.2008, C. Baviera & A. Rando leg. (3 exx. CB); Nicolosi, 6.IX.2015, on Alcea rosea L. (1 ♀ CG; 1 ♁, 1 ♀ MSNG); Novara di Sicilia, 650 m a.s.l., 25.V.2000, G. Müller leg. (1♁, 1 ♀ GM); Taormina, 300 m a.s.l., 1.VI.2000, G. Müller leg. (1♁, 1 ♀ GM);— Tuscany: Bagno a Ripoli, 9.VIII.1978, G. Bartoli leg. (1 ♁ MSNG); Firenze env., V.1994, A. Bordoni leg. (1 ex. AB); Isola d'Elba, Campo nell'Elba, Marina di Campo, 100 m a.s.l., 28.IV.1993, C. Giusto leg., on Alcea rosea L. (1 ♀ CG); Minucciano, Lago di Gramolazzo, 680 m a.s.l., 20.V.1998, F. Angelini leg. (1 ex. FA); Montanare di Cortona, 310 m a.s.l., 1.VIII.2015, C. Giusto leg., on Alcea rosea L. (35 ♁♁, 55 ♀♀ CG);— Umbria: Costacciaro, 520 m a.s.l., 8.VI.2016, M. Bocci leg. (11 ♁♁, 7 ♀♀ FA);— Veneto: Monteviale, Costigiole, 22.V.1988, P. Fontana leg. (2 exx. SB); Pove del Grappa, 27.V.1993, S. Biondi leg. (2 exx. SB); Santorso, Roagna, 3.V.1993, S. Biondi leg. (1 ex. SB); Sarego, Monte Roccolo, 10.VIII.1980, A. Bizzi leg. (24 exx. SB); Val Liona, Grancona (2 exx. SB); Velo Veronese, 1,050 m a.s.l. ca., 22.IX.2013, C. Giusto & G. Gardini leg., on Alcea rosea L. (2 ♁♁, 3 ♀♀ CG); Vicenza, 22.V.1975, Beretta leg. (3 ♀♀ MSNG); Vicenza, 28.V.1975, Beretta leg. (3 ♁♁, 3 ♀♀ CG). KYRGYZSTAN — Chuy Region: Bishkek, 1–3.VI.2003, R. Dobosz leg. (1 ♁ MW); Beshkungei near Bishkek, 800 m a.s.l., 18.VI.2006, R. Ruta leg. (2 ♁♁ MW). LEBANON — Beqaa Governorate: Rachaiya env., 5 km S, Tannoura, 6.VI.2016, C. Reuter leg. (3 ♁♁, 1 ♀ MR);— Beirut Governorate: Beirut [= Beyrouth] (1 ♁, 1 ♀ BMNH; 12 ♁♁, 19 ♀♀ MNHN); Beirut [= Beyrouth], env. N, 16.X.1998, C. Canepari leg. (1 ♁, 1 ♀ CG); Beirut [= Beyrouth], Frater Jean leg. (1 ♀ MNHN); Beirut, IV.1885, D. Ganglbauer leg. (1 ♀ ZMHB);— Mount Lebanon Governorate: between Aalita and Machnaqa, 1,000 m a.s.l., 4–15.V.2000, G. Sama leg. (1 ♀ CG); Kfar Debiane, 1,250 m a.s.l., 30.V.2016, C. Reuter leg. (4 ♁♁, 3 ♀♀ MR). NORTH MACEDONIA — Skopje Statistical Region: Petrovec, Katlanovo, Badar, 27.VII.1975 Wiese, U. Göllner leg. (1 ♁ ZMHB);— Southwestern Statistical Region: Ohrid, 22.VI.1973, B. Gruev leg. (1 ♀ MM);— Vardar Statistical Region: Kavadarci, P.Angelov, leg. (2 ♀♀ MM); no exact locality: Keretschkol, A. Schatzmayr leg. (1♁ MSNG). MOLDOVA: Bender [= Tighina, Bendery], VII.1936, S.G. Hering leg. (15 ♁♁, 13 ♀♀ ZMHB). MONTENEGRO: Herceg Novi [= Castelnuovo], [G. Paganetti-]Hummler leg. (3 ♁♁, 1 ♀ MSNG; 2 ♁♁, 2 ♀♀ ZMHB); Herceg Novi [= Castelnuovo], 15.VI.1911 A. Spaney & F. Schumacher leg. (17 ♁♁, 8 ♀♀ ZMHB); Kotor, 6.V.2012 (1 ♁ RR). POLAND — Lower Silesian Voivodeship: Wrocław, Maślice, 4.VII.2019, M. Wanat leg. (5 ♁♁, 1 ♀ MW);— Subcarpathian Voivodeship: Jarosław, Pasieka ul. Okrzei, 5.VII.2014, M. Wanat leg. (1 ♁, 1 ♀ MW). ROMANIA — Dobruja: Canaraua Fetei, Băneasa env., 1.VII.1998, H. Perrin leg., on Alcea rosea L. (5 ♁♁, 5 ♀♀ MNHN); Dumbrăveni, edge of the forest, 2.VII.1998, H. Perrin leg. (1 ♁, 1 ♀ MNHN); Măcin, 1908, A.L. Montandon leg. (3 ♀♀ MNHN);— Moldavia: Munteni (1 ♁ MRSN);— Transylvania: Cluj-Napoca, Zorilor, 19.VII. 2009, 350 m a.s.l., E. Colonnelli leg. (1 ♀ EC); Sântana de Mureș, Chinari [= Varhegy], Zoppa leg. (1 ♁ MRSN); Timișoara [= Temeswar] (1 ♁, 1 ♀ MNHN);— Wallachia: Comana, Vlasca, A.L. Montandon leg. (1 ♀ MNHN). RUSSIA (SOUTH EUROPEAN TERRITORY)— Southern Federal District: Krasnaja Poljana (5 ♁♁, 3 ♀♀ ZMHB); Volgograd [= Sarepta] (9 ♁♁, 18 ♀♀ MNHN; 1 ♁ ZMHB); Volgograd [= Sarepta], 5.VI.2000 (1 ♀ CG); no exact localities: Russie (1 ♁ MNHN); Russie mér. (1 ♁ BMNH; 6 ♁♁, 4 ♀♀ MNHN). SERBIA — Central Serbia: Požarevac (2 ♁♁, 2 ♀♀ ZMHB);— Vojvodina: Ruma [= Рума], Schwieger leg. (1 ♁, 2 ♀♀ MSNG). SLOVAKIA — Banská Bystrica Region: Radnovce [= Radnóth], E. Csiki leg. (2 ♁♁, 1 ♀ ZMHB);— Košice Region: Malý Horeš, 25.V.1995, M. Wanat leg. (1 ♁ MW);— Nitra Region: Gbelce (1 ♁ MSNG); Nitra [= Neutraer-Comitat], V. Zoufal leg. (2 ♁♁ MRSN); Štúrovo 23.V.1975, Fritsche leg. (14 ♁♁, 3 ♀♀ ZMHB); Štùrovo, Hegyfarok, 150 m a.s.l., 22.V.1992, M. Košťál leg. (1 ♁ MK). SLOVENIA — Slovene Littoral: Sežana, Vrhovlje env., 340 m a.s.l., 3.VI.2012, S. Zoia leg. (1 ♁ CG). SWITZERLAND — Canton of Lucerne: Buchrain, 5.VI.1995, M. Uhlig leg., on Malva sp. (1 ♀ ZMHB); Buchrain, 31.VII.2005, M. Uhlig leg., on Altaea sp. (15 ♁♁, 11 ♀♀ ZMHB);— Canton of Valais: Ausserberg, 1,000 m a.s.l., 5.VII.2015, C. Giusto leg., on Alcea rosea L. (11 ♁♁, 9 ♀♀ CG). SYRIA — As-Suwayda Governorate: As-Suwayda, 3.V.2008, Stěpánek leg. (2 ♁♁ AP);— Homs Governorate: Qala'at al Hosn, Krak des Chavaliers, 671 m a.s.l., 4.V.2009, M. Uliana leg. (1 ♁ LF);— Latakia Governorate: Latakia [= Lattaquie] (4 ♁♁, 4 ♀♀ MNHN). TURKEY — Aegean Region: Bergama 2.V.1916, S.G. Bauer leg. (1 ♀ ZMHB); Ýzmir [= Smyrne] (2 ♁♁, 1 ♀ MNHN); Ephesus, J. Sahlberg leg. (1 ♀ ZMHB); Ephesus, U. Sahlberg leg. (1 ♁ ZMHB);— Black Sea Region: Tokat [= Tkt] (31 ♁♁, 25 ♀♀ MNHN);— Central Anatolia Region: Ankara, Plant Protection Institute (3 ♁♁, 2 ♀♀ BMNH); Konya, 1899, Korb leg. (1 ♁, 1 ♀ ZMHB); Dereköy, 10 km W, 31.V.2011, F. Angelini leg. (1 ♁ CG);— Mediterranean Region: Adana (40 ♁♁, 26 ♀♀ MNHN); Amanusgebirge [= Nur Daðlarý], V–VIII.1914, Dr. Tölg leg. (1 ♀ MNHN); 20 km N of Anamur, 600 m a.s.l., 6.VI.2002, C. Giusto & S. Zoia leg., on Alcea rosea L. (4 ♁♁, 3 ♀♀ CG); Arslanköy, 1,450 m a.s.l., 3.VI.2002, C. Giusto & S. Zoia leg., on Alcea rosea L. (2 ♁♁, 4 ♀♀ CG); Çamlýyayla, 1,410 m a.s.l., 2.VI.2002, C. Giusto & S. Zoia leg., on Alcea rosea L. (4 ♁♁, 4 ♀♀ CG); Çamlýyayla env., 1,280 m a.s.l., 2.VI.2002, S. Zoia & C. Giusto leg., on Alcea rosea L. (1 ♁ CG); Kahramanmaraş, Püren Geçidi env., 1,550 m a.s.l., 23.V.2001, E. Colonnelli leg. (1 ♀ EC); Karaçay Bucaðý, env. NE, 100 m a.s.l., 31.V.2002, C. Giusto & S. Zoia leg. (4 ♁♁, 7 ♀♀ CG); Pazarcýk env., 1.VI.1983, M. Meregalli leg. (1 ♁, 1 ♀ MM); Samandað, Seleukeia Pieria, 40 m a.s.l., 1.VI.2002, C. Giusto & S. Zoia leg. (2 ♁♁, 3 ♀♀ CG); Tarsus (1 ♁ MNHN);— Marmara Region: Beşik Bay [= Besika Bay] (5 ♁♁, 5 ♀♀ BMNH); Istanbul [= Constantinople] (8 ♁♁, 12 ♀♀ MNHN); Istanbul, Scutari (12 ♁♁, 6 ♀♀ MNHN); no exact localities: [?] Lajoya (10 ♁♁, 3 ♀♀ MNHN); [?] le, de Buffiveuh (4 ♁♁, 1 ♀ MNHN); [?] Turcia, Allion (1 ♁ MNHN); Turkey (12 ♁♁, 10 ♀♀ MNHN); Anatolia [= Asia Minor] (2 ♀♀ BMNH; 2 ♁♁, 3 ♀♀ MNHN); Taurus Montains [= Lyciae Taurus], VI.1903 F. Hauser leg., 1 ♁ MRSN). TURKMENISTAN — Balkan Region: Serdar [= Kysil-Arwat], 1898, F. Hauser leg. (2 ♀♀ BMNH; 1 ♁, 1 ♀ CG; 2 ♁♁, 2 ♀ MRSN);— Mary Region: Chemen-i-Bid, 20–25.IV.1993, P. Čhechowsý leg. (2 ♁♁, 1 ♀ CG); no exact localities: Kopet-Dagh (3 ♁♁ MRSN); Saramsakli (2 ♀♀ MRSN). U.S.A. — Utah: Providence, 29.V.1970, G.F. Knowlton leg. (2 ♀♀ BMNH);— Minnesota: Moorhead, 3.IX.1970, J.R. Powers leg., on hollyhock seeds (1 ♁, 1 ♀ MW);— Missouri: Columbia, VII.1981 (1 ♁, 1 ♀ CG; 1 ♀ FS). UKRAINE — Autonomous Republic of Crimea: Crimea (1 ♁, 1 ♀ BMNH; 1 ♁ MNHN); Dmitrove, 250 m a.s.l., 19.IV.2008, M. Košťál leg. (1 ♁ MK); Dobre, 28.V.2005, J. Borowski leg. (1 ♀ MW); Simferopol (1 ♁, 1 ♀ ZMHB);— Khmelnytskyi Oblast: Kamyanets Podilskiy, Smotrich env., 26.VI.1996, M. Wanat leg. (1 ♁, 1 ♀ MW). Other no exact localities: Caucasus (2 ♀♀ MNHN); Stalino, IX.1943 (1 ♁ MNHN); Syrie (1 ♁, 3 ♀♀ MNHN); Syrie, C. Piochard de La Brûlerie leg. (1 ♀ MNHN); Tr. Casp. [= Transcaspia], Penschdeh (1 ♁ MNHN). Redescription (Ƌ ♀). Lb: ♁ 2.30–3.23 mm [2.80 mm], ♀ 2.25–3.44 mm [2.95 mm]. Body integument dark brown to piceous; apical tibial mucrones, coxae and trochanters brown to dark brown. Body scales piliform with more or less pointed apex (Figs. 10–11); only few scales on base of 3 rd elytral interval, at apex of elytra, on meso-and metanepisterna, on mesoepimera and at apex of femora with more or less truncate apex. Male rostrum as in Figs. 13–14, 17–18; in dorsal view, mesorostral dilatation slightly dentiform, prorostrum with slightly concave sides, feebly narrowing from mesorostral dilatation to apical third then weakly widened to apex; in profile, rostrum distinctly angulate above antennal insertion; Lr: 0.78–1.24 mm [0.99 mm]; Lpr: 0.54–0.91 mm [0.71 mm]; Lmtr: 0.21–0.36 mm [0.28 mm]; Wmsr: 0.20–0.25 mm [0.23 mm]; Lr/Wmsr: 4.23–5.17 [4.64]; Lr/Lp: 1.15–1.65 [1.41]; Lb/Lr: 2.42–2.90 [2.74]. Female rostrum as in Figs. 15–16, 19–20; in dorsal view, prorostrum with parallel sides, feebly widened toward apex in the apical fourth; Lr: 1.28–2.51 mm [1.88 mm]; Lpr: 0.95–1.94 mm [1.43 mm]; Lmtr: 0.29–0.62 mm [0.44 mm]; Wmsr: 0.15–0.22 mm [0.20 mm]; Lr/Wmsr: 7.81–11.75 [10.25]; Lr/Lp: 2.00–3.17 [2.54]; Lb/Lr: 1.34–1.79 [1.46]. Forehead densely punctate; punctures round, 17–23 µm in diameter, hardly separated or, very often, confluent to form striolae; interspaces matt, microsculptured. Antennae (Figs. 25–26) inserted at basal 0.24–0.32 [0.29] (♁) or 0.20–0.27 [0.24] (♀) of rostrum; La: ♁ 0.78–1.15 mm [0.98], ♀ 1.06–1.47 mm [1.25 mm]; Lc: ♁ 0.31–0.41 mm [0.36 mm], ♀ 0.32–0.42 mm [0.39 mm]; La/Lpr: ♁ 1.12–1.66 [1.37], ♀ 0.67–1.20 [0.86]; La/Lc: ♁ 2.66–3.06 [2.81], ♀ 2.81–3.58 [3.19]. Prothorax (Figs. 6–7) mostly isodiametric to slightly longer than wide, widest just behind middle; only few populations show weakly transverse prothorax; disc densely punctate, punctures round to oblong, 17–25 µm in diameter, hardly separated or, very often, confluent to form striolae; interspaces matt; Lp: ♁ 0.55–0.81 mm [0.68 mm], ♀ 0.55–0.89 mm [0.72 mm]; Wp: 0.56–0.80 mm [0.68 mm], ♀ 0.52–0.84 mm [0.72 mm]; Lp/Wp: ♁ 0.88–1.10 [1.00], ♀ 0.91–1.09 [1.01]. Scutellum subquadrate, matt. Elytra (Figs. 6–7), in dorsal view, with weakly rounded sides and weakly widening backwards; on elytral disc, intervals 2.9–3.3 times as wide as striae; Le: ♁ 1.57–2.25 mm [1.92 mm], ♀ 1.51–2.39 mm [2.02 mm]; We: ♁ 0.85–1.28 mm [1.05 mm], ♀ 0.83–1.30 mm [1.09 mm]; Le/We: ♁ 1.66–2.01 [1.82], ♀ 1.71–2.02 [1.86]. Legs with femora robust and rather swollen, 2.80–2.90 (♁), 2.91–3.04 (♀) times as long as wide; all male tibiae (Figs. 27–29) with short, blunt and oblique apical mucro; tarsi moderately elongate; 1 st segment 1.60–1.90 times as long as wide; 2 nd 1.12–1.37 times as long as wide, 0.80–0.84 times as long as 1 st; 3 rd 0.81–0.90 times as long as wide, with lobes well developed, 0.83–0.98 times as long as 2 nd; onychium 1.27–1.44 times as long as 2 nd segment. Male sternite IX as in Fig. 35. Tegmen (Figs. 36–37) with apical membranous lobes fairly long, subrounded, folded at base; suprafenestral sclerites with 2 long outer setae (only occasionally 3) and 1 shorter inner seta (occasionally 0). Penis (Figs. 41–44), in ventral view, with parallel sides from base to ostium then gradually restricted to apex. Female genitalia as in Figs. 49–53. Remarks. This species is very variable throughout its distribution.Apart from some local forms, it is possible to observe clinal variability of the following characters: vestiture composed of denser, whiter and thicker scales from North-West to South-East, probably as a response to increasing sunshine (Figs. 10–11); body size on average bigger in Europe than in the remaining territories; rostrum, particularly that of female, longer and more widened at apex in Europe while it tends to be shorter and more cylindrical in southern and eastern populations; analogously, and probably related to the length of the rostrum, prothorax is longer than wide in European and western Asiatic populations and isodiametric or even transverse in some Middle East populations. The \"typical\" form, decidedly predominant in the whole area, is characterized by long rostrum (Figs. 13–16) (Lr: ♁ 0.78–1.24 mm [0.99 mm], ♀ 1.60–2.51 mm [2.03 mm]; Lr/Wmsr: ♁ 3.71–5.17 [4.53], ♀ 8.00–13.00 [10.37]; Lr/Lb: ♁ 2.42–3.09 [2.79], ♀ 0.54–0.78 [0.68]), female prorostrum longer than antennae (Lpr/La: ♀ 1.05–1.50 [1.25]), prothorax, on average, longer than wide (Lp/Wp: ♁ 1.00–1.10 [1.03], ♀ 1.00–1.09 [1.03]) and vestiture composed of thin scales with pointed apex (Fig. 10). This form is associated with Alcea rosea L. A characteristic form has been found in Israel, exclusively along the Jordan Valley, on Alcea dissecta (Baker f.) Zohary. It is recognizable by its short rostrum, particularly in female (Figs. 17–20) (Lr: ♁ 0.82–1.06 mm [0.95 mm], ♀ 1.28–1.66 mm [1.48 mm]; Lr/Wmsr: ♁ 3.74–4.52 [4.24], ♀ 6.70–8.67 [7.52]; Lr/Lb: ♁ 2.75–3.22 [2.96], ♀ 0.47–0.55 [0.52]); female prorostrum, on average, shorter than antennae (Lpr/La: ♀ 0.86–1.00 [0.96]); transverse prothorax (Lp/Wp: ♁ 0.88–0.99 [0.97], ♀ 0.91–0.99 [0.96]) and vestiture similar to the \"typical\" one. A further form from Israel, not found in the Jordan Valley, associated with Alcea setosa (Boiss.) Alef., shows intermediate characters between the two previous forms (Lr: ♁ 0.82–1.11 mm [0.98 mm], ♀: 1.50–2.16 mm [2.01 mm]; Lr/Wmsr: ♁ 3.90–4.68 [4.25], ♀ 8.33–10.68 [9.76]; Lr/Lb: ♁ 2.79–3.04 [2.90], ♀ 0.58–0.69 [0.66]; Lpr/La: ♀ 1.04–1.20 [1.13]; Lp/Wp: ♁ 0.96–1.06 [1.00], ♀ 0.96–1.05 [1.00]). The last form, whose host plant is unknown, occurs in Afghanistan (Faryab Province: Goudgé Konti). It is similar to that from Jordan Valley, but it is characterized by longer rostrum (Lr: ♁ 0.96–1.23 mm [1.13 mm], ♀: 1.34–1.99 mm [1.73 mm]; Lr/Wmsr: ♁ 4.50–5.14 [5.02], ♀ 8.40–9.75 [8.85]; Lr/Lb: ♁ 2.48–2.98 [2.68], ♀ 0.53– 0.63 [0.58]), female prorostrum, on average, shorter than antennae (Lpr/La: ♀ 0.83–1.00 [0.90]), prothorax variable in length, on average isodiametric (Lp/Wp: ♁ 0.99–1.03 [1.00], ♀ 0.95–1.03 [1.00]) and vestiture composed of thicker scales (Fig. 11). Box-plots (Fig. 59) generated from analysis of data exclusively relating to female specimens and limitedly to four ratios (Lr/Lb, Lr/Wmsr, Lpr/La, Lp/Wp) show the differences among the forms mentioned above. For convenience, populations were grouped as follows: pop. 1: \"typical\" form from Istanbul (Constantinople and Scutari), host plant: A. rosea; pop. 2: all remaining populations belonging to the \"typical\" form, host plant: A. rosea; pop. 3: Israel (excluding Jordan Valley), host plant: A. setosa; pop. 4: Israel (Jordan Valley), host plant: A. dissecta; pop. 5: Afghanistan: Goudgé Konte, host plant: unknown. Distribution. Palaearctic Region: Algeria, Portugal, Spain, France, Luxembourg, The Netherlands, Germany, Poland, Ukraine, Moldova, Romania, Hungary, Slovakia, Czech Republic, Austria, Switzerland, Italy, Slovenia, Croatia, Bosnia and Herzegovina, Serbia, Montenegro, Albania, North Macedonia, Bulgaria, Greece, Cyprus, Egypt, Israel, Jordan, Lebanon, Syria, Turkey, Georgia, Russia (South European Territory), Azerbaijan, Armenia, Iran, Afghanistan, Turkmenistan, Kyrgyzstan (Alonso-Zarazaga et al. 2017, Furlan 2002, Grosso-Silva 2005, Tuba & Lakatos 2010). Nearctic Region (introduced): Canada (British Columbia, Ontario, Quebec, Nova Scotia), U.S.A. (Washington, Oregon, California, Utah, Colorado, Kansas, Iowa, Minnesota, Wisconsin, New York, Vermont, Maine, New Hampshire, Massachusetts, Pennsylvania, Maryland, Ohio, Virginia, Kentucky, Illinois, Missouri, Arkansas, Tennessee, North Carolina, South Carolina, Georgia) (Kissinger 1968; Majka et al. 2007, 2011; O'Brien & Wibmer 1982; Per- rin 1984; Salsbury 2000; Tuba & Lakatos 2010). Remarks. This species is reported here, for the first time, from Bosnia and Herzegovina, Egypt, Kyrgyzstan, and in North America from Utah and Minnesota. The ascertained presence in Kazakhstan and Uzbekistan only of R. celatum n. sp. and its possible presence also in Tajikistan suggest that former records concerning the presence of R. longirostre in these areas should be considered plausible, but requiring confirmation (see Schatzmayr 1923, Osella 1966, Osella 1968, Nasreddinov 1975, Meregalli & Osella 1978, Perrin 1984, Arzanov 1990, Alonso-Zarazaga 2011, Alonso-Zarazaga et al. 2017). For this reason Kazakhstan, Uzbekistan and Tajikistan have been temporarily excluded from the distribution of R. longirostre (Fig. 64). Bionomy. This is a widespread and abundant species that lives in xeric or xerothermophilous habitats from low altitudes, 190 m b.s.l., to mountains up to 1,550 m a.s.l. It is associated with Alcea digitata Alef., Alcea dissecta (Baker f.) Zohary, Alcea rosea L. and Alcea setosa (Boiss.) Alef. Considerations regarding possible additional host plants and further bionomic notes are summarized above, as indicated in the paragraph dedicated to the bionomy of the genus.", + "description_en": "Rhopalapion longirostre (Olivier, 1807) (Figs. 1–7, 10–11, 13–20, 25–29, 35–37, 41–44, 49–53) Apion longirostre Olivier, 1807: 35; Pl. III Figs. 51.a, 51.b Apion (Rhopalapion) longirostre; Schilsky 1906: V Rhopalapion longirostre; Alonso-Zarazaga 1990: 71 Pseudapion (Rhopalapion) longirostre; Ehret 1994: 8 Type locality. Constantinople [= Istanbul] (Marmara Region, Turkey). Diagnosis. A Rhopalapion species differing from R. celatum n. sp. in the following combination of characters: male protibiae mucronate; rostrum, in both sexes, on average, more slender (Lr/Wmsr: ♁ 4.23–5.17 [4.64], ♀ 7.81–11.75 [10.25]); in dorsal view, mesorostral dilatation well developed, a little bit dentiform in male and rounded in female; prorostrum with sides feebly concave, particularly in female; prothorax, on average, isodiameric (Lp/Wp: ♁ 0.88–1.10 [1.00], ♀ 0.91–1.09 [1.01]); disc densely punctate with punctures round to oblong, sometime confluent to form striolae, and interspaces microreticulate; elytra, in dorsal view, elongate in outline, with rounded sides; male meso- and metatibiae with smaller, blunt and oblique apical mucro; different shape of genitalia, in particular, tegmen with shorter apical membranous lobes, subrounded, folded at base and separated by a thin median notch; suprafenestral sclerites with 1–2 long outer setae and 1 shorter inner seta (occasionally 0). Type series. Olivier described and illustrated this species from an unspecified number of male and female specimens from Constantinople, the current Istanbul. In his collection, stored in the Muséum National d'Histoire Naturelle, Paris, there are six specimens, one here designated as lectotype and the remaining five becoming paralectotypes. One ♁ and 2 ♀♀ are mounted on one card (Figs. 1, 3–5), labelled: longirostre / Const. [= Constantinople] [big handwritten label] // Olivier [little round handwritten label] // MUSEUM PARIS / OLIVIER 1834 [rectangular label (1834 is the year in which the specimens became part of the museum's collection)] // LECTOTYPUS ♁ / Apion longirostre / Olivier, 1807 / C. Giusto des. 2019 [red rectangular printed label] // PARALECTOTYPUS ♀ / Apion longirostre / Olivier, 1807 / C. Giusto des. 2019 [two red rectangular printed labels]. The ♁ specimen on this card is designated as the lectotype. There are also an additional 1 ♁ and 2 ♀♀, mounted on another card (Fig. 2), labelled: Olivier [little round handwritten label] // MUSEUM PARIS / OLIVIER 1834 [rectangular label] // PARALECTOTYPUS ♁ / Apion longirostre Olivier, 1807 / C. Giusto des. 2019 [red rectangular printed label] // PARALECTOTYPUS ♀ / Apion longirostre / Olivier, 1807 / C. Giusto des. 2019 [two red rectangular printed labels]. Material examined. AFGHANISTAN — Faryab Province: Goudgé Konti, 7.VI.1959, G. Remaudère leg., on Althaea (16 ♁♁, 22 ♀♀ MNHN);— Herat Province: Kushk [= Kuschke, Kusche] (2 ♀♀ BMNH; 1 ♁, 1 ♀ CG; 11 ♁♁, 3 ♀♀ MRSN);— Paktia Province: Gardez, 18.VI.1959, G. Remaudère leg. (1 ♁ MNHN). ALGERIA — Blida Province: Blidah (3 ♁♁, 4 ♀♀ MNHN). ARMENIA: no exact localities: Aras River Valley [= Araxesthal], H. Leder & E. Reitter leg. (1 ♁, 1 ♀ MNHN); Armenia (2 ♀♀ MNHN). AUSTRIA — Lower Austria: Bisamberg, 250 m a.s.l., 9.X.1999, C. Giusto leg., on Alcea rosea L. (1 ♀ CG);— Vienna: Salamannsdorf, 280 m a.s.l., 9.X.1999, C. Giusto leg., on Alcea rosea L. (1 ♁, 2 ♀♀ CG); Vienna env. (1 ♁, 1 ♀ ZMHB); Vienna env., Ad. Hoffmann leg. (2 ♀♀ ZMHB); Vienna env., E. Moczarski leg. (1 ♁ ZMHB). AZERBAIJAN — Agdash District: Aðdaþ [= Aresch] (2 ♁♁, 2 ♀♀ MNHN);— Ganja-Qazakh District: Ganja [= Elisabetpol] (1 ♁, 1 ♀ CG; 2 ♁♁, 1 ♀ MRSN);— Lankaran District: Lankaran [= Lenkoran], 1897, Korb leg. (1 ♁, 1 ♀ ZMHB); Lankaran [= Lenkoran], Dr. Martin leg. (1 ♁ MNHN). BOSNIA AND HERZEGOVINA: Moglitz, 18.VI.1912 (1 ♁, 1 ♀ ZHMB). BULGARIA — Blagoevgrad: Melnik, 26–27.VI.1979, M. Mazur leg. (5 ♁♁, 4 ♀♀ MW); Melnik env., 12–19.V.1981, H. Wendt leg. (2 ♁♁, 1 ♀ ZMHB); Melnik env., 12–20.V.1981, H. Wendt leg. (1 ♀ ZMHB);— Burgas: Brjastovec env., 19.V.2009, M.G. Morris leg., reared from Alcaea rosea L. (2 ♁♁ MGM); Brjastovec env., 21.V.2012, M.G. Morris leg., reared from Alcaea rosea L. (1 ♀ MGM); Burgas, V.Apfelbeck leg. (1 ♁, 1 ♀ ZMHB); Otmanli, 12.VII.1977 (1 ♁ MM);— Dobrič: Batovo env., 27.V.2007, M.G. Morris leg. (1 ♀ MGM);— Plovdiv: Kalofer, 14.VII.1978, Borowiec leg. (1 ♁ MW);— Sofia: Samokov, 16.VII.1997, H. Perrin leg., on Alcaea rosea L. (3 ♁♁, 3 ♀♀ MNHN); Samokov, 1– 4.VIII.1998, J.P. Carbonnel leg., on Alcaea rosea L. (1 ♁, 1 ♀ MNHN); Sofia, V.Apfelbeck leg. (1 ♁, 1 ♀ ZMHB);— Varna: Albena env., 7.VI.2006, M.G. Morris leg. (1 ♀ MGM); Tsarkva env., 15.VI.2006, M.G. Morris leg., on Alcaea rosea L. (1 ♁ MGM). CROATIA — Dubrovnik-Neretva County: Dubrovnik [= Ragusa], V.1899, K. Flach leg. (1 ♁ ZMHB); Korčula [= Isola di Curzola], VI.1911, Mussapp leg. (2 ♁♁, 2 ♀♀ MSNG);— Istria County: Rabac, 27.VI–1.VII.1980, L. Cederholm leg. (1 ♀ MW);— Split-Dalmatia County: Spilt, Adria, 8.VII.1939 (1 ♁, 1 ♀ ZMHB);— Zadar County: Zadar [= Zara] env., Müller leg. (1 ♁, 1 ♀ ZMHB); no exact locality: Dalmatia (2 ♀♀ MRSN). CYPRUS: Drouseia, 550 m a.s.l., 17.IV.2010, C. Giusto leg., on Alcea rosea L. (11 ♁♁, 3 ♀♀ CG); Fama- gusta, 5.VII.1931, L. Komites leg., on Citrus sinensis (L.) Osbeck (2 ♁♁, 1 ♀ BMNH); Kidási, 250 m a.s.l., 23.IV.2010, C. Giusto leg., on Alcea rosea L. (5 ♁♁, 2 ♀♀ CG). EGYPT: no exact locality: Aegypt, O. Schneider leg. (1 ♁ ZMHB). FRANCE — Auvergne-Rhône-Alpes: Les Barquets, 5.VI.1991, on Alcea rosea L. (1 ♁ BMNH); Vassieux-en-Vercors, 1,100 m a.s.l., 9.X.2012, C. Giusto leg., on Alcea rosea L. (1 ♀ CG);— Corse: Furiani env., 200 m a.s.l., 3.VI.1996, C. Giusto leg., on Alcea rosea L. (3 ♁♁, 1 ♀ CG); no exact locality: Corse (1 ♁, 2 ♀♀ MRSN);— Novelle-Aquitaine: Aunac, VIII.1992, A. Datta leg., reared from seeds of hollyhock (3 ♁♁, 2 ♀♀ BMNH);— Occitanie: Etang de Leucate, shore SW, 1 m a.s.l., 24.VI.1995, C. Giusto leg., on Alcea rosea L. (1 ♀ CG);— Provence-Alpes-Côte d'Azur: Cabasse, env. S, 220 m a.s.l. ca., 20.V.2013, C. Giusto, G. Gardini & S. Zoia leg. (1 ♀ CG); Gourdon, env. S, 700 m a.s.l., 21.V.2013, C. Giusto, G. Gardini & S. Zoia leg. (1 ♁ CG); Malaucene, 360 m a.s.l., 23.VI.1993, C. Giusto leg., on Alcea rosea L. (5 ♁♁, 9 ♀♀ CG); Martigues, Cap Couronne, 5 m a.s.l., 17.V.2013, C. Giusto, G. Gardini & S. Zoia leg., on Alcea rosea L. (1 ♀ CG); Massif de la Sainte Baume, Plan d'Aups, 680 m a.s.l., 18.VI.1995, C. Giusto leg., on Alcea rosea L. (5 ♁♁, 5 ♀♀ CG); Mont Ventoux, S slopes, Ft. De Rolland, 500–600 m a.s.l., 23.VI.1993, C. Giusto leg., on Alcea rosea L. (10 ♁♁, 7 ♀♀ CG); Saint-Maximinla-Sainte-Baume, 26.V.1988, C. Giusto leg., on Alcea rosea L. (16 ♁♁, 16 ♀♀ CG); Vence, 25.V.1988, C. Giusto leg., on Alcea rosea L. (1 ♁ CG). GEORGIA — Adjara: Batumi [= Batoum] (1 ♁, 1 ♀ MNHN);— Abkhazia: Pitsunda [= Püsunda], coast, 18–30.V.1970, Ermisch leg. (1 ♀ ZMHB);— Mtskheta-Mtianeti: Mtskheta [= Mzcheta], 23–30.VI.1986, Wrase & Schülke leg. (1 ♁, 2 ♀♀ ZMHB); Zahesi [= Zehneti], 800 m a.s.l., 1–10.VI.1987, Wrase & Schülke leg. (1 ♀ ZMHB);— Shida Kartli: Bekami 10.VII.1983, I. Lopatin leg. (1 ♀ MW);— Tbilisi: Kachreti, 5 km E, 600 m a.s.l., 11.VII.2011, M. Košťál leg. (1 ♁, 1 ♀ MK). GERMANY — Baden-W̹rttemberg: Oberndofr, 04.IX.2004, M. Eifler leg. (4 ♁♁, 1 ♀ ZMHB);— Berlin: Berlin, 13.VI.2014, J. Willers leg., on Malva sp. (1♀ ZMBH); Dahlem, Botanical Garden, 21.VI.2002, J. Willers leg., on Malva sp. (1 ♁ ZMHB); Dahlem, Botanical Garden, 22.VI.2002, J. Willers leg., on Malva sp. (1 ♁ ZMHB);— Mecklenburg-West Pomerania: Karlsburg (1 ♁, 1 ♀ ZMHB). GREECE — Central Macedonia: Thessaloniki [= Salonique] (1 ♁ MNHN);— Corfu: Corfu (1 ♀ BMNH);— Crete: Anogeia, 700 m a.s.l., 9.VI.1998, Beretta leg. (1 ex. MB);— Eastern Macedonia and Thrace: Metaxades, 28.V.2007, F. Angelini leg. (1 ex. FA); Protokklisi, 28.V.2007, F. Angelini leg. (29 exx. FA);— Epirus: Perama env., 31.V.1989, S. Zoia leg. (1 ♀ CG);— North Aegean: Lemnos, IV–VI.15 (2 ♁♁ MNHN); Lesbo, U. Sahlberg leg. (1 ♁, 1 ♀ ZMHB); Mount Olympus, 14.VI.70 (2 ♁♁, 2 ♀♀ ZMHB); Mount Olympus (1 ♁ MRSN);— Peloponnese: Kastania, 1,200 m a.s.l., 8.V.2004, F. Angelini leg. (2 exx. FA); Tripoli, 28.VII.1978, F. Sacco leg. (3 ♀♀ FS);— Thessaly: Meteora, 19.V.2005, F. Angelini leg. (2 exx. FA);— Western Greece: Kalavryta, 28–29.IV.1999, F. Angelini leg. (1 ex. FA);— Western Macedonia: Kratero, 10.VI.2007, F. Angelini leg. (1 ex. FA); no exact locality: Greece (1 ♀ MNHN). HUNGARY — Central Hungary: Pest, K. Saio leg. (1 ♁, 3 ♀♀ ZMHB);— Central Transdanubia: Balatonkenese (3 ♁♁, 2 ♀♀ ZMHB); Balatonkenese, 28.V.1972, Fix leg. (1 ♁, 2 ♀♀ ZMHB); Balatonkenese, 7.VI.1978, Fix leg. (2 ♀♀ ZMHB); Balatonkenese, Lake Balaton [= Plattensee], 20.V.1972 (1 ♀ ZMHB); Hajmáskér, 200 m a.s.l., 16.V.1996, M. Košťál leg. (1 ♁ MK); Lake Balaton [= Plattensee], 1.VI.1972 (2 ♀♀ ZMHB); Lake Balaton [= Plattensee], 2.VI.1972 (1 ♁ ZMHB); Lake Balaton [= Plattensee], 3.VI.1972 (1 ♁ ZMHB); Lake Balaton [= Plattensee], 4.VI.1972 (2 ♁♁, 1 ♀ ZMHB);— Northern Great Plain: Jászberény, Pórtelek (1 ♀ ZMHB);— Southern Transdanubia: Villány env., V.1980, Sieber leg. (1 ♁, 2 ♀♀ ZMHB); no exact localities: Hungary (1 ♁, 2 ♀♀ BMNH); N Hungary (2 ♁, 2 ♀♀ MRSN). IRAN — Golestan Province: Gorgan, Golestan National Park [= Forêt de Golestan], 23.VI.1965, L. Matile leg. (1 ♁ MNHN); Gorgan, Golestan National Park [= Forêt de Golestan], 24.VI.1965, L. Matile leg. (3 ♁♁, 1 ♀ MNHN); Gorgan, Nahar Khvoran [= Forêt de Naharkhoran], 25.VI.1965, L. Matile leg. (2 ♀♀ MNHN);— Mazandaran Province: Kalardasht, 28.VI.1965, L. Matile leg. (1 ♀ MNHN);— Teheran Province: Teheran, 5.XI.1874, A. Kerim leg. (1 ♀ MNHN). ISRAEL — Haifa District: Beit Oren env., 220 m a.s.l., 6.IV.2014, C. Giusto leg. (8 ♁♁, 9 ♀♀ CG); Haifa [= Caïffa] (3 ♁♁, 1 ♀ MNHN); Mishmar HaCarmel, 310 m a.s.l., 6.IV.2014, C. Giusto leg., on Alcea setosa (Boiss.) Alef. (17 ♁♁, 16 ♀♀ CG); Nahal Oren, 3.IV.1995, E. Colonnelli leg. (1 ♀ FS);— Judea and Samaria Area: Ariel, 6.V.2010, L. Friedman leg., on Alcea setosa (3 ♁♁, 4 ♀♀ CG);— Northern District: 2 km E of Banias, 29.V.1973, I. Löbl leg. (1 ♁ MW); Ein Gev, 185 m b.s.l., 4.IV.2014, C. Giusto leg., on Alcea dissecta (Baker f.) Zohary (9 ♁♁, 7 ♀♀ CG); Ha Yarden Park, 190 m b.s.l., 4–5.IV.2014, C. Giusto leg., on Alcea dissecta (Baker f.) Zohary (31 ♁♁, 20 ♀♀ CG); Nazareth, P. de La Brûlerie leg. (1 ♁, 1 ♀ MNHN); Snir, 280 m a.s.l., 5.IV.2014, C. Giusto leg., on Alcea setosa (Boiss.) Alef. (9 ♁♁, 7 ♀♀ CG); Tel Dan, 180 m a.s.l., 5.IV.2014, C. Giusto leg. (12 ♁♁, 2 ♀♀ CG); no exact localities: Israel, reared from seeds of Alcea digitata (1 ♀ BMNH); Palestine, on Alcea setosa (Boiss.) Alef. (1 ♁, 1 ♀ MW). ITALY — Aosta Valley: Aosta, Porossan, 5.VII.1978, G. Bartoli leg. (28 ♁♁, 14 ♀♀, MSNG);— Emilia-Romagna: Castelnovo ne' Monti, 700 m a.s.l., 24.VI.1984, C. Giusto leg. (1 ♀ CG); Gatteo, Sant'Angelo, 14.VI.2011, G. Platia leg. (3 ♁♁, 4 ♀♀ CG); Verghereto, Alfero, 22.VI.1972, Botto leg. (1 ♁ CG); Verghereto, Alfero, 20.VI.1972, Botto leg. (2 ♁♁, 3 ♀♀ MSNG);— Friuli-Venezia Giulia: Monfalcone, Lisert, 5.IX.2010, L. Morin leg. (2 ♀♀ LF); Monfalcone, Lisert, 24.VI.2012, L. Morin leg. (2 ♀♀ LF);— Liguria: Genova, Aggio, 8.VIII.1986, C. Giusto leg., on Alcea rosea L. (6 ♁♁, 5 ♀♀ CG); Genova, Bavari, 300 m a.s.l. ca., 25.VII.1985, C. Giusto leg., on Alcea rosea L. (11 ♁♁, 2 ♀♀ CG); Genova-Nervi, 23.VI.1972, S. Riese leg. (1 ♁, 4 ♀♀ MSNG); Genova-Nervi, 29.V.1972, S. Riese leg. (2 ♁♁, 1 ♀ MSNG); Mignanego, Paveto, 23.VII.1983, G. Ratto leg. (2 ♀♀ CG); Montoggio, Creto, 27.IV.1989, C. Giusto leg., on Alcea rosea L. (1 ♁, 2 ♀ CG); Sant'Olcese, 300 m a.s.l., 22.III.1989, C. Giusto leg., on Alcea rosea L. (1 ♁, 3 ♀♀ CG); Stella, 20.VI.1988, C. Giusto leg., on Alcea rosea L. (2 ♁♁, 1 ♀ CG); Tiglieto, 400 m a.s.l. ca., VII.1984, C. Giusto leg., on Alcea rosea L. (14 ♁♁, 8 ♀♀ CG); Tiglieto, 500 m a.s.l. ca., VIII.2013, M. Giusto leg., on Alcea rosea L. (25 ♁♁, 25 ♀♀ CG); Urbe, Martina Olba, 484 m a.s.l., 1.VI.1986, C. Giusto leg., on Alcea rosea L. (1 ♁ CG); Urbe, Martina Olba, 484 m a.s.l., VIII.1984, C. Giusto leg., on Alcea rosea L. (15 ♁♁, 15 ♀♀ CG);— Lombardy: Toscolano Maderno, 13.VII.1969 (1 ♀ CG); Varzi env., 420 m a.s.l., 4.VI.1995, C. Giusto leg., on Alcea rosea L. (6 ♁♁, 6 ♀♀ CG);— Piedmont: Acqui Terme, Ovrano, 300 m a.s.l., 19.VI.1977, G. Salamanna leg. (22 ♁♁, 14 ♀♀ MSNG); Condove, Lajetto, 900 m a.s.l., C. Giusto leg., on Alcea rosea L. (14 ♁♁, 5 ♀♀ CG); Cuorgnè, Roncasso, 417 m a.s.l., 7.IV.1981, P.M. Giachino leg. (1 ♀ MRSN); Laghi della Lavagnina, 25.V.1990, R. Cardara leg. (1 ♁ RC); Lerma, Mond'Ovile, 23.VII.1973, S. Riese leg. (2 ♁♁, 3 ♀♀ MSNG); Montaldo di Mondovì, 800 m a.s.l., 6.VIII.1995, C. Giusto leg., on Alcea rosea L. (6 ♁♁, 3 ♀♀ CG); Monte Musinè, 2.VI.1975, Ribottaro leg. (1 ♁ MRSN); Novalesa, 12.VII.1982, G. Bartoli leg. (7 ♁♁, 6 ♀♀ MSNG); Roasio, 10.VI.1979, R. Caldara & A. Ongaro leg. (1 ♁ RC); Sampéyre, 970 m a.s.l., 5.VIII.1997, C. Giusto leg., on Alcea rosea L. (2 ♁♁, 2 ♀♀ CG); Torre Pellice, 7–15.VII.1980, G. Bartoli leg. (14 ♁♁, 15 ♀♀ MSNG);— Sardinia: Barúmini, 180–200 m a.s.l., 6.VII.1999, C. Meloni leg. (1 ♁ MSNG);— Sicily: Isnello, Piano Zucchi, 1,100 m a.s.l., 16.V.2008, C. Baviera & A. Rando leg. (3 exx. CB); Nicolosi, 6.IX.2015, on Alcea rosea L. (1 ♀ CG; 1 ♁, 1 ♀ MSNG); Novara di Sicilia, 650 m a.s.l., 25.V.2000, G. Müller leg. (1♁, 1 ♀ GM); Taormina, 300 m a.s.l., 1.VI.2000, G. Müller leg. (1♁, 1 ♀ GM);— Tuscany: Bagno a Ripoli, 9.VIII.1978, G. Bartoli leg. (1 ♁ MSNG); Firenze env., V.1994, A. Bordoni leg. (1 ex. AB); Isola d'Elba, Campo nell'Elba, Marina di Campo, 100 m a.s.l., 28.IV.1993, C. Giusto leg., on Alcea rosea L. (1 ♀ CG); Minucciano, Lago di Gramolazzo, 680 m a.s.l., 20.V.1998, F. Angelini leg. (1 ex. FA); Montanare di Cortona, 310 m a.s.l., 1.VIII.2015, C. Giusto leg., on Alcea rosea L. (35 ♁♁, 55 ♀♀ CG);— Umbria: Costacciaro, 520 m a.s.l., 8.VI.2016, M. Bocci leg. (11 ♁♁, 7 ♀♀ FA);— Veneto: Monteviale, Costigiole, 22.V.1988, P. Fontana leg. (2 exx. SB); Pove del Grappa, 27.V.1993, S. Biondi leg. (2 exx. SB); Santorso, Roagna, 3.V.1993, S. Biondi leg. (1 ex. SB); Sarego, Monte Roccolo, 10.VIII.1980, A. Bizzi leg. (24 exx. SB); Val Liona, Grancona (2 exx. SB); Velo Veronese, 1,050 m a.s.l. ca., 22.IX.2013, C. Giusto & G. Gardini leg., on Alcea rosea L. (2 ♁♁, 3 ♀♀ CG); Vicenza, 22.V.1975, Beretta leg. (3 ♀♀ MSNG); Vicenza, 28.V.1975, Beretta leg. (3 ♁♁, 3 ♀♀ CG). KYRGYZSTAN — Chuy Region: Bishkek, 1–3.VI.2003, R. Dobosz leg. (1 ♁ MW); Beshkungei near Bishkek, 800 m a.s.l., 18.VI.2006, R. Ruta leg. (2 ♁♁ MW). LEBANON — Beqaa Governorate: Rachaiya env., 5 km S, Tannoura, 6.VI.2016, C. Reuter leg. (3 ♁♁, 1 ♀ MR);— Beirut Governorate: Beirut [= Beyrouth] (1 ♁, 1 ♀ BMNH; 12 ♁♁, 19 ♀♀ MNHN); Beirut [= Beyrouth], env. N, 16.X.1998, C. Canepari leg. (1 ♁, 1 ♀ CG); Beirut [= Beyrouth], Frater Jean leg. (1 ♀ MNHN); Beirut, IV.1885, D. Ganglbauer leg. (1 ♀ ZMHB);— Mount Lebanon Governorate: between Aalita and Machnaqa, 1,000 m a.s.l., 4–15.V.2000, G. Sama leg. (1 ♀ CG); Kfar Debiane, 1,250 m a.s.l., 30.V.2016, C. Reuter leg. (4 ♁♁, 3 ♀♀ MR). NORTH MACEDONIA — Skopje Statistical Region: Petrovec, Katlanovo, Badar, 27.VII.1975 Wiese, U. Göllner leg. (1 ♁ ZMHB);— Southwestern Statistical Region: Ohrid, 22.VI.1973, B. Gruev leg. (1 ♀ MM);— Vardar Statistical Region: Kavadarci, P.Angelov, leg. (2 ♀♀ MM); no exact locality: Keretschkol, A. Schatzmayr leg. (1♁ MSNG). MOLDOVA: Bender [= Tighina, Bendery], VII.1936, S.G. Hering leg. (15 ♁♁, 13 ♀♀ ZMHB). MONTENEGRO: Herceg Novi [= Castelnuovo], [G. Paganetti-]Hummler leg. (3 ♁♁, 1 ♀ MSNG; 2 ♁♁, 2 ♀♀ ZMHB); Herceg Novi [= Castelnuovo], 15.VI.1911 A. Spaney & F. Schumacher leg. (17 ♁♁, 8 ♀♀ ZMHB); Kotor, 6.V.2012 (1 ♁ RR). POLAND — Lower Silesian Voivodeship: Wrocław, Maślice, 4.VII.2019, M. Wanat leg. (5 ♁♁, 1 ♀ MW);— Subcarpathian Voivodeship: Jarosław, Pasieka ul. Okrzei, 5.VII.2014, M. Wanat leg. (1 ♁, 1 ♀ MW). ROMANIA — Dobruja: Canaraua Fetei, Băneasa env., 1.VII.1998, H. Perrin leg., on Alcea rosea L. (5 ♁♁, 5 ♀♀ MNHN); Dumbrăveni, edge of the forest, 2.VII.1998, H. Perrin leg. (1 ♁, 1 ♀ MNHN); Măcin, 1908, A.L. Montandon leg. (3 ♀♀ MNHN);— Moldavia: Munteni (1 ♁ MRSN);— Transylvania: Cluj-Napoca, Zorilor, 19.VII. 2009, 350 m a.s.l., E. Colonnelli leg. (1 ♀ EC); Sântana de Mureș, Chinari [= Varhegy], Zoppa leg. (1 ♁ MRSN); Timișoara [= Temeswar] (1 ♁, 1 ♀ MNHN);— Wallachia: Comana, Vlasca, A.L. Montandon leg. (1 ♀ MNHN). RUSSIA (SOUTH EUROPEAN TERRITORY)— Southern Federal District: Krasnaja Poljana (5 ♁♁, 3 ♀♀ ZMHB); Volgograd [= Sarepta] (9 ♁♁, 18 ♀♀ MNHN; 1 ♁ ZMHB); Volgograd [= Sarepta], 5.VI.2000 (1 ♀ CG); no exact localities: Russie (1 ♁ MNHN); Russie mér. (1 ♁ BMNH; 6 ♁♁, 4 ♀♀ MNHN). SERBIA — Central Serbia: Požarevac (2 ♁♁, 2 ♀♀ ZMHB);— Vojvodina: Ruma [= Рума], Schwieger leg. (1 ♁, 2 ♀♀ MSNG). SLOVAKIA — Banská Bystrica Region: Radnovce [= Radnóth], E. Csiki leg. (2 ♁♁, 1 ♀ ZMHB);— Košice Region: Malý Horeš, 25.V.1995, M. Wanat leg. (1 ♁ MW);— Nitra Region: Gbelce (1 ♁ MSNG); Nitra [= Neutraer-Comitat], V. Zoufal leg. (2 ♁♁ MRSN); Štúrovo 23.V.1975, Fritsche leg. (14 ♁♁, 3 ♀♀ ZMHB); Štùrovo, Hegyfarok, 150 m a.s.l., 22.V.1992, M. Košťál leg. (1 ♁ MK). SLOVENIA — Slovene Littoral: Sežana, Vrhovlje env., 340 m a.s.l., 3.VI.2012, S. Zoia leg. (1 ♁ CG). SWITZERLAND — Canton of Lucerne: Buchrain, 5.VI.1995, M. Uhlig leg., on Malva sp. (1 ♀ ZMHB); Buchrain, 31.VII.2005, M. Uhlig leg., on Altaea sp. (15 ♁♁, 11 ♀♀ ZMHB);— Canton of Valais: Ausserberg, 1,000 m a.s.l., 5.VII.2015, C. Giusto leg., on Alcea rosea L. (11 ♁♁, 9 ♀♀ CG). SYRIA — As-Suwayda Governorate: As-Suwayda, 3.V.2008, Stěpánek leg. (2 ♁♁ AP);— Homs Governorate: Qala'at al Hosn, Krak des Chavaliers, 671 m a.s.l., 4.V.2009, M. Uliana leg. (1 ♁ LF);— Latakia Governorate: Latakia [= Lattaquie] (4 ♁♁, 4 ♀♀ MNHN). TURKEY — Aegean Region: Bergama 2.V.1916, S.G. Bauer leg. (1 ♀ ZMHB); Ýzmir [= Smyrne] (2 ♁♁, 1 ♀ MNHN); Ephesus, J. Sahlberg leg. (1 ♀ ZMHB); Ephesus, U. Sahlberg leg. (1 ♁ ZMHB);— Black Sea Region: Tokat [= Tkt] (31 ♁♁, 25 ♀♀ MNHN);— Central Anatolia Region: Ankara, Plant Protection Institute (3 ♁♁, 2 ♀♀ BMNH); Konya, 1899, Korb leg. (1 ♁, 1 ♀ ZMHB); Dereköy, 10 km W, 31.V.2011, F. Angelini leg. (1 ♁ CG);— Mediterranean Region: Adana (40 ♁♁, 26 ♀♀ MNHN); Amanusgebirge [= Nur Daðlarý], V–VIII.1914, Dr. Tölg leg. (1 ♀ MNHN); 20 km N of Anamur, 600 m a.s.l., 6.VI.2002, C. Giusto & S. Zoia leg., on Alcea rosea L. (4 ♁♁, 3 ♀♀ CG); Arslanköy, 1,450 m a.s.l., 3.VI.2002, C. Giusto & S. Zoia leg., on Alcea rosea L. (2 ♁♁, 4 ♀♀ CG); Çamlýyayla, 1,410 m a.s.l., 2.VI.2002, C. Giusto & S. Zoia leg., on Alcea rosea L. (4 ♁♁, 4 ♀♀ CG); Çamlýyayla env., 1,280 m a.s.l., 2.VI.2002, S. Zoia & C. Giusto leg., on Alcea rosea L. (1 ♁ CG); Kahramanmaraş, Püren Geçidi env., 1,550 m a.s.l., 23.V.2001, E. Colonnelli leg. (1 ♀ EC); Karaçay Bucaðý, env. NE, 100 m a.s.l., 31.V.2002, C. Giusto & S. Zoia leg. (4 ♁♁, 7 ♀♀ CG); Pazarcýk env., 1.VI.1983, M. Meregalli leg. (1 ♁, 1 ♀ MM); Samandað, Seleukeia Pieria, 40 m a.s.l., 1.VI.2002, C. Giusto & S. Zoia leg. (2 ♁♁, 3 ♀♀ CG); Tarsus (1 ♁ MNHN);— Marmara Region: Beşik Bay [= Besika Bay] (5 ♁♁, 5 ♀♀ BMNH); Istanbul [= Constantinople] (8 ♁♁, 12 ♀♀ MNHN); Istanbul, Scutari (12 ♁♁, 6 ♀♀ MNHN); no exact localities: [?] Lajoya (10 ♁♁, 3 ♀♀ MNHN); [?] le, de Buffiveuh (4 ♁♁, 1 ♀ MNHN); [?] Turcia, Allion (1 ♁ MNHN); Turkey (12 ♁♁, 10 ♀♀ MNHN); Anatolia [= Asia Minor] (2 ♀♀ BMNH; 2 ♁♁, 3 ♀♀ MNHN); Taurus Montains [= Lyciae Taurus], VI.1903 F. Hauser leg., 1 ♁ MRSN). TURKMENISTAN — Balkan Region: Serdar [= Kysil-Arwat], 1898, F. Hauser leg. (2 ♀♀ BMNH; 1 ♁, 1 ♀ CG; 2 ♁♁, 2 ♀ MRSN);— Mary Region: Chemen-i-Bid, 20–25.IV.1993, P. Čhechowsý leg. (2 ♁♁, 1 ♀ CG); no exact localities: Kopet-Dagh (3 ♁♁ MRSN); Saramsakli (2 ♀♀ MRSN). U.S.A. — Utah: Providence, 29.V.1970, G.F. Knowlton leg. (2 ♀♀ BMNH);— Minnesota: Moorhead, 3.IX.1970, J.R. Powers leg., on hollyhock seeds (1 ♁, 1 ♀ MW);— Missouri: Columbia, VII.1981 (1 ♁, 1 ♀ CG; 1 ♀ FS). UKRAINE — Autonomous Republic of Crimea: Crimea (1 ♁, 1 ♀ BMNH; 1 ♁ MNHN); Dmitrove, 250 m a.s.l., 19.IV.2008, M. Košťál leg. (1 ♁ MK); Dobre, 28.V.2005, J. Borowski leg. (1 ♀ MW); Simferopol (1 ♁, 1 ♀ ZMHB);— Khmelnytskyi Oblast: Kamyanets Podilskiy, Smotrich env., 26.VI.1996, M. Wanat leg. (1 ♁, 1 ♀ MW). Other no exact localities: Caucasus (2 ♀♀ MNHN); Stalino, IX.1943 (1 ♁ MNHN); Syrie (1 ♁, 3 ♀♀ MNHN); Syrie, C. Piochard de La Brûlerie leg. (1 ♀ MNHN); Tr. Casp. [= Transcaspia], Penschdeh (1 ♁ MNHN). Redescription (Ƌ ♀). Lb: ♁ 2.30–3.23 mm [2.80 mm], ♀ 2.25–3.44 mm [2.95 mm]. Body integument dark brown to piceous; apical tibial mucrones, coxae and trochanters brown to dark brown. Body scales piliform with more or less pointed apex (Figs. 10–11); only few scales on base of 3 rd elytral interval, at apex of elytra, on meso-and metanepisterna, on mesoepimera and at apex of femora with more or less truncate apex. Male rostrum as in Figs. 13–14, 17–18; in dorsal view, mesorostral dilatation slightly dentiform, prorostrum with slightly concave sides, feebly narrowing from mesorostral dilatation to apical third then weakly widened to apex; in profile, rostrum distinctly angulate above antennal insertion; Lr: 0.78–1.24 mm [0.99 mm]; Lpr: 0.54–0.91 mm [0.71 mm]; Lmtr: 0.21–0.36 mm [0.28 mm]; Wmsr: 0.20–0.25 mm [0.23 mm]; Lr/Wmsr: 4.23–5.17 [4.64]; Lr/Lp: 1.15–1.65 [1.41]; Lb/Lr: 2.42–2.90 [2.74]. Female rostrum as in Figs. 15–16, 19–20; in dorsal view, prorostrum with parallel sides, feebly widened toward apex in the apical fourth; Lr: 1.28–2.51 mm [1.88 mm]; Lpr: 0.95–1.94 mm [1.43 mm]; Lmtr: 0.29–0.62 mm [0.44 mm]; Wmsr: 0.15–0.22 mm [0.20 mm]; Lr/Wmsr: 7.81–11.75 [10.25]; Lr/Lp: 2.00–3.17 [2.54]; Lb/Lr: 1.34–1.79 [1.46]. Forehead densely punctate; punctures round, 17–23 µm in diameter, hardly separated or, very often, confluent to form striolae; interspaces matt, microsculptured. Antennae (Figs. 25–26) inserted at basal 0.24–0.32 [0.29] (♁) or 0.20–0.27 [0.24] (♀) of rostrum; La: ♁ 0.78–1.15 mm [0.98], ♀ 1.06–1.47 mm [1.25 mm]; Lc: ♁ 0.31–0.41 mm [0.36 mm], ♀ 0.32–0.42 mm [0.39 mm]; La/Lpr: ♁ 1.12–1.66 [1.37], ♀ 0.67–1.20 [0.86]; La/Lc: ♁ 2.66–3.06 [2.81], ♀ 2.81–3.58 [3.19]. Prothorax (Figs. 6–7) mostly isodiametric to slightly longer than wide, widest just behind middle; only few populations show weakly transverse prothorax; disc densely punctate, punctures round to oblong, 17–25 µm in diameter, hardly separated or, very often, confluent to form striolae; interspaces matt; Lp: ♁ 0.55–0.81 mm [0.68 mm], ♀ 0.55–0.89 mm [0.72 mm]; Wp: 0.56–0.80 mm [0.68 mm], ♀ 0.52–0.84 mm [0.72 mm]; Lp/Wp: ♁ 0.88–1.10 [1.00], ♀ 0.91–1.09 [1.01]. Scutellum subquadrate, matt. Elytra (Figs. 6–7), in dorsal view, with weakly rounded sides and weakly widening backwards; on elytral disc, intervals 2.9–3.3 times as wide as striae; Le: ♁ 1.57–2.25 mm [1.92 mm], ♀ 1.51–2.39 mm [2.02 mm]; We: ♁ 0.85–1.28 mm [1.05 mm], ♀ 0.83–1.30 mm [1.09 mm]; Le/We: ♁ 1.66–2.01 [1.82], ♀ 1.71–2.02 [1.86]. Legs with femora robust and rather swollen, 2.80–2.90 (♁), 2.91–3.04 (♀) times as long as wide; all male tibiae (Figs. 27–29) with short, blunt and oblique apical mucro; tarsi moderately elongate; 1 st segment 1.60–1.90 times as long as wide; 2 nd 1.12–1.37 times as long as wide, 0.80–0.84 times as long as 1 st; 3 rd 0.81–0.90 times as long as wide, with lobes well developed, 0.83–0.98 times as long as 2 nd; onychium 1.27–1.44 times as long as 2 nd segment. Male sternite IX as in Fig. 35. Tegmen (Figs. 36–37) with apical membranous lobes fairly long, subrounded, folded at base; suprafenestral sclerites with 2 long outer setae (only occasionally 3) and 1 shorter inner seta (occasionally 0). Penis (Figs. 41–44), in ventral view, with parallel sides from base to ostium then gradually restricted to apex. Female genitalia as in Figs. 49–53. Remarks. This species is very variable throughout its distribution.Apart from some local forms, it is possible to observe clinal variability of the following characters: vestiture composed of denser, whiter and thicker scales from North-West to South-East, probably as a response to increasing sunshine (Figs. 10–11); body size on average bigger in Europe than in the remaining territories; rostrum, particularly that of female, longer and more widened at apex in Europe while it tends to be shorter and more cylindrical in southern and eastern populations; analogously, and probably related to the length of the rostrum, prothorax is longer than wide in European and western Asiatic populations and isodiametric or even transverse in some Middle East populations. The \"typical\" form, decidedly predominant in the whole area, is characterized by long rostrum (Figs. 13–16) (Lr: ♁ 0.78–1.24 mm [0.99 mm], ♀ 1.60–2.51 mm [2.03 mm]; Lr/Wmsr: ♁ 3.71–5.17 [4.53], ♀ 8.00–13.00 [10.37]; Lr/Lb: ♁ 2.42–3.09 [2.79], ♀ 0.54–0.78 [0.68]), female prorostrum longer than antennae (Lpr/La: ♀ 1.05–1.50 [1.25]), prothorax, on average, longer than wide (Lp/Wp: ♁ 1.00–1.10 [1.03], ♀ 1.00–1.09 [1.03]) and vestiture composed of thin scales with pointed apex (Fig. 10). This form is associated with Alcea rosea L. A characteristic form has been found in Israel, exclusively along the Jordan Valley, on Alcea dissecta (Baker f.) Zohary. It is recognizable by its short rostrum, particularly in female (Figs. 17–20) (Lr: ♁ 0.82–1.06 mm [0.95 mm], ♀ 1.28–1.66 mm [1.48 mm]; Lr/Wmsr: ♁ 3.74–4.52 [4.24], ♀ 6.70–8.67 [7.52]; Lr/Lb: ♁ 2.75–3.22 [2.96], ♀ 0.47–0.55 [0.52]); female prorostrum, on average, shorter than antennae (Lpr/La: ♀ 0.86–1.00 [0.96]); transverse prothorax (Lp/Wp: ♁ 0.88–0.99 [0.97], ♀ 0.91–0.99 [0.96]) and vestiture similar to the \"typical\" one. A further form from Israel, not found in the Jordan Valley, associated with Alcea setosa (Boiss.) Alef., shows intermediate characters between the two previous forms (Lr: ♁ 0.82–1.11 mm [0.98 mm], ♀: 1.50–2.16 mm [2.01 mm]; Lr/Wmsr: ♁ 3.90–4.68 [4.25], ♀ 8.33–10.68 [9.76]; Lr/Lb: ♁ 2.79–3.04 [2.90], ♀ 0.58–0.69 [0.66]; Lpr/La: ♀ 1.04–1.20 [1.13]; Lp/Wp: ♁ 0.96–1.06 [1.00], ♀ 0.96–1.05 [1.00]). The last form, whose host plant is unknown, occurs in Afghanistan (Faryab Province: Goudgé Konti). It is similar to that from Jordan Valley, but it is characterized by longer rostrum (Lr: ♁ 0.96–1.23 mm [1.13 mm], ♀: 1.34–1.99 mm [1.73 mm]; Lr/Wmsr: ♁ 4.50–5.14 [5.02], ♀ 8.40–9.75 [8.85]; Lr/Lb: ♁ 2.48–2.98 [2.68], ♀ 0.53– 0.63 [0.58]), female prorostrum, on average, shorter than antennae (Lpr/La: ♀ 0.83–1.00 [0.90]), prothorax variable in length, on average isodiametric (Lp/Wp: ♁ 0.99–1.03 [1.00], ♀ 0.95–1.03 [1.00]) and vestiture composed of thicker scales (Fig. 11). Box-plots (Fig. 59) generated from analysis of data exclusively relating to female specimens and limitedly to four ratios (Lr/Lb, Lr/Wmsr, Lpr/La, Lp/Wp) show the differences among the forms mentioned above. For convenience, populations were grouped as follows: pop. 1: \"typical\" form from Istanbul (Constantinople and Scutari), host plant: A. rosea; pop. 2: all remaining populations belonging to the \"typical\" form, host plant: A. rosea; pop. 3: Israel (excluding Jordan Valley), host plant: A. setosa; pop. 4: Israel (Jordan Valley), host plant: A. dissecta; pop. 5: Afghanistan: Goudgé Konte, host plant: unknown. Distribution. Palaearctic Region: Algeria, Portugal, Spain, France, Luxembourg, The Netherlands, Germany, Poland, Ukraine, Moldova, Romania, Hungary, Slovakia, Czech Republic, Austria, Switzerland, Italy, Slovenia, Croatia, Bosnia and Herzegovina, Serbia, Montenegro, Albania, North Macedonia, Bulgaria, Greece, Cyprus, Egypt, Israel, Jordan, Lebanon, Syria, Turkey, Georgia, Russia (South European Territory), Azerbaijan, Armenia, Iran, Afghanistan, Turkmenistan, Kyrgyzstan (Alonso-Zarazaga et al. 2017, Furlan 2002, Grosso-Silva 2005, Tuba & Lakatos 2010). Nearctic Region (introduced): Canada (British Columbia, Ontario, Quebec, Nova Scotia), U.S.A. (Washington, Oregon, California, Utah, Colorado, Kansas, Iowa, Minnesota, Wisconsin, New York, Vermont, Maine, New Hampshire, Massachusetts, Pennsylvania, Maryland, Ohio, Virginia, Kentucky, Illinois, Missouri, Arkansas, Tennessee, North Carolina, South Carolina, Georgia) (Kissinger 1968; Majka et al. 2007, 2011; O'Brien & Wibmer 1982; Per- rin 1984; Salsbury 2000; Tuba & Lakatos 2010). Remarks. This species is reported here, for the first time, from Bosnia and Herzegovina, Egypt, Kyrgyzstan, and in North America from Utah and Minnesota. The ascertained presence in Kazakhstan and Uzbekistan only of R. celatum n. sp. and its possible presence also in Tajikistan suggest that former records concerning the presence of R. longirostre in these areas should be considered plausible, but requiring confirmation (see Schatzmayr 1923, Osella 1966, Osella 1968, Nasreddinov 1975, Meregalli & Osella 1978, Perrin 1984, Arzanov 1990, Alonso-Zarazaga 2011, Alonso-Zarazaga et al. 2017). For this reason Kazakhstan, Uzbekistan and Tajikistan have been temporarily excluded from the distribution of R. longirostre (Fig. 64). Bionomy. This is a widespread and abundant species that lives in xeric or xerothermophilous habitats from low altitudes, 190 m b.s.l., to mountains up to 1,550 m a.s.l. It is associated with Alcea digitata Alef., Alcea dissecta (Baker f.) Zohary, Alcea rosea L. and Alcea setosa (Boiss.) Alef. Considerations regarding possible additional host plants and further bionomic notes are summarized above, as indicated in the paragraph dedicated to the bionomy of the genus.", + "description_zh": "Rhopalapion longirostre (Olivier, 1807) (Figs. 1–7, 10–11, 13–20, 25–29, 35–37, 41–44, 49–53) Apion longirostre Olivier, 1807: 35; Pl. III Figs. 51.a, 51.b Apion (Rhopalapion) longirostre; Schilsky 1906: V Rhopalapion longirostre; Alonso-Zarazaga 1990: 71 Pseudapion (Rhopalapion) longirostre; Ehret 1994: 8 Type locality. Constantinople [= Istanbul] (Marmara Region, Turkey). Diagnosis. A Rhopalapion species differing from R. celatum n. sp. in the following combination of characters: male protibiae mucronate; rostrum, in both sexes, on average, more slender (Lr/Wmsr: ♁ 4.23–5.17 [4.64], ♀ 7.81–11.75 [10.25]); in dorsal view, mesorostral dilatation well developed, a little bit dentiform in male and rounded in female; prorostrum with sides feebly concave, particularly in female; prothorax, on average, isodiameric (Lp/Wp: ♁ 0.88–1.10 [1.00], ♀ 0.91–1.09 [1.01]); disc densely punctate with punctures round to oblong, sometime confluent to form striolae, and interspaces microreticulate; elytra, in dorsal view, elongate in outline, with rounded sides; male meso- and metatibiae with smaller, blunt and oblique apical mucro; different shape of genitalia, in particular, tegmen with shorter apical membranous lobes, subrounded, folded at base and separated by a thin median notch; suprafenestral sclerites with 1–2 long outer setae and 1 shorter inner seta (occasionally 0). Type series. Olivier described and illustrated this species from an unspecified number of male and female specimens from Constantinople, the current Istanbul. In his collection, stored in the Muséum National d'Histoire Naturelle, Paris, there are six specimens, one here designated as lectotype and the remaining five becoming paralectotypes. One ♁ and 2 ♀♀ are mounted on one card (Figs. 1, 3–5), labelled: longirostre / Const. [= Constantinople] [big handwritten label] // Olivier [little round handwritten label] // MUSEUM PARIS / OLIVIER 1834 [rectangular label (1834 is the year in which the specimens became part of the museum's collection)] // LECTOTYPUS ♁ / Apion longirostre / Olivier, 1807 / C. Giusto des. 2019 [red rectangular printed label] // PARALECTOTYPUS ♀ / Apion longirostre / Olivier, 1807 / C. Giusto des. 2019 [two red rectangular printed labels]. The ♁ specimen on this card is designated as the lectotype. There are also an additional 1 ♁ and 2 ♀♀, mounted on another card (Fig. 2), labelled: Olivier [little round handwritten label] // MUSEUM PARIS / OLIVIER 1834 [rectangular label] // PARALECTOTYPUS ♁ / Apion longirostre Olivier, 1807 / C. Giusto des. 2019 [red rectangular printed label] // PARALECTOTYPUS ♀ / Apion longirostre / Olivier, 1807 / C. Giusto des. 2019 [two red rectangular printed labels]. Material examined. AFGHANISTAN — Faryab Province: Goudgé Konti, 7.VI.1959, G. Remaudère leg., on Althaea (16 ♁♁, 22 ♀♀ MNHN);— Herat Province: Kushk [= Kuschke, Kusche] (2 ♀♀ BMNH; 1 ♁, 1 ♀ CG; 11 ♁♁, 3 ♀♀ MRSN);— Paktia Province: Gardez, 18.VI.1959, G. Remaudère leg. (1 ♁ MNHN). ALGERIA — Blida Province: Blidah (3 ♁♁, 4 ♀♀ MNHN). ARMENIA: no exact localities: Aras River Valley [= Araxesthal], H. Leder & E. Reitter leg. (1 ♁, 1 ♀ MNHN); Armenia (2 ♀♀ MNHN). AUSTRIA — Lower Austria: Bisamberg, 250 m a.s.l., 9.X.1999, C. Giusto leg., on Alcea rosea L. (1 ♀ CG);— Vienna: Salamannsdorf, 280 m a.s.l., 9.X.1999, C. Giusto leg., on Alcea rosea L. (1 ♁, 2 ♀♀ CG); Vienna env. (1 ♁, 1 ♀ ZMHB); Vienna env., Ad. Hoffmann leg. (2 ♀♀ ZMHB); Vienna env., E. Moczarski leg. (1 ♁ ZMHB). AZERBAIJAN — Agdash District: Aðdaþ [= Aresch] (2 ♁♁, 2 ♀♀ MNHN);— Ganja-Qazakh District: Ganja [= Elisabetpol] (1 ♁, 1 ♀ CG; 2 ♁♁, 1 ♀ MRSN);— Lankaran District: Lankaran [= Lenkoran], 1897, Korb leg. (1 ♁, 1 ♀ ZMHB); Lankaran [= Lenkoran], Dr. Martin leg. (1 ♁ MNHN). BOSNIA AND HERZEGOVINA: Moglitz, 18.VI.1912 (1 ♁, 1 ♀ ZHMB). BULGARIA — Blagoevgrad: Melnik, 26–27.VI.1979, M. Mazur leg. (5 ♁♁, 4 ♀♀ MW); Melnik env., 12–19.V.1981, H. Wendt leg. (2 ♁♁, 1 ♀ ZMHB); Melnik env., 12–20.V.1981, H. Wendt leg. (1 ♀ ZMHB);— Burgas: Brjastovec env., 19.V.2009, M.G. Morris leg., reared from Alcaea rosea L. (2 ♁♁ MGM); Brjastovec env., 21.V.2012, M.G. Morris leg., reared from Alcaea rosea L. (1 ♀ MGM); Burgas, V.Apfelbeck leg. (1 ♁, 1 ♀ ZMHB); Otmanli, 12.VII.1977 (1 ♁ MM);— Dobrič: Batovo env., 27.V.2007, M.G. Morris leg. (1 ♀ MGM);— Plovdiv: Kalofer, 14.VII.1978, Borowiec leg. (1 ♁ MW);— Sofia: Samokov, 16.VII.1997, H. Perrin leg., on Alcaea rosea L. (3 ♁♁, 3 ♀♀ MNHN); Samokov, 1– 4.VIII.1998, J.P. Carbonnel leg., on Alcaea rosea L. (1 ♁, 1 ♀ MNHN); Sofia, V.Apfelbeck leg. (1 ♁, 1 ♀ ZMHB);— Varna: Albena env., 7.VI.2006, M.G. Morris leg. (1 ♀ MGM); Tsarkva env., 15.VI.2006, M.G. Morris leg., on Alcaea rosea L. (1 ♁ MGM). CROATIA — Dubrovnik-Neretva County: Dubrovnik [= Ragusa], V.1899, K. Flach leg. (1 ♁ ZMHB); Korčula [= Isola di Curzola], VI.1911, Mussapp leg. (2 ♁♁, 2 ♀♀ MSNG);— Istria County: Rabac, 27.VI–1.VII.1980, L. Cederholm leg. (1 ♀ MW);— Split-Dalmatia County: Spilt, Adria, 8.VII.1939 (1 ♁, 1 ♀ ZMHB);— Zadar County: Zadar [= Zara] env., Müller leg. (1 ♁, 1 ♀ ZMHB); no exact locality: Dalmatia (2 ♀♀ MRSN). CYPRUS: Drouseia, 550 m a.s.l., 17.IV.2010, C. Giusto leg., on Alcea rosea L. (11 ♁♁, 3 ♀♀ CG); Fama- gusta, 5.VII.1931, L. Komites leg., on Citrus sinensis (L.) Osbeck (2 ♁♁, 1 ♀ BMNH); Kidási, 250 m a.s.l., 23.IV.2010, C. Giusto leg., on Alcea rosea L. (5 ♁♁, 2 ♀♀ CG). EGYPT: no exact locality: Aegypt, O. Schneider leg. (1 ♁ ZMHB). FRANCE — Auvergne-Rhône-Alpes: Les Barquets, 5.VI.1991, on Alcea rosea L. (1 ♁ BMNH); Vassieux-en-Vercors, 1,100 m a.s.l., 9.X.2012, C. Giusto leg., on Alcea rosea L. (1 ♀ CG);— Corse: Furiani env., 200 m a.s.l., 3.VI.1996, C. Giusto leg., on Alcea rosea L. (3 ♁♁, 1 ♀ CG); no exact locality: Corse (1 ♁, 2 ♀♀ MRSN);— Novelle-Aquitaine: Aunac, VIII.1992, A. Datta leg., reared from seeds of hollyhock (3 ♁♁, 2 ♀♀ BMNH);— Occitanie: Etang de Leucate, shore SW, 1 m a.s.l., 24.VI.1995, C. Giusto leg., on Alcea rosea L. (1 ♀ CG);— Provence-Alpes-Côte d'Azur: Cabasse, env. S, 220 m a.s.l. ca., 20.V.2013, C. Giusto, G. Gardini & S. Zoia leg. (1 ♀ CG); Gourdon, env. S, 700 m a.s.l., 21.V.2013, C. Giusto, G. Gardini & S. Zoia leg. (1 ♁ CG); Malaucene, 360 m a.s.l., 23.VI.1993, C. Giusto leg., on Alcea rosea L. (5 ♁♁, 9 ♀♀ CG); Martigues, Cap Couronne, 5 m a.s.l., 17.V.2013, C. Giusto, G. Gardini & S. Zoia leg., on Alcea rosea L. (1 ♀ CG); Massif de la Sainte Baume, Plan d'Aups, 680 m a.s.l., 18.VI.1995, C. Giusto leg., on Alcea rosea L. (5 ♁♁, 5 ♀♀ CG); Mont Ventoux, S slopes, Ft. De Rolland, 500–600 m a.s.l., 23.VI.1993, C. Giusto leg., on Alcea rosea L. (10 ♁♁, 7 ♀♀ CG); Saint-Maximinla-Sainte-Baume, 26.V.1988, C. Giusto leg., on Alcea rosea L. (16 ♁♁, 16 ♀♀ CG); Vence, 25.V.1988, C. Giusto leg., on Alcea rosea L. (1 ♁ CG). GEORGIA — Adjara: Batumi [= Batoum] (1 ♁, 1 ♀ MNHN);— Abkhazia: Pitsunda [= Püsunda], coast, 18–30.V.1970, Ermisch leg. (1 ♀ ZMHB);— Mtskheta-Mtianeti: Mtskheta [= Mzcheta], 23–30.VI.1986, Wrase & Schülke leg. (1 ♁, 2 ♀♀ ZMHB); Zahesi [= Zehneti], 800 m a.s.l., 1–10.VI.1987, Wrase & Schülke leg. (1 ♀ ZMHB);— Shida Kartli: Bekami 10.VII.1983, I. Lopatin leg. (1 ♀ MW);— Tbilisi: Kachreti, 5 km E, 600 m a.s.l., 11.VII.2011, M. Košťál leg. (1 ♁, 1 ♀ MK). GERMANY — Baden-W̹rttemberg: Oberndofr, 04.IX.2004, M. Eifler leg. (4 ♁♁, 1 ♀ ZMHB);— Berlin: Berlin, 13.VI.2014, J. Willers leg., on Malva sp. (1♀ ZMBH); Dahlem, Botanical Garden, 21.VI.2002, J. Willers leg., on Malva sp. (1 ♁ ZMHB); Dahlem, Botanical Garden, 22.VI.2002, J. Willers leg., on Malva sp. (1 ♁ ZMHB);— Mecklenburg-West Pomerania: Karlsburg (1 ♁, 1 ♀ ZMHB). GREECE — Central Macedonia: Thessaloniki [= Salonique] (1 ♁ MNHN);— Corfu: Corfu (1 ♀ BMNH);— Crete: Anogeia, 700 m a.s.l., 9.VI.1998, Beretta leg. (1 ex. MB);— Eastern Macedonia and Thrace: Metaxades, 28.V.2007, F. Angelini leg. (1 ex. FA); Protokklisi, 28.V.2007, F. Angelini leg. (29 exx. FA);— Epirus: Perama env., 31.V.1989, S. Zoia leg. (1 ♀ CG);— North Aegean: Lemnos, IV–VI.15 (2 ♁♁ MNHN); Lesbo, U. Sahlberg leg. (1 ♁, 1 ♀ ZMHB); Mount Olympus, 14.VI.70 (2 ♁♁, 2 ♀♀ ZMHB); Mount Olympus (1 ♁ MRSN);— Peloponnese: Kastania, 1,200 m a.s.l., 8.V.2004, F. Angelini leg. (2 exx. FA); Tripoli, 28.VII.1978, F. Sacco leg. (3 ♀♀ FS);— Thessaly: Meteora, 19.V.2005, F. Angelini leg. (2 exx. FA);— Western Greece: Kalavryta, 28–29.IV.1999, F. Angelini leg. (1 ex. FA);— Western Macedonia: Kratero, 10.VI.2007, F. Angelini leg. (1 ex. FA); no exact locality: Greece (1 ♀ MNHN). HUNGARY — Central Hungary: Pest, K. Saio leg. (1 ♁, 3 ♀♀ ZMHB);— Central Transdanubia: Balatonkenese (3 ♁♁, 2 ♀♀ ZMHB); Balatonkenese, 28.V.1972, Fix leg. (1 ♁, 2 ♀♀ ZMHB); Balatonkenese, 7.VI.1978, Fix leg. (2 ♀♀ ZMHB); Balatonkenese, Lake Balaton [= Plattensee], 20.V.1972 (1 ♀ ZMHB); Hajmáskér, 200 m a.s.l., 16.V.1996, M. Košťál leg. (1 ♁ MK); Lake Balaton [= Plattensee], 1.VI.1972 (2 ♀♀ ZMHB); Lake Balaton [= Plattensee], 2.VI.1972 (1 ♁ ZMHB); Lake Balaton [= Plattensee], 3.VI.1972 (1 ♁ ZMHB); Lake Balaton [= Plattensee], 4.VI.1972 (2 ♁♁, 1 ♀ ZMHB);— Northern Great Plain: Jászberény, Pórtelek (1 ♀ ZMHB);— Southern Transdanubia: Villány env., V.1980, Sieber leg. (1 ♁, 2 ♀♀ ZMHB); no exact localities: Hungary (1 ♁, 2 ♀♀ BMNH); N Hungary (2 ♁, 2 ♀♀ MRSN). IRAN — Golestan Province: Gorgan, Golestan National Park [= Forêt de Golestan], 23.VI.1965, L. Matile leg. (1 ♁ MNHN); Gorgan, Golestan National Park [= Forêt de Golestan], 24.VI.1965, L. Matile leg. (3 ♁♁, 1 ♀ MNHN); Gorgan, Nahar Khvoran [= Forêt de Naharkhoran], 25.VI.1965, L. Matile leg. (2 ♀♀ MNHN);— Mazandaran Province: Kalardasht, 28.VI.1965, L. Matile leg. (1 ♀ MNHN);— Teheran Province: Teheran, 5.XI.1874, A. Kerim leg. (1 ♀ MNHN). ISRAEL — Haifa District: Beit Oren env., 220 m a.s.l., 6.IV.2014, C. Giusto leg. (8 ♁♁, 9 ♀♀ CG); Haifa [= Caïffa] (3 ♁♁, 1 ♀ MNHN); Mishmar HaCarmel, 310 m a.s.l., 6.IV.2014, C. Giusto leg., on Alcea setosa (Boiss.) Alef. (17 ♁♁, 16 ♀♀ CG); Nahal Oren, 3.IV.1995, E. Colonnelli leg. (1 ♀ FS);— Judea and Samaria Area: Ariel, 6.V.2010, L. Friedman leg., on Alcea setosa (3 ♁♁, 4 ♀♀ CG);— Northern District: 2 km E of Banias, 29.V.1973, I. Löbl leg. (1 ♁ MW); Ein Gev, 185 m b.s.l., 4.IV.2014, C. Giusto leg., on Alcea dissecta (Baker f.) Zohary (9 ♁♁, 7 ♀♀ CG); Ha Yarden Park, 190 m b.s.l., 4–5.IV.2014, C. Giusto leg., on Alcea dissecta (Baker f.) Zohary (31 ♁♁, 20 ♀♀ CG); Nazareth, P. de La Brûlerie leg. (1 ♁, 1 ♀ MNHN); Snir, 280 m a.s.l., 5.IV.2014, C. Giusto leg., on Alcea setosa (Boiss.) Alef. (9 ♁♁, 7 ♀♀ CG); Tel Dan, 180 m a.s.l., 5.IV.2014, C. Giusto leg. (12 ♁♁, 2 ♀♀ CG); no exact localities: Israel, reared from seeds of Alcea digitata (1 ♀ BMNH); Palestine, on Alcea setosa (Boiss.) Alef. (1 ♁, 1 ♀ MW). ITALY — Aosta Valley: Aosta, Porossan, 5.VII.1978, G. Bartoli leg. (28 ♁♁, 14 ♀♀, MSNG);— Emilia-Romagna: Castelnovo ne' Monti, 700 m a.s.l., 24.VI.1984, C. Giusto leg. (1 ♀ CG); Gatteo, Sant'Angelo, 14.VI.2011, G. Platia leg. (3 ♁♁, 4 ♀♀ CG); Verghereto, Alfero, 22.VI.1972, Botto leg. (1 ♁ CG); Verghereto, Alfero, 20.VI.1972, Botto leg. (2 ♁♁, 3 ♀♀ MSNG);— Friuli-Venezia Giulia: Monfalcone, Lisert, 5.IX.2010, L. Morin leg. (2 ♀♀ LF); Monfalcone, Lisert, 24.VI.2012, L. Morin leg. (2 ♀♀ LF);— Liguria: Genova, Aggio, 8.VIII.1986, C. Giusto leg., on Alcea rosea L. (6 ♁♁, 5 ♀♀ CG); Genova, Bavari, 300 m a.s.l. ca., 25.VII.1985, C. Giusto leg., on Alcea rosea L. (11 ♁♁, 2 ♀♀ CG); Genova-Nervi, 23.VI.1972, S. Riese leg. (1 ♁, 4 ♀♀ MSNG); Genova-Nervi, 29.V.1972, S. Riese leg. (2 ♁♁, 1 ♀ MSNG); Mignanego, Paveto, 23.VII.1983, G. Ratto leg. (2 ♀♀ CG); Montoggio, Creto, 27.IV.1989, C. Giusto leg., on Alcea rosea L. (1 ♁, 2 ♀ CG); Sant'Olcese, 300 m a.s.l., 22.III.1989, C. Giusto leg., on Alcea rosea L. (1 ♁, 3 ♀♀ CG); Stella, 20.VI.1988, C. Giusto leg., on Alcea rosea L. (2 ♁♁, 1 ♀ CG); Tiglieto, 400 m a.s.l. ca., VII.1984, C. Giusto leg., on Alcea rosea L. (14 ♁♁, 8 ♀♀ CG); Tiglieto, 500 m a.s.l. ca., VIII.2013, M. Giusto leg., on Alcea rosea L. (25 ♁♁, 25 ♀♀ CG); Urbe, Martina Olba, 484 m a.s.l., 1.VI.1986, C. Giusto leg., on Alcea rosea L. (1 ♁ CG); Urbe, Martina Olba, 484 m a.s.l., VIII.1984, C. Giusto leg., on Alcea rosea L. (15 ♁♁, 15 ♀♀ CG);— Lombardy: Toscolano Maderno, 13.VII.1969 (1 ♀ CG); Varzi env., 420 m a.s.l., 4.VI.1995, C. Giusto leg., on Alcea rosea L. (6 ♁♁, 6 ♀♀ CG);— Piedmont: Acqui Terme, Ovrano, 300 m a.s.l., 19.VI.1977, G. Salamanna leg. (22 ♁♁, 14 ♀♀ MSNG); Condove, Lajetto, 900 m a.s.l., C. Giusto leg., on Alcea rosea L. (14 ♁♁, 5 ♀♀ CG); Cuorgnè, Roncasso, 417 m a.s.l., 7.IV.1981, P.M. Giachino leg. (1 ♀ MRSN); Laghi della Lavagnina, 25.V.1990, R. Cardara leg. (1 ♁ RC); Lerma, Mond'Ovile, 23.VII.1973, S. Riese leg. (2 ♁♁, 3 ♀♀ MSNG); Montaldo di Mondovì, 800 m a.s.l., 6.VIII.1995, C. Giusto leg., on Alcea rosea L. (6 ♁♁, 3 ♀♀ CG); Monte Musinè, 2.VI.1975, Ribottaro leg. (1 ♁ MRSN); Novalesa, 12.VII.1982, G. Bartoli leg. (7 ♁♁, 6 ♀♀ MSNG); Roasio, 10.VI.1979, R. Caldara & A. Ongaro leg. (1 ♁ RC); Sampéyre, 970 m a.s.l., 5.VIII.1997, C. Giusto leg., on Alcea rosea L. (2 ♁♁, 2 ♀♀ CG); Torre Pellice, 7–15.VII.1980, G. Bartoli leg. (14 ♁♁, 15 ♀♀ MSNG);— Sardinia: Barúmini, 180–200 m a.s.l., 6.VII.1999, C. Meloni leg. (1 ♁ MSNG);— Sicily: Isnello, Piano Zucchi, 1,100 m a.s.l., 16.V.2008, C. Baviera & A. Rando leg. (3 exx. CB); Nicolosi, 6.IX.2015, on Alcea rosea L. (1 ♀ CG; 1 ♁, 1 ♀ MSNG); Novara di Sicilia, 650 m a.s.l., 25.V.2000, G. Müller leg. (1♁, 1 ♀ GM); Taormina, 300 m a.s.l., 1.VI.2000, G. Müller leg. (1♁, 1 ♀ GM);— Tuscany: Bagno a Ripoli, 9.VIII.1978, G. Bartoli leg. (1 ♁ MSNG); Firenze env., V.1994, A. Bordoni leg. (1 ex. AB); Isola d'Elba, Campo nell'Elba, Marina di Campo, 100 m a.s.l., 28.IV.1993, C. Giusto leg., on Alcea rosea L. (1 ♀ CG); Minucciano, Lago di Gramolazzo, 680 m a.s.l., 20.V.1998, F. Angelini leg. (1 ex. FA); Montanare di Cortona, 310 m a.s.l., 1.VIII.2015, C. Giusto leg., on Alcea rosea L. (35 ♁♁, 55 ♀♀ CG);— Umbria: Costacciaro, 520 m a.s.l., 8.VI.2016, M. Bocci leg. (11 ♁♁, 7 ♀♀ FA);— Veneto: Monteviale, Costigiole, 22.V.1988, P. Fontana leg. (2 exx. SB); Pove del Grappa, 27.V.1993, S. Biondi leg. (2 exx. SB); Santorso, Roagna, 3.V.1993, S. Biondi leg. (1 ex. SB); Sarego, Monte Roccolo, 10.VIII.1980, A. Bizzi leg. (24 exx. SB); Val Liona, Grancona (2 exx. SB); Velo Veronese, 1,050 m a.s.l. ca., 22.IX.2013, C. Giusto & G. Gardini leg., on Alcea rosea L. (2 ♁♁, 3 ♀♀ CG); Vicenza, 22.V.1975, Beretta leg. (3 ♀♀ MSNG); Vicenza, 28.V.1975, Beretta leg. (3 ♁♁, 3 ♀♀ CG). KYRGYZSTAN — Chuy Region: Bishkek, 1–3.VI.2003, R. Dobosz leg. (1 ♁ MW); Beshkungei near Bishkek, 800 m a.s.l., 18.VI.2006, R. Ruta leg. (2 ♁♁ MW). LEBANON — Beqaa Governorate: Rachaiya env., 5 km S, Tannoura, 6.VI.2016, C. Reuter leg. (3 ♁♁, 1 ♀ MR);— Beirut Governorate: Beirut [= Beyrouth] (1 ♁, 1 ♀ BMNH; 12 ♁♁, 19 ♀♀ MNHN); Beirut [= Beyrouth], env. N, 16.X.1998, C. Canepari leg. (1 ♁, 1 ♀ CG); Beirut [= Beyrouth], Frater Jean leg. (1 ♀ MNHN); Beirut, IV.1885, D. Ganglbauer leg. (1 ♀ ZMHB);— Mount Lebanon Governorate: between Aalita and Machnaqa, 1,000 m a.s.l., 4–15.V.2000, G. Sama leg. (1 ♀ CG); Kfar Debiane, 1,250 m a.s.l., 30.V.2016, C. Reuter leg. (4 ♁♁, 3 ♀♀ MR). NORTH MACEDONIA — Skopje Statistical Region: Petrovec, Katlanovo, Badar, 27.VII.1975 Wiese, U. Göllner leg. (1 ♁ ZMHB);— Southwestern Statistical Region: Ohrid, 22.VI.1973, B. Gruev leg. (1 ♀ MM);— Vardar Statistical Region: Kavadarci, P.Angelov, leg. (2 ♀♀ MM); no exact locality: Keretschkol, A. Schatzmayr leg. (1♁ MSNG). MOLDOVA: Bender [= Tighina, Bendery], VII.1936, S.G. Hering leg. (15 ♁♁, 13 ♀♀ ZMHB). MONTENEGRO: Herceg Novi [= Castelnuovo], [G. Paganetti-]Hummler leg. (3 ♁♁, 1 ♀ MSNG; 2 ♁♁, 2 ♀♀ ZMHB); Herceg Novi [= Castelnuovo], 15.VI.1911 A. Spaney & F. Schumacher leg. (17 ♁♁, 8 ♀♀ ZMHB); Kotor, 6.V.2012 (1 ♁ RR). POLAND — Lower Silesian Voivodeship: Wrocław, Maślice, 4.VII.2019, M. Wanat leg. (5 ♁♁, 1 ♀ MW);— Subcarpathian Voivodeship: Jarosław, Pasieka ul. Okrzei, 5.VII.2014, M. Wanat leg. (1 ♁, 1 ♀ MW). ROMANIA — Dobruja: Canaraua Fetei, Băneasa env., 1.VII.1998, H. Perrin leg., on Alcea rosea L. (5 ♁♁, 5 ♀♀ MNHN); Dumbrăveni, edge of the forest, 2.VII.1998, H. Perrin leg. (1 ♁, 1 ♀ MNHN); Măcin, 1908, A.L. Montandon leg. (3 ♀♀ MNHN);— Moldavia: Munteni (1 ♁ MRSN);— Transylvania: Cluj-Napoca, Zorilor, 19.VII. 2009, 350 m a.s.l., E. Colonnelli leg. (1 ♀ EC); Sântana de Mureș, Chinari [= Varhegy], Zoppa leg. (1 ♁ MRSN); Timișoara [= Temeswar] (1 ♁, 1 ♀ MNHN);— Wallachia: Comana, Vlasca, A.L. Montandon leg. (1 ♀ MNHN). RUSSIA (SOUTH EUROPEAN TERRITORY)— Southern Federal District: Krasnaja Poljana (5 ♁♁, 3 ♀♀ ZMHB); Volgograd [= Sarepta] (9 ♁♁, 18 ♀♀ MNHN; 1 ♁ ZMHB); Volgograd [= Sarepta], 5.VI.2000 (1 ♀ CG); no exact localities: Russie (1 ♁ MNHN); Russie mér. (1 ♁ BMNH; 6 ♁♁, 4 ♀♀ MNHN). SERBIA — Central Serbia: Požarevac (2 ♁♁, 2 ♀♀ ZMHB);— Vojvodina: Ruma [= Рума], Schwieger leg. (1 ♁, 2 ♀♀ MSNG). SLOVAKIA — Banská Bystrica Region: Radnovce [= Radnóth], E. Csiki leg. (2 ♁♁, 1 ♀ ZMHB);— Košice Region: Malý Horeš, 25.V.1995, M. Wanat leg. (1 ♁ MW);— Nitra Region: Gbelce (1 ♁ MSNG); Nitra [= Neutraer-Comitat], V. Zoufal leg. (2 ♁♁ MRSN); Štúrovo 23.V.1975, Fritsche leg. (14 ♁♁, 3 ♀♀ ZMHB); Štùrovo, Hegyfarok, 150 m a.s.l., 22.V.1992, M. Košťál leg. (1 ♁ MK). SLOVENIA — Slovene Littoral: Sežana, Vrhovlje env., 340 m a.s.l., 3.VI.2012, S. Zoia leg. (1 ♁ CG). SWITZERLAND — Canton of Lucerne: Buchrain, 5.VI.1995, M. Uhlig leg., on Malva sp. (1 ♀ ZMHB); Buchrain, 31.VII.2005, M. Uhlig leg., on Altaea sp. (15 ♁♁, 11 ♀♀ ZMHB);— Canton of Valais: Ausserberg, 1,000 m a.s.l., 5.VII.2015, C. Giusto leg., on Alcea rosea L. (11 ♁♁, 9 ♀♀ CG). SYRIA — As-Suwayda Governorate: As-Suwayda, 3.V.2008, Stěpánek leg. (2 ♁♁ AP);— Homs Governorate: Qala'at al Hosn, Krak des Chavaliers, 671 m a.s.l., 4.V.2009, M. Uliana leg. (1 ♁ LF);— Latakia Governorate: Latakia [= Lattaquie] (4 ♁♁, 4 ♀♀ MNHN). TURKEY — Aegean Region: Bergama 2.V.1916, S.G. Bauer leg. (1 ♀ ZMHB); Ýzmir [= Smyrne] (2 ♁♁, 1 ♀ MNHN); Ephesus, J. Sahlberg leg. (1 ♀ ZMHB); Ephesus, U. Sahlberg leg. (1 ♁ ZMHB);— Black Sea Region: Tokat [= Tkt] (31 ♁♁, 25 ♀♀ MNHN);— Central Anatolia Region: Ankara, Plant Protection Institute (3 ♁♁, 2 ♀♀ BMNH); Konya, 1899, Korb leg. (1 ♁, 1 ♀ ZMHB); Dereköy, 10 km W, 31.V.2011, F. Angelini leg. (1 ♁ CG);— Mediterranean Region: Adana (40 ♁♁, 26 ♀♀ MNHN); Amanusgebirge [= Nur Daðlarý], V–VIII.1914, Dr. Tölg leg. (1 ♀ MNHN); 20 km N of Anamur, 600 m a.s.l., 6.VI.2002, C. Giusto & S. Zoia leg., on Alcea rosea L. (4 ♁♁, 3 ♀♀ CG); Arslanköy, 1,450 m a.s.l., 3.VI.2002, C. Giusto & S. Zoia leg., on Alcea rosea L. (2 ♁♁, 4 ♀♀ CG); Çamlýyayla, 1,410 m a.s.l., 2.VI.2002, C. Giusto & S. Zoia leg., on Alcea rosea L. (4 ♁♁, 4 ♀♀ CG); Çamlýyayla env., 1,280 m a.s.l., 2.VI.2002, S. Zoia & C. Giusto leg., on Alcea rosea L. (1 ♁ CG); Kahramanmaraş, Püren Geçidi env., 1,550 m a.s.l., 23.V.2001, E. Colonnelli leg. (1 ♀ EC); Karaçay Bucaðý, env. NE, 100 m a.s.l., 31.V.2002, C. Giusto & S. Zoia leg. (4 ♁♁, 7 ♀♀ CG); Pazarcýk env., 1.VI.1983, M. Meregalli leg. (1 ♁, 1 ♀ MM); Samandað, Seleukeia Pieria, 40 m a.s.l., 1.VI.2002, C. Giusto & S. Zoia leg. (2 ♁♁, 3 ♀♀ CG); Tarsus (1 ♁ MNHN);— Marmara Region: Beşik Bay [= Besika Bay] (5 ♁♁, 5 ♀♀ BMNH); Istanbul [= Constantinople] (8 ♁♁, 12 ♀♀ MNHN); Istanbul, Scutari (12 ♁♁, 6 ♀♀ MNHN); no exact localities: [?] Lajoya (10 ♁♁, 3 ♀♀ MNHN); [?] le, de Buffiveuh (4 ♁♁, 1 ♀ MNHN); [?] Turcia, Allion (1 ♁ MNHN); Turkey (12 ♁♁, 10 ♀♀ MNHN); Anatolia [= Asia Minor] (2 ♀♀ BMNH; 2 ♁♁, 3 ♀♀ MNHN); Taurus Montains [= Lyciae Taurus], VI.1903 F. Hauser leg., 1 ♁ MRSN). TURKMENISTAN — Balkan Region: Serdar [= Kysil-Arwat], 1898, F. Hauser leg. (2 ♀♀ BMNH; 1 ♁, 1 ♀ CG; 2 ♁♁, 2 ♀ MRSN);— Mary Region: Chemen-i-Bid, 20–25.IV.1993, P. Čhechowsý leg. (2 ♁♁, 1 ♀ CG); no exact localities: Kopet-Dagh (3 ♁♁ MRSN); Saramsakli (2 ♀♀ MRSN). U.S.A. — Utah: Providence, 29.V.1970, G.F. Knowlton leg. (2 ♀♀ BMNH);— Minnesota: Moorhead, 3.IX.1970, J.R. Powers leg., on hollyhock seeds (1 ♁, 1 ♀ MW);— Missouri: Columbia, VII.1981 (1 ♁, 1 ♀ CG; 1 ♀ FS). UKRAINE — Autonomous Republic of Crimea: Crimea (1 ♁, 1 ♀ BMNH; 1 ♁ MNHN); Dmitrove, 250 m a.s.l., 19.IV.2008, M. Košťál leg. (1 ♁ MK); Dobre, 28.V.2005, J. Borowski leg. (1 ♀ MW); Simferopol (1 ♁, 1 ♀ ZMHB);— Khmelnytskyi Oblast: Kamyanets Podilskiy, Smotrich env., 26.VI.1996, M. Wanat leg. (1 ♁, 1 ♀ MW). Other no exact localities: Caucasus (2 ♀♀ MNHN); Stalino, IX.1943 (1 ♁ MNHN); Syrie (1 ♁, 3 ♀♀ MNHN); Syrie, C. Piochard de La Brûlerie leg. (1 ♀ MNHN); Tr. Casp. [= Transcaspia], Penschdeh (1 ♁ MNHN). Redescription (Ƌ ♀). Lb: ♁ 2.30–3.23 mm [2.80 mm], ♀ 2.25–3.44 mm [2.95 mm]. Body integument dark brown to piceous; apical tibial mucrones, coxae and trochanters brown to dark brown. Body scales piliform with more or less pointed apex (Figs. 10–11); only few scales on base of 3 rd elytral interval, at apex of elytra, on meso-and metanepisterna, on mesoepimera and at apex of femora with more or less truncate apex. Male rostrum as in Figs. 13–14, 17–18; in dorsal view, mesorostral dilatation slightly dentiform, prorostrum with slightly concave sides, feebly narrowing from mesorostral dilatation to apical third then weakly widened to apex; in profile, rostrum distinctly angulate above antennal insertion; Lr: 0.78–1.24 mm [0.99 mm]; Lpr: 0.54–0.91 mm [0.71 mm]; Lmtr: 0.21–0.36 mm [0.28 mm]; Wmsr: 0.20–0.25 mm [0.23 mm]; Lr/Wmsr: 4.23–5.17 [4.64]; Lr/Lp: 1.15–1.65 [1.41]; Lb/Lr: 2.42–2.90 [2.74]. Female rostrum as in Figs. 15–16, 19–20; in dorsal view, prorostrum with parallel sides, feebly widened toward apex in the apical fourth; Lr: 1.28–2.51 mm [1.88 mm]; Lpr: 0.95–1.94 mm [1.43 mm]; Lmtr: 0.29–0.62 mm [0.44 mm]; Wmsr: 0.15–0.22 mm [0.20 mm]; Lr/Wmsr: 7.81–11.75 [10.25]; Lr/Lp: 2.00–3.17 [2.54]; Lb/Lr: 1.34–1.79 [1.46]. Forehead densely punctate; punctures round, 17–23 µm in diameter, hardly separated or, very often, confluent to form striolae; interspaces matt, microsculptured. Antennae (Figs. 25–26) inserted at basal 0.24–0.32 [0.29] (♁) or 0.20–0.27 [0.24] (♀) of rostrum; La: ♁ 0.78–1.15 mm [0.98], ♀ 1.06–1.47 mm [1.25 mm]; Lc: ♁ 0.31–0.41 mm [0.36 mm], ♀ 0.32–0.42 mm [0.39 mm]; La/Lpr: ♁ 1.12–1.66 [1.37], ♀ 0.67–1.20 [0.86]; La/Lc: ♁ 2.66–3.06 [2.81], ♀ 2.81–3.58 [3.19]. Prothorax (Figs. 6–7) mostly isodiametric to slightly longer than wide, widest just behind middle; only few populations show weakly transverse prothorax; disc densely punctate, punctures round to oblong, 17–25 µm in diameter, hardly separated or, very often, confluent to form striolae; interspaces matt; Lp: ♁ 0.55–0.81 mm [0.68 mm], ♀ 0.55–0.89 mm [0.72 mm]; Wp: 0.56–0.80 mm [0.68 mm], ♀ 0.52–0.84 mm [0.72 mm]; Lp/Wp: ♁ 0.88–1.10 [1.00], ♀ 0.91–1.09 [1.01]. Scutellum subquadrate, matt. Elytra (Figs. 6–7), in dorsal view, with weakly rounded sides and weakly widening backwards; on elytral disc, intervals 2.9–3.3 times as wide as striae; Le: ♁ 1.57–2.25 mm [1.92 mm], ♀ 1.51–2.39 mm [2.02 mm]; We: ♁ 0.85–1.28 mm [1.05 mm], ♀ 0.83–1.30 mm [1.09 mm]; Le/We: ♁ 1.66–2.01 [1.82], ♀ 1.71–2.02 [1.86]. Legs with femora robust and rather swollen, 2.80–2.90 (♁), 2.91–3.04 (♀) times as long as wide; all male tibiae (Figs. 27–29) with short, blunt and oblique apical mucro; tarsi moderately elongate; 1 st segment 1.60–1.90 times as long as wide; 2 nd 1.12–1.37 times as long as wide, 0.80–0.84 times as long as 1 st; 3 rd 0.81–0.90 times as long as wide, with lobes well developed, 0.83–0.98 times as long as 2 nd; onychium 1.27–1.44 times as long as 2 nd segment. Male sternite IX as in Fig. 35. Tegmen (Figs. 36–37) with apical membranous lobes fairly long, subrounded, folded at base; suprafenestral sclerites with 2 long outer setae (only occasionally 3) and 1 shorter inner seta (occasionally 0). Penis (Figs. 41–44), in ventral view, with parallel sides from base to ostium then gradually restricted to apex. Female genitalia as in Figs. 49–53. Remarks. This species is very variable throughout its distribution.Apart from some local forms, it is possible to observe clinal variability of the following characters: vestiture composed of denser, whiter and thicker scales from North-West to South-East, probably as a response to increasing sunshine (Figs. 10–11); body size on average bigger in Europe than in the remaining territories; rostrum, particularly that of female, longer and more widened at apex in Europe while it tends to be shorter and more cylindrical in southern and eastern populations; analogously, and probably related to the length of the rostrum, prothorax is longer than wide in European and western Asiatic populations and isodiametric or even transverse in some Middle East populations. The \"typical\" form, decidedly predominant in the whole area, is characterized by long rostrum (Figs. 13–16) (Lr: ♁ 0.78–1.24 mm [0.99 mm], ♀ 1.60–2.51 mm [2.03 mm]; Lr/Wmsr: ♁ 3.71–5.17 [4.53], ♀ 8.00–13.00 [10.37]; Lr/Lb: ♁ 2.42–3.09 [2.79], ♀ 0.54–0.78 [0.68]), female prorostrum longer than antennae (Lpr/La: ♀ 1.05–1.50 [1.25]), prothorax, on average, longer than wide (Lp/Wp: ♁ 1.00–1.10 [1.03], ♀ 1.00–1.09 [1.03]) and vestiture composed of thin scales with pointed apex (Fig. 10). This form is associated with Alcea rosea L. A characteristic form has been found in Israel, exclusively along the Jordan Valley, on Alcea dissecta (Baker f.) Zohary. It is recognizable by its short rostrum, particularly in female (Figs. 17–20) (Lr: ♁ 0.82–1.06 mm [0.95 mm], ♀ 1.28–1.66 mm [1.48 mm]; Lr/Wmsr: ♁ 3.74–4.52 [4.24], ♀ 6.70–8.67 [7.52]; Lr/Lb: ♁ 2.75–3.22 [2.96], ♀ 0.47–0.55 [0.52]); female prorostrum, on average, shorter than antennae (Lpr/La: ♀ 0.86–1.00 [0.96]); transverse prothorax (Lp/Wp: ♁ 0.88–0.99 [0.97], ♀ 0.91–0.99 [0.96]) and vestiture similar to the \"typical\" one. A further form from Israel, not found in the Jordan Valley, associated with Alcea setosa (Boiss.) Alef., shows intermediate characters between the two previous forms (Lr: ♁ 0.82–1.11 mm [0.98 mm], ♀: 1.50–2.16 mm [2.01 mm]; Lr/Wmsr: ♁ 3.90–4.68 [4.25], ♀ 8.33–10.68 [9.76]; Lr/Lb: ♁ 2.79–3.04 [2.90], ♀ 0.58–0.69 [0.66]; Lpr/La: ♀ 1.04–1.20 [1.13]; Lp/Wp: ♁ 0.96–1.06 [1.00], ♀ 0.96–1.05 [1.00]). The last form, whose host plant is unknown, occurs in Afghanistan (Faryab Province: Goudgé Konti). It is similar to that from Jordan Valley, but it is characterized by longer rostrum (Lr: ♁ 0.96–1.23 mm [1.13 mm], ♀: 1.34–1.99 mm [1.73 mm]; Lr/Wmsr: ♁ 4.50–5.14 [5.02], ♀ 8.40–9.75 [8.85]; Lr/Lb: ♁ 2.48–2.98 [2.68], ♀ 0.53– 0.63 [0.58]), female prorostrum, on average, shorter than antennae (Lpr/La: ♀ 0.83–1.00 [0.90]), prothorax variable in length, on average isodiametric (Lp/Wp: ♁ 0.99–1.03 [1.00], ♀ 0.95–1.03 [1.00]) and vestiture composed of thicker scales (Fig. 11). Box-plots (Fig. 59) generated from analysis of data exclusively relating to female specimens and limitedly to four ratios (Lr/Lb, Lr/Wmsr, Lpr/La, Lp/Wp) show the differences among the forms mentioned above. For convenience, populations were grouped as follows: pop. 1: \"typical\" form from Istanbul (Constantinople and Scutari), host plant: A. rosea; pop. 2: all remaining populations belonging to the \"typical\" form, host plant: A. rosea; pop. 3: Israel (excluding Jordan Valley), host plant: A. setosa; pop. 4: Israel (Jordan Valley), host plant: A. dissecta; pop. 5: Afghanistan: Goudgé Konte, host plant: unknown. Distribution. Palaearctic Region: Algeria, Portugal, Spain, France, Luxembourg, The Netherlands, Germany, Poland, Ukraine, Moldova, Romania, Hungary, Slovakia, Czech Republic, Austria, Switzerland, Italy, Slovenia, Croatia, Bosnia and Herzegovina, Serbia, Montenegro, Albania, North Macedonia, Bulgaria, Greece, Cyprus, Egypt, Israel, Jordan, Lebanon, Syria, Turkey, Georgia, Russia (South European Territory), Azerbaijan, Armenia, Iran, Afghanistan, Turkmenistan, Kyrgyzstan (Alonso-Zarazaga et al. 2017, Furlan 2002, Grosso-Silva 2005, Tuba & Lakatos 2010). Nearctic Region (introduced): Canada (British Columbia, Ontario, Quebec, Nova Scotia), U.S.A. (Washington, Oregon, California, Utah, Colorado, Kansas, Iowa, Minnesota, Wisconsin, New York, Vermont, Maine, New Hampshire, Massachusetts, Pennsylvania, Maryland, Ohio, Virginia, Kentucky, Illinois, Missouri, Arkansas, Tennessee, North Carolina, South Carolina, Georgia) (Kissinger 1968; Majka et al. 2007, 2011; O'Brien & Wibmer 1982; Per- rin 1984; Salsbury 2000; Tuba & Lakatos 2010). Remarks. This species is reported here, for the first time, from Bosnia and Herzegovina, Egypt, Kyrgyzstan, and in North America from Utah and Minnesota. The ascertained presence in Kazakhstan and Uzbekistan only of R. celatum n. sp. and its possible presence also in Tajikistan suggest that former records concerning the presence of R. longirostre in these areas should be considered plausible, but requiring confirmation (see Schatzmayr 1923, Osella 1966, Osella 1968, Nasreddinov 1975, Meregalli & Osella 1978, Perrin 1984, Arzanov 1990, Alonso-Zarazaga 2011, Alonso-Zarazaga et al. 2017). For this reason Kazakhstan, Uzbekistan and Tajikistan have been temporarily excluded from the distribution of R. longirostre (Fig. 64). Bionomy. This is a widespread and abundant species that lives in xeric or xerothermophilous habitats from low altitudes, 190 m b.s.l., to mountains up to 1,550 m a.s.l. It is associated with Alcea digitata Alef., Alcea dissecta (Baker f.) Zohary, Alcea rosea L. and Alcea setosa (Boiss.) Alef. Considerations regarding possible additional host plants and further bionomic notes are summarized above, as indicated in the paragraph dedicated to the bionomy of the genus.", + "authors": [ + { + "name_en": "Giusto, Carlo", + "name_zh": "Giusto, Carlo" + } + ], + "keywords_en": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Arthropoda", + "Insecta", + "Coleoptera", + "Brentidae", + "Rhopalapion", + "Rhopalapion longirostre" + ], + "keywords_zh": [ + "Biodiversity", + "Taxonomy", + "Animalia", + "Arthropoda", + "Insecta", + "Coleoptera", + "Brentidae", + "Rhopalapion", + "Rhopalapion longirostre" + ], + "publication_date": 1610467200000, + "created": "", + "modified": "", + "status": "", + "license": "notspecified", + "file_size_mb": 0.03, + "file_size_bytes": 33939, + "download_count": 0, + "visit_count": 0, + "url": "", + "source": "scidb" + }, + { + "dataset_id": "", + "doi": "10.5281/zenodo.4499539", + "cstr": "", + "pid": "", + "title": "ESPnet2 pretrained model, Shinji Watanabe/nsc_asr_train_asr_raw_en_bpe20000_valid.acc.ave, fs=16k, lang=en", + "title_en": "ESPnet2 pretrained model, Shinji Watanabe/nsc_asr_train_asr_raw_en_bpe20000_valid.acc.ave, fs=16k, lang=en", + "title_zh": "ESPnet2 pretrained model, Shinji Watanabe/nsc_asr_train_asr_raw_en_bpe20000_valid.acc.ave, fs=16k, lang=en", + "description": "This model was trained by Shinji Watanabe using nsc recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8fd07721b78ef0d34713f237e94a003731a78825pip install -e .cd egs2/nsc/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/nsc_asr_train_asr_raw_en_bpe20000_valid.acc.aveResults# RESULTS## Environments- date: `Sun Jan 10 03:01:02 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `dd9cf570becddb2a587e69473548b1d73fa9648f` - Commit date: `Tue Jan 5 13:55:51 2021 -0500`## asr_train_asr_raw_en_bpe20000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/dev|3986|26046|79.0|16.3|4.7|3.8|24.8|60.5||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/test|16306|123092|74.0|19.1|6.9|5.1|31.1|69.7|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/dev|3986|126663|88.2|5.4|6.3|3.8|15.6|60.5||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/test|16306|587330|84.1|6.9|9.0|5.4|21.3|69.7|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/dev|3986|30721|77.1|15.0|7.9|4.9|27.8|60.6||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/test|16306|150205|72.5|17.0|10.5|6.5|34.0|69.7|ASR configconfig: conf/train_asr.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_raw_en_bpe20000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 49547dist_launcher: nullmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 100patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5grad_clip_type: 2.0grad_noise: falseaccum_grad: 5no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 300valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_en_bpe20000/train/speech_shape- exp/asr_stats_raw_en_bpe20000/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_en_bpe20000/valid/speech_shape- exp/asr_stats_raw_en_bpe20000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_nodev/wav.scp - speech - sound- - dump/raw/train_nodev/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - sound- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 10.0scheduler: noamlrscheduler_conf: warmup_steps: 25000token_list:- - - ▁I- ''''- ▁the- ▁you- ▁like- ']'- ▁[- s- ▁to- ▁that- ▁it- ▁is- ▁ya- ▁a- ▁and- ▁so- t- ▁then- ▁okay- ▁what- ▁of- ▁but- ▁uh- ▁know- ▁in- ▁one- ▁my- ▁don- ▁have- ▁they- ▁we- ▁no- ah- ▁not- ▁just- ▁for- lah- ▁think- ▁can- ▁there- oh- ▁do- ▁was- ▁this- ▁your- ▁right- ▁he- '-'- ▁are- ▁me- ▁go- ▁or- ▁be- ▁very- ▁if- ▁will- _- ▁on- ▁she- ▁how- m- ▁with- ▁want- ▁about- ▁because- ▁ppl- ▁all- ▁really- ▁when- ▁also- ▁time- ▁say- ▁at- ▁why- eh- ▁would- ▁um- ▁got- ▁mean- ▁see- ▁thing- ▁as- ▁actually- ▁people- ▁cause- ▁yes- ▁two- ▁now- ▁good- ▁more- ▁get- ▁ppo- ▁maybe- ▁ppb- ▁lot- ▁from- ▁up- ▁only- ▁her- ▁already- ▁kind- ▁out- ▁some- ▁something- re- ▁who- ▁them- ▁need- ▁where- ▁three- ▁let- ▁quite- ▁yeah- ▁most- ▁even- ▁talk- ▁never- ▁after- ▁did- ▁other- ▁still- ▁feel- ▁school- ▁eat- ▁which- ▁take- ▁Singapore- ▁should- ▁food- ▁cannot- ▁first- ▁back- ▁always- ▁life- ll- ▁same- ▁next- ▁things- ▁ask- ▁last- ▁come- ▁nice- ▁person- ▁make- ▁their- ▁were- ▁work- ▁didn- n- ▁our- ▁much- ▁wait- ▁too- ▁going- ▁went- ▁him- ▁five- ▁question- ▁<- ▁guess- ▁different- '>'- UNK- ▁give- ▁had- ▁way- ▁has- ▁tell- ▁by- ▁friend- ▁place- ▁his- ▁those- ▁well- ▁buy- ▁mine- ve- ▁before- ▁day- ▁four- ▁long- ▁love- ▁any- ▁look- ▁correct- ▁mm- ▁true- ▁money- ▁try- ▁bad- ▁play- ▁everything- ▁down- ▁best- ▁remember- ▁K- ▁stuff- ▁bit- ▁many- ▁us- ▁home- ▁been- ▁huh- ▁use- ▁put- ▁wah- ▁said- ▁guy- ▁here- my- ▁anything- ▁than- ▁doing- ▁year- ▁could- ▁house- ing- ▁friends- ▁sure- ▁find- leh- ▁an- ▁someone- ▁must- ▁gonna- ▁thought- ▁ten- ▁doesn- ▁watch- ▁keep- ▁another- ▁oh- ▁every- ▁point- ▁years- ▁call- ▁family- ▁old- ▁err- ▁better- lor- ▁won- god- orh- ▁man- ▁damn- ▁around- ▁name- ▁course- ▁favourite- ▁left- ▁talking- ▁top- ▁own- ▁turn- ▁girl- ▁into- ▁twenty- ▁am- ▁over- ▁sometimes- ▁start- ▁help- ▁whole- ▁these- ▁six- ▁wow- ▁shop- ▁again- ▁important- ▁mind- ▁probably- ▁blue- ▁big- ▁colour- ▁though- ▁part- ▁end- ▁does- ▁side- ▁parents- ▁read- ▁bring- ▁being- ▁red- ▁close- ▁new- ▁yea- ▁job- ▁ever- ▁hard- ▁nothing- ▁difference- ▁interesting- ▁else- ▁together- ▁car- ▁called- ▁whatever- ▁show- ▁white- ▁sorry- ▁change- ▁pay- ▁kids- ▁basically- ▁done- ▁seven- ▁free- ▁hundred- ▁learn- ▁green- ▁fun- ▁book- ▁told- ▁small- ▁off- ▁answer- d- ▁sign- ▁usually- ▁eight- ▁few- C- ▁open- ▁wanna- ▁mum- ▁chicken- ▁myself- ▁understand- ▁A- ▁means- ▁care- ▁both- ▁describe- ▁game- ▁once- ▁saying- ▁used- ▁teacher- ▁saw- ▁inside- ▁later- ▁happen- ▁C- ▁through- ▁date- ▁yourself- S- ▁stay- ▁looking- ▁movie- ▁dollars- ▁during- ▁move- ▁live- ▁until- ▁primary- ▁least- ▁nine- ▁wearing- ▁card- ▁thirty- ▁stop- ▁alright- ▁wanted- ▁trying- ▁Chinese- ▁each- ▁everyone- ▁having- ed- ▁example- ▁enough- ▁plus- ▁s- ▁haven- ▁cook- ▁working- ▁yup- ▁away- ▁spend- ▁expensive- ▁kid- ▁might- ▁secondary- ▁since- ▁sad- ▁whether- ▁night- ▁phone- ▁children- ▁water- ▁days- ▁study- ▁S- ▁enjoy- ▁young- meh- ▁fine- ▁super- ▁door- ▁class- ▁moment- ▁wrong- ▁drink- ▁second- ▁i- ▁came- ▁week- ▁thinking- ▁sense- ▁dog- ▁made- ▁getting- sia- ▁beside- ▁walk- ▁become- ▁happy- ▁world- ▁shit- ▁partner- ▁hand- ▁minutes- ▁choose- ▁scared- ▁ball- ▁word- T- ▁front- ▁half- ▁easy- ▁anyway- ▁- ▁hour- ▁P- ▁bro- ▁meet- ▁picture- ▁cool- ▁N- ▁fifty- ▁hours- ▁rice- ▁child- ▁country- ▁pretty- A- ▁worst- ▁guys- ▁brown- ▁far- ▁funny- ▁room- ▁little- y- ▁black- ▁normal- ▁English- ▁heard- e- what- ▁looks- ▁group- ▁experience- ▁sleep- ▁near- a- ▁table- ▁story- ▁conversation- ▁weird- ▁face- ▁today- ▁exactly- ▁definitely- ▁travel- ▁type- ▁boy- ▁especially- ▁Singaporean- ▁high- ▁rather- ▁real- ▁twelve- ▁T- ▁miss- ▁brother- ▁problem- ▁without- ▁believe- ▁generation- ▁while- ▁number- ▁O- ▁finish- ▁able- ▁says- ▁yet- ▁hair- ▁playing- ▁save- ▁everybody- ▁times- ▁such- ▁supposed- ▁die- ▁sit- ▁late- ▁yours- ▁run- ▁dad- ▁everyday- ▁age- ▁meal- ▁sell- ▁M- ▁yellow- loh- ▁break- ▁area- ▁queue- ▁married- ▁took- ▁coming- M- ▁mother- ▁fast- ▁eating- ▁certain- ▁wear- ▁plan- ▁leave- ▁month- ▁collect- ▁aiya- ▁topic- ▁fish- ▁Malay- ▁anymore- ▁makes- ▁teach- ▁honestly- ▁outside- c- ▁serious- ▁father- ▁started- ▁speak- ▁pass- ▁beach- ▁bought- ▁full- ▁share- ▁character- ▁hate- B- ▁dollar- P- ▁depends- ▁morning- ▁sister- ▁B- ▁J- ▁tried- ▁special- ▁send- ▁mmhmm- ▁future- r- ▁between- ▁idea- ▁cheap- ▁company- ▁music- ▁wife- ▁thousand- ▁lady- mah- ▁dream- ▁relationship- ▁short- ▁either- ▁recently- ▁list- ▁please- ▁tomorrow- ▁listen- ▁follow- ▁bus- o- ▁level- ▁difficult- ▁isn- ▁sometime- ▁check- ▁If- ▁drive- ▁great- ▁value- ▁continue- ▁past- ▁pick- ▁suddenly- ▁hear- ▁order- ▁forty- ▁business- ▁lesson- ▁hot- ▁personal- ▁cry- ▁light- ▁famous- ▁imagine- ▁matter- ▁shoes- ▁alone- ▁taste- ▁join- ▁confirm- ▁places- ▁nowadays- ▁eleven- ▁behind- ▁ppc- ▁moving- ▁less- ▁U- p- ▁may- ▁feeling- ▁ago- ▁using- ▁million- ▁books- ▁rest- ▁floor- ▁ice- ▁bottom- ▁single- ▁complain- ▁cut- ▁almost- ▁stupid- ▁crazy- ▁sitting- ▁cute- ▁favorite- ▁E- ▁forgot- ▁asking- ▁pink- D- ▁hope- ▁agree- R- ▁below- ▁reason- ▁risk- ▁shirt- ▁stress- ▁under- ly- ▁dinner- ▁unless- ▁percent- ▁deal- ▁goes- ▁trip- ▁hello- i- ▁nobody- ▁H- ▁coffee- ▁prefer- ▁taking- ▁months- ▁perfect- ▁instead- ▁pet- ▁biggest- ▁anyone- ▁fifteen- ▁circle- ▁clean- ▁poor- ▁D- ▁stand- ▁found- ▁yesterday- ▁games- ▁points- ▁cold- ▁poly- ▁students- ▁realise- ▁clothes- ▁heart- ▁god- ▁Malaysia- ▁grey- ▁comes- ▁seen- ▁taxi- ▁song- ▁thank- ▁push- ▁obviously- ▁team- ▁write- ▁somewhere- ▁t- ▁girlfriend- ▁younger- ▁tea- ▁head- ▁sounds- one- ▁reading- ▁student- ▁hawker- ▁middle- ▁line- ▁durian- ▁wake- ▁shopping- ▁towards- ▁body- h- ▁fail- ▁sing- ▁boring- ▁legit- ▁hold- ▁win- ▁test- ▁gone- ▁girls- ▁watching- ▁local- ▁paid- ▁marriage- ▁normally- ▁road- ▁third- ▁bucket- ▁cafe- I- ▁hungry- U- ▁worth- ▁bag- ▁older- ▁knew- ▁Singlish- ▁sweet- ▁train- ▁throw- ▁dark- ▁education- ▁early- ▁toilet- ▁simple- ▁uni- ▁tuition- ▁air- ▁restaurant- ▁honest- ▁living- ▁telling- ▁p- ▁price- ▁per- ▁Japan- ▁paper- ▁uncle- ▁minute- ▁itself- ▁terms- ▁overseas- hor- ▁driver- ▁o- ▁F- ▁set- ▁childhood- ▁words- G- ▁cards- ▁hmm- ▁brand- ▁grow- ▁reach- ▁choice- V- b- ▁scary- ▁main- ▁birthday- huh- ▁China- ▁cat- ▁career- ▁somebody- ▁along- O- ▁extra- u- ▁lunch- ▁hit- ▁lost- ▁subject- ▁exercise- ▁Korea- ▁hey- ▁parent- ▁add- ▁straight- E- ▁window- right- ▁chair- ▁explain- ▁sound- ▁soccer- ▁c- ▁online- ▁drama- ▁making- ▁culture- ▁fight- ▁k- ▁literally- ▁related- ▁latest- ▁interest- ▁felt- ▁human- ▁blah- ▁cream- ▁apparently- ▁G- er- ▁tired- ▁kinda- ▁studying- ▁earn- ▁suppose- ▁bird- ▁drop- ▁fried- ▁count- ▁holding- ▁m- ▁recess- ▁dating- ▁n- ▁forget- ▁sixty- ▁movies- ▁R- ▁catch- ▁baby- ▁color- ▁smart- ▁shoe- v- ▁teh- ▁success- ▁fact- ▁embarrassing- ▁pants- ▁countries- ▁dish- ▁Indian- ▁sports- ▁shows- ▁egg- ▁mostly- ▁rich- ▁chance- ▁Korean- ▁piece- ▁truly- ▁elderly- ▁soon- ▁social- ▁Singaporeans- ▁sort- ▁meaningful- ▁general- ▁angry- ▁shack- ▁club- ▁cooking- ▁seat- ▁clear- ▁lose- ▁photo- ▁hi- ▁busy- ▁period- ▁non- ▁fair- ▁dude- ▁questions- ▁running- ▁memorable- ▁holiday- ▁item- ▁leg- ▁system- ▁un- ▁bar- ▁interested- ▁touch- ▁sea- ▁couple- ▁zero- ▁self- ▁planning- ▁post- ▁video- ▁dead- ▁ex- ▁park- ▁totally- ▁hall- ▁store- ▁weekend- ▁building- ▁loud- ▁happiest- ▁milk- ▁trust- ▁chill- ▁lobang- L- ▁common- ▁fit- ▁board- ▁cost- ▁brought- ▁case- ▁laugh- ▁situation- ▁skin- ▁power- ▁re- ▁friendship- ▁f- ▁consider- ▁fat- ▁wish- ▁fall- ▁wash- ▁event- ▁soup- ▁woman- ▁willing- ▁sec- gosh- ▁Grab- ▁faster- ▁voice- ▁L- ▁trait- ▁dance- ▁differences- ▁entire- ▁effort- ▁science- ▁waste- ▁strong- ▁meat- ▁awkward- ▁specific- ▁exam- ▁current- ▁husband- ▁son- ▁seems- ▁visit- F- ▁box- ▁centre- ▁skip- ▁expect- ▁fire- ▁draw- ▁hero- ▁teachers- ▁whenever- ▁amount- ▁often- ▁kill- ▁Japanese- ▁boyfriend- ▁space- ▁support- ▁wise- ▁kay- ▁army- ▁ready- ▁giving- ▁tree- ▁art- ▁hobby- ▁swimming- ▁shoot- ▁football- ▁comfortable- ▁jump- ▁easier- ▁control- ▁public- ▁cake- ▁low- ▁spot- ▁gym- ▁search- ▁weeks- ▁walking- ▁lazy- ▁learning- ▁speaking- ▁carry- ▁orange- ▁similar- ▁soft- ▁pets- ▁seriously- ▁health- ▁World- ▁standing- ▁compared- ▁gave- ▁bake- ▁anywhere- ▁ninety- ▁ate- ▁Friday- l- ▁New- ▁Paul- ▁socks- ▁facing- ▁view- g- ▁worry- ▁apply- ▁ability- ▁based- ▁message- ▁fly- ▁huge- ▁season- ▁bed- ▁taken- ▁lucky- ▁freaking- ▁return- ▁hell- ▁computer- ▁tend- ▁smoke- ▁others- ▁aiyo- ▁relax- ▁energy- ▁hub- ▁waiting- ▁mix- ▁daughter- ▁bottle- ▁meaning- ▁corner- ▁sick- ▁office- ▁term- f- ▁sheep- ▁sauce- ▁size- ▁city- ▁driving- ▁currently- ▁cheaper- ▁eyes- ▁crab- ▁boss- wah- ▁hang- ▁safe- ▁step- ▁advice- ▁eighty- ▁happened- ▁match- ▁deep- ▁particular- ▁impression- ▁shall- ▁pull- ▁bread- ▁possible- ▁round- ▁comfort- ▁blind- ▁ride- ▁kampung- ▁meeting- ▁wine- ▁staying- ▁internship- ▁seventeen- ▁stall- ▁longer- ▁watched- al- ▁higher- ▁training- ▁remembered- ▁Sunday- ▁signboard- ▁closest- ▁wonder- ▁project- ▁fan- ▁caught- ▁government- ▁form- ▁tough- ▁Google- ▁everywhere- ▁healthy- ▁build- ▁trend- ▁cheese- ▁hat- uh- ▁vegetable- nah- ▁within- ▁slowly- ▁market- ▁block- ▁Saturday- ▁hotel- ▁technology- ▁machine- ▁craziest- ▁whereby- ▁selling- ▁math- ▁Australia- ▁makeup- ▁sand- ▁although- ▁works- ▁mention- ▁weather- ▁Hong- ▁manage- ▁afraid- K- ▁bike- ▁easily- ▁above- ▁alive- ▁listening- ▁respect- ▁mouth- ▁eventually- ▁feelings- ▁worse- ▁smell- ▁dress- ▁party- ▁language- ▁quiet- ▁chocolate- ▁possession- ▁seventy- ▁exams- ▁tray- ▁sun- ▁amazing- ▁mom- ▁e- ▁basic- ▁songs- ▁forward- ▁cap- ▁rock- ▁splurge- ▁stick- ▁busybody- ▁define- ▁woah- ▁act- ▁b- ▁contact- ▁issue- ▁potato- ▁studies- ▁fishing- ▁empty- ▁treat- ▁sleeping- ▁decide- ▁grandfather- ▁bigger- ▁previous- ▁asked- ▁cover- ▁classes- ▁d- ▁jobs- ▁kidding- ▁slow- ▁properly- ▁con- ▁laptop- ▁balance- ▁shark- ▁everytime- ▁X- ▁met- ▁base- ▁opposite- ▁canteen- ▁design- ▁random- ▁cousin- ▁happens- ▁hands- ▁given- ▁w- ▁pain- ▁focus- ▁proper- ▁y- ▁travelling- ▁degree- ▁flying- ▁missing- ▁police- ▁total- ▁j- ▁fourteen- ▁hated- ▁chores- ▁acronym- ▁accept- ▁dry- ▁transport- ▁Taiwan- ▁stage- and- ▁Facebook- ▁h- ▁center- ▁neighbours- ▁further- ▁breakfast- ▁doctor- ▁mic- ▁band- ▁cars- ▁Monday- ▁walao- ▁nearby- ▁decided- J- ▁siblings- ▁standard- ▁except- ▁activity- ▁quality- ▁themselves- ▁romantic- ▁spicy- ▁till- ▁ghost- ▁bank- ▁lie- ▁rent- ▁fake- ▁saddest- ▁stresses- ▁feels- ▁eye- ▁fear- ▁style- ▁text- ▁happening- ▁handle- ▁tiring- ▁considered- ▁wedding- ▁fresh- clock- ▁kopi- ▁eaten- ▁nope- ▁equal- ▁beautiful- ▁became- ▁bee- ▁environment- ▁inspiring- ▁history- ▁g- ▁shape- ▁maths- ▁escape- ▁purple- ▁annoying- ▁peach- ▁somehow- ▁pie- ▁drinking- ▁compare- ▁natural- ▁drinks- ▁names- ▁East- ▁motto- ▁dislike- ▁flat- ▁closer- ▁positive- ▁Instagram- ▁double- ▁sixteen- ▁concert- ▁Thailand- ▁paying- ▁seeing- ▁camp- ▁neighbour- ▁grandma- ▁boat- ha- ▁earlier- ▁private- ▁react- ▁gold- ▁interview- ▁express- ▁charge- ▁pictures- ▁auntie- ▁timing- ▁curry- ▁friendly- ▁aspect- ▁oil- ▁popular- ▁stories- ▁mee- ▁service- ▁nevermind- ▁growing- ▁mark- ▁learnt- ▁offer- ▁phrase- ▁brain- ▁talent- ▁nineteen- ▁eighteen- ▁cross- ▁field- ▁physical- ▁technically- ▁serve- ▁thirteen- ▁ma- ▁realize- ▁admire- ▁exchange- ▁born- ▁helping- ▁usual- ▁pool- ▁settle- ▁thanks- ▁played- ▁umbrella- ▁nature- ▁valued- ▁differently- ▁fault- ▁buffet- ▁sh- ▁position- ▁account- ▁u- ▁regret- ▁buying- ▁against- ▁laughing- ▁broke- ▁lame- ▁died- ▁noodles- ▁film- ▁YouTube- ▁iPhone- ▁news- ▁dogs- ▁pro- ▁agency- ▁library- ▁hopefully- levels- ▁sugar- ▁track- ▁radio- ▁North- ▁net- ▁negative- ▁horror- ▁kitchen- ▁society- ▁boys- ▁prata- ▁street- ▁problems- ▁reply- ▁l- ▁role- ▁session- ▁birds- ▁durians- ▁star- ▁action- ▁besides- ▁taught- ▁pair- ▁crowd- ▁grab- ▁wide- ▁starting- ▁noodle- ▁louder- ▁lower- ▁awhile- ▁sport- ▁scold- ▁appreciate- ▁ground- ▁recent- ▁Tom- ▁anybody- ▁generally- ▁shorts- ▁crowded- ▁irritates- ▁photos- ▁cents- ▁wall- ▁lives- ▁homework- ▁Cup- ▁actual- ▁female- ▁chore- ▁teaching- ▁quit- ▁himself- ▁twice- ▁pack- ▁lead- ▁enter- ▁neighbourhood- ▁notice- ▁anyways- ▁joke- ▁bear- ▁plastic- ▁license- ▁bowl- ▁stinge- ▁pop- ▁dare- ▁harder- ▁prepare- ▁legs- ▁kia- ▁finding- ▁research- ▁goal- ▁roll- ▁December- ▁tennis- ▁bin- ▁skills- ▁lessons- ▁Europe- ▁ahead- ▁product- ▁rude- ▁kept- ▁minus- ▁kena- ▁direction- ▁rate- ▁playground- ▁grandmother- ▁university- ▁Mister- ▁stuck- ▁personally- ▁pasta- ▁passed- ▁burn- ▁de- ▁survive- Kong- ▁rubbish- ▁beef- ▁Asian- ▁knowledge- ▁Hokkien- ▁gap- ▁achieve- ▁bo- ▁Orchard- ▁memory- ▁putting- es- ▁McDonald- ▁cup- ▁procrastinating- ▁version- ▁recording- 'on'- ▁create- ▁model- ▁force- ▁depend- ▁opportunity- ▁sushi- ▁swim- ▁station- ▁media- ▁dishes- ▁personality- ▁shut- ▁shift- k- ▁climb- ▁ways- ▁ha- ▁needs- ▁holidays- ▁plate- ▁bye- ▁topics- ▁nasi- ▁brands- level- ▁title- ▁blood- ▁successful- ▁afford- ▁basketball- ▁hurt- ▁across- ▁dirty- ▁forever- ▁none- ▁key- ▁invest- ▁opinion- ▁land- ▁accomplish- ▁aunty- ▁farm- ▁traditional- ▁toy- ▁snack- ▁ticket- ▁fruit- ▁financial- ▁dabao- ▁Thai- ▁peng- ▁improve- ▁Sentosa- ▁fell- ▁Netflix- ▁religion- ▁weight- ▁breaker- ▁background- ▁handphone- ▁inspire- in- ▁activities- ▁seafood- ▁bored- ▁finally- ▁pre- ▁loyal- ▁changing- ▁chilli- ▁trouble- ▁episode- ▁average- ▁terrible- ▁roof- ▁sem- ▁law- ▁glass- ▁heavy- ▁slightly- ▁fries- ▁town- ▁lines- N- ▁address- ▁rare- ▁animal- ▁chat- ▁lift- ▁Indonesia- ▁apart- ▁ulu- ▁bother- ▁press- ▁industry- ▁race- ▁cleaning- ▁present- ▁feet- ▁shine- ▁issues- ▁maker- ▁Bill- ▁process- ▁excuse- ▁honey- ▁pharmacy- ▁cried- ▁passion- ▁app- ▁island- ▁spending- ▁thick- ▁memories- ▁raw- ▁duck- ▁r- ▁ended- ▁V- ▁shuffle- ▁fashion- ▁suit- ▁Tai- ▁kick- ▁Tampines- ▁skincare- ▁mini- ▁burger- ▁allow- able- ▁cash- ▁airport- ▁Changi- ▁nickname- ▁chillax- ▁Bedok- ▁items- ▁shock- ▁divide- ▁writing- ▁mindset- ▁rain- ▁sale- Y- ▁devote- ▁dangerous- ▁bowling- ▁Wednesday- ▁purpose- ▁stun- ▁singing- ▁church- ▁salary- ▁supper- ▁aunties- ▁sian- ▁artist- ▁cycle- ▁explore- ▁changed- ▁India- ▁beer- ▁competition- ▁er- ▁tour- ▁maintain- ▁identify- ▁internet- ▁similarity- ▁mid- ▁throughout- ▁fruits- ▁com- ▁attention- ▁death- ▁aircon- ▁skill- ▁page- ▁goals- ▁trash- ▁volleyball- ▁split- ▁due- ▁stressful- ▁boxes- ▁remind- ▁dustbin- ▁deck- ▁actor- ▁known- up- ▁release- ▁Vietnam- ▁juice- ▁treasure- an- ▁Sue- ▁hanging- ▁catching- ▁ship- ▁bubble- ▁gain- ▁surprise- ▁record- ▁pizza- ▁speed- ▁sky- ▁tonight- ▁washing- H- ▁toys- ▁rush- ▁raise- ▁shared- the- ▁graduate- ▁fourth- ▁score- ▁lao- ▁pray- ▁co- ▁complete- ▁afternoon- ▁series- ▁sock- ▁knowing- ▁steak- ▁written- ▁dying- ▁hide- ▁north- ▁ye- ▁stripe- ▁sibling- ▁avoid- ▁mountain- ▁stable- ▁daily- ▁weekends- ▁grass- ▁Ah- ▁fix- or- ▁state- ▁cent- ▁politics- ▁flag- ▁Joe- ▁convenient- ▁speech- ▁assume- ▁ugh- ▁halfway- ▁surprised- ▁Tuesday- ▁beat- ▁horrible- ▁sandcastle- ▁perhaps- ▁ugly- ▁information- ▁pig- ▁grade- ▁closed- ▁relate- ▁Bangkok- ▁perspective- ▁golf- ▁Megan- ▁path- ▁judge- ▁accent- ▁stone- ▁bush- ▁events- ▁western- ▁videos- ▁fighting- ▁flight- ▁court- ▁sales- ▁Y- ic- ▁wave- ▁arts- ▁pronounce- ▁invite- ▁proud- ▁player- ▁allowed- ▁goodness- ▁mistake- ▁Ang- ▁scene- ▁note- God- ▁lamp- ▁ourselves- ▁yoga- ▁Harry- ▁wind- ▁heck- ▁cab- ▁master- ▁chiong- ▁pressure- ▁practice- ▁income- ▁Thursday- ▁Jurong- ▁testing- ▁attack- ▁pointing- ▁cats- ▁link- ▁Jack- ▁diploma- ▁worries- ▁semester- ▁safety- ▁woke- ▁Man- ▁shocked- ▁zoo- ▁th- ▁birth- ▁results- ▁tables- ▁development- ▁salt- ▁engineering- ▁fully- ▁letter- ▁bicycle- ▁concept- ▁camera- ▁strange- ▁understanding- ▁animals- ▁discuss- ▁typical- ▁Christmas- ▁unique- ▁condo- ▁yep- ▁Park- ▁parts- ▁onto- ▁products- ▁nose- ▁seem- ▁ring- ▁result- ▁stomach- ▁herself- ▁spent- ▁winter- ▁male- ▁jumping- ▁rocks- ▁grades- ▁flowers- ▁cuisine- ▁habit- ▁budget- ▁casino- ▁community- ▁Year- ar- ▁challenge- ▁feed- ▁Punggol- ▁nonsense- ▁distance- ▁baking- ▁realised- ▁players- en- ▁nicknames- ▁wood- ▁moral- ▁recommend- ▁mood- ▁destress- ▁hospital- ▁tall- ▁ending- ▁badly- ▁chairs- ▁calling- ness- ▁clique- ▁la- ▁click- ▁ideal- ▁porridge- ▁original- ▁Ben- ▁lesser- ▁mall- ▁restaurants- ▁material- ▁National- ▁bikini- ▁smoking- ▁pork- ▁pause- ▁cutting- ▁provide- ▁figure- ▁variety- ▁American- ▁afterwards- ▁donate- ▁preserve- ▁affect- ▁according- ▁London- ▁Yishun- ▁freedom- ▁sensitive- ▁women- ▁shiok- ▁entertainment- ▁disgusting- ▁slash- ▁charity- ▁cycling- ▁dumb- ▁John- ▁kaypoh- ▁obvious- ▁suck- ▁dramas- ▁talked- ▁cheat- ▁channel- ▁discipline- ▁kaypo- ▁transfer- ▁Batam- ▁grew- ▁location- ▁newspaper- ▁smaller- ▁guide- ▁strict- ▁badminton- ▁indeed- ▁mask- ▁loved- ▁plane- ▁Chinatown- ▁drunk- ▁seldom- ▁knock- ▁sweeping- ▁colleague- ▁lol- ▁Woodlands- ▁enroll- ▁major- ▁seahorse- ▁final- ▁tattoo- ▁nicer- ▁chemistry- ▁lying- ▁potatoes- ▁elaborate- ▁designer- ▁previously- ▁preserved- ▁adult- ▁following- ▁takes- ▁bite- ▁repeat- ▁contract- ▁attitude- ▁curious- ▁nua- ▁program- ▁values- ▁falling- ▁genre- ▁pear- ▁trees- ▁quick- ▁Marina- ▁data- ▁pee- ▁Lee- ▁crying- ▁uncles- Q- ▁stickers- ▁report- ▁aunt- ▁extent- ▁happiness- ▁lifestyle- ▁sharing- ▁plain- ▁slippers- ▁decision- ▁customer- ▁warm- ▁pushing- ▁ran- ▁flow- ▁screen- ▁celebrate- ▁smile- ▁vision- ▁marry- ▁anyhow- ▁completely- ▁acting- ▁yay- ▁balls- ▁national- ▁Toa- ▁satay- ▁seesaw- ▁volunteer- ▁concern- ▁shower- ▁sticker- ▁shot- ▁direct- ▁swear- ▁cage- ▁Bali- ▁quickly- ▁physics- ▁square- ▁wheel- ▁areas- ▁intern- ▁gai- est- ▁luck- ▁confident- ▁security- ▁property- ▁useful- ▁received- ▁mainly- ▁raining- ▁stressed- ▁finished- ▁modern- ▁stamps- ▁batch- ▁America- ▁schedule- ▁bench- ▁hobbies- ▁literary- ▁noisy- ▁banana- ▁losing- ▁excited- ▁wallet- ▁suay- ▁dear- ▁salted- ▁stack- ▁maid- ▁se- ▁heng- ▁helps- ▁perform- ▁bringing- ▁exact- ▁alamak- ▁available- ▁gaming- ▁wooden- ▁management- ▁destresses- ▁Kim- ▁managed- ▁exist- ▁sack- ▁arm- ▁cooked- ▁courses- w- ▁lock- ▁blame- ▁practical- ▁truth- ▁Science- ▁uniform- ▁manager- ▁liked- ▁module- ▁receive- ▁recall- ▁sucks- ▁staff- ▁worried- ▁mummy- ▁characters- ▁solve- ▁buddy- Guni- mee- ▁Asia- ▁lecture- ▁tourist- ▁members- ▁grand- Bay- ▁Karang- Cup- ▁blonde- ▁strength- la- ▁disturb- ▁deserve- ▁South- ▁opening- ▁milo- ▁shore- ▁tower- ▁ear- ▁stayed- ▁accident- ▁dessert- ▁saving- ▁singer- ▁mala- W- Payoh- ▁familiar- ▁significant- ▁Pokemon- ▁thin- ▁jio- ▁fitness- ▁among- ▁king- ▁investment- ▁member- ▁influence- ▁needed- ▁shout- ion- ▁wrote- ▁filled- ▁pure- ▁covered- ▁mess- ▁butter- ▁plans- ▁cloth- ▁fill- ▁necessary- ▁skirt- ▁Day- ▁limit- ▁benefit- ▁fella- ▁email- ▁pin- ▁copy- ▁impact- ▁political- ▁emotional- ▁powder- ▁shovel- j- ▁Starbucks- ▁becomes- ▁spirit- ▁flavour- ▁cheek- ▁patient- ▁finger- ▁poster- ▁cloud- ▁develop- ▁progress- ▁remove- ▁auto- ▁guest- ▁useless- ▁whereas- ▁bags- ▁sold- ▁theory- ▁packet- ▁album- ▁arrow- ▁Mee- ▁significance- ▁earth- ▁cher- ▁gotta- ▁limited- ▁shy- ▁whose- le- ▁carrying- ▁war- ya- ▁mo- ▁magic- Seng- ▁stopped- ▁diving- ▁prepared- ▁kicking- ▁rose- ▁apple- ▁lobster- ▁flower- ▁wheels- ▁dreams- ▁shelter- ▁religious- ▁Hougang- ▁humble- ▁bunch- ▁medical- ▁gotten- ▁showing- Mo- ▁lights- ▁prawn- ▁seats- ▁paste- ▁frame- ▁uncomfortable- ▁responsibility- ▁Milo- ▁menu- ▁tank- ▁roller- ▁ok- ▁barbecue- ▁sent- ▁grandparents- ▁tight- ▁tiger- ▁prison- ▁range- ▁creative- ▁Serangoon- ▁valuable- ▁ramen- ▁dragon- ▁tickets- ▁mode- ▁aside- ▁performance- ▁pieces- ▁secret- ▁download- ▁target- Coast- ▁doubt- ▁peace- ▁salmon- ▁communicate- ▁lab- ▁Nasi- ▁gross- ▁whoever- ▁otherwise- ▁marketing- ▁guitar- ▁windows- ▁flip- ▁code- ▁drawing- ▁comment- ▁foot- ▁careful- ▁sambal- ▁massage- ▁piano- ▁mentioned- ▁marks- ▁shooting- ▁collected- ▁clearing- ▁gift- ▁commitment- ▁robot- ▁option- ▁hole- ▁carrot- ▁switch- ▁Western- ▁musical- ▁minimum- ▁vegetarian- ▁fellow- ▁Teddy- ▁zone- ▁holy- ▁extend- ting- ▁changes- ▁individual- ish- ra- ▁senior- ▁men- Park- ▁ridiculous- ▁controversial- ▁attached- ▁collection- ▁anytime- ▁October- ▁moments- ▁doors- ▁heat- ▁da- ▁dates- ▁visitors- ▁spoil- ▁vegetables- ▁yo- ▁ignore- ▁approach- ▁independent- ▁quarter- ▁chase- ▁rabbit- ▁tractor- ▁wh- ▁eggs- ▁setting- ▁row- ▁gossip- ▁introduce- ▁karang- ▁Kallang- ▁Tinder- ▁companies- ▁jacket- ▁handsome- ▁sake- ▁immediately- ▁annoyed- ▁upset- ▁owner- ▁wasted- ▁bucks- ▁towel- ▁dialect- ▁aware- ▁traffic- ▁families- ▁portion- ▁playlist- ▁rarely- ▁mad- ▁char- ▁Malaysian- ▁thingy- ▁pins- ▁rank- ▁interact- ▁mature- ▁bonus- ▁cancel- ▁leaving- ▁fifth- ▁Bukit- ▁pole- ation- ▁speaker- ▁coach- ▁kindergarten- ▁tongue- ▁peaches- ▁delivery- ▁salty- ▁caring- ie- ▁expected- ▁weak- ies- ▁attend- ▁fry- Kio- ▁sex- ▁September- ▁sergeant- ▁basis- ▁evil- ▁signage- ▁highest- ▁wherever- ▁James- of- ▁soul- ▁oral- ▁downstairs- ▁tap- ▁nicely- ▁notes- ▁W- ▁firstly- ▁enjoying- ▁website- ▁snake- ▁seagull- ▁sweat- ▁App- ▁competitive- ▁maintenance- ▁Geylang- ▁summer- ▁liao- ▁foundation- ▁bio- ▁clearly- ▁nearer- ▁wa- goodness- ▁mental- ▁regular- ▁karaoke- ▁passport- ▁medicine- ▁Club- ▁hiking- ▁ego- ▁reality- ▁bright- man- ▁sat- ▁humans- ▁touching- ▁discount- ers- ▁gay- ▁tissue- ▁loan- ▁quarrel- ▁separate- lemak- Mee- ▁asleep- ▁celebrity- ▁exciting- ▁literature- ▁Pasir- ▁nearest- ▁snacks- ▁complaining- ▁dive- ▁erm- ▁hire- ▁matters- ▁crash- time- ▁pot- ▁sentence- ▁promotion- ▁drool- ▁chop- ▁French- ▁village- ▁depression- ▁priority- ▁Tamil- ▁scenery- ▁dropping- ▁Shore- ▁chips- ▁active- ▁inspired- ▁gosh- ▁phones- ▁moved- ▁instructor- ▁Muslim- ▁Africa- ▁Bear- ▁spice- ▁exhibition- ▁bak- ▁shellfish- ▁affordable- ▁Poly- ▁Joel- ▁rental- ka- ▁noise- ▁gun- ▁sleeve- ▁essay- ▁lack- ▁large- ▁Bugis- ▁exercising- ▁fantastic- ▁facial- ▁chef- ▁cartoon- ▁enjoyable- ▁ee- ▁tag- ▁mixed- ▁tone- ▁broken- ▁pearl- ▁button- ▁flags- ▁origin- ▁keeping- ▁mod- ▁aren- ▁spread- ▁teleport- ▁package- ▁bets- ▁context- ▁mutton- ▁river- ▁tech- ▁Bishan- ▁specifically- ▁painful- ▁earning- ▁drag- ▁incident- ▁condition- ▁stretch- ▁screw- ▁leader- ▁credit- ▁extreme- ▁dancing- ▁journey- ▁neighborhood- ▁involved- ▁City- ▁jam- ▁oily- ▁painting- ▁smelly- ▁failed- ▁commit- ▁floors- ▁apps- ▁display- ▁paint- ▁upgrade- ▁pace- ▁increase- ▁enrichment- ▁Apple- ▁travelled- ▁vehicle- ▁naturally- ▁shouting- ▁content- ▁kiss- ▁reasons- ▁magical- ▁metal- ▁colleagues- ▁castle- ▁borrow- ▁route- ▁shake- ▁volume- ▁sir- ▁jeans- ▁counted- ▁ch- ▁hardly- ▁cert- ▁starts- ▁dis- ▁print- ▁tax- ▁garden- ▁looked- ▁bond- ▁max- ▁access- ▁Uniqlo- ▁definition- ▁delicious- ▁glad- ▁versus- ▁booth- ▁presentation- ▁Germany- ▁built- ▁festival- ▁symbol- ▁sum- ▁ideas- ▁sells- ▁Jia- ▁evening- ▁snow- ▁technical- ▁Paris- ▁beauty- ▁medium- ▁naughty- ▁physically- ▁failure- ▁elder- ▁slide- ▁hunt- ▁bean- ▁pour- Potter- ▁department- ▁alcohol- ▁bridge- ▁inner- ▁purposely- ▁affected- ▁upper- ▁sacrifice- ▁tie- ▁label- ▁theme- ▁ka- ▁pill- ▁lit- ▁ne- ▁retire- ▁international- ▁lonely- ▁unbelievable- ▁routine- ▁precisely- ▁section- ▁boil- ▁selfish- ▁directly- ▁bao- ▁Kai- ▁financially- ▁fishes- ▁swing- ▁solo- ▁conversations- ▁symbols- ▁suffer- ▁scream- ▁pretend- ▁keeps- ▁relationships- ▁structure- ▁prevent- ▁east- ▁shops- ▁WhatsApp- ▁argue- ▁craving- ▁irritating- ▁resume- ▁studied- ▁cruise- ▁initially- ▁pocket- ▁lean- ▁promise- ▁remain- ▁communication- ▁height- ▁cigarette- ▁options- ▁grown- ▁plum- all- guni- ▁tick- ▁bomb- ▁cancer- ▁Sembawang- ▁casual- ▁potential- ▁stunned- ▁skinny- ▁anime- ▁joy- ▁host- ri- ▁trade- ▁hamster- ▁wondering- ▁map- ▁pen- ▁modules- ▁crowds- ▁scratch- ▁Malacca- ▁impossible- ▁insurance- ▁lamb- ▁multiple- ▁ladies- ▁France- ▁horse- ▁types- ▁stock- ▁belt- ▁sis- ▁source- ▁Math- ▁stamp- ▁bill- ▁worked- ▁sheet- ▁upon- ▁Philippines- ▁answered- ▁lip- ▁resources- ▁actors- ▁stars- ment- ▁reject- ▁contribute- ▁manual- ▁Marvel- ▁insane- ▁opportunities- ▁picnic- ▁upgrading- ▁psychology- ▁industrial- ▁betting- ▁peak- ▁forced- ▁sour- ▁intrigues- to- ▁steam- ▁preference- ▁mooncake- ▁mobile- ▁oven- ▁House- ▁messy- ▁bonding- ma- ▁Kong- ▁depending- ▁steps- ▁cinema- ▁scare- ▁recipe- ▁turns- ▁enjoyed- ▁drives- ▁minded- ▁exercises- ▁forest- ▁pills- ▁cousins- ▁cockroach- ▁Adam- ▁November- ▁awesome- ▁forecast- ▁January- ▁fierce- ▁simply- ▁nowhere- ▁giam- ▁Jay- ry- ▁academic- ▁outdoor- ▁rule- ▁calm- ▁ingredients- ▁strike- ▁including- ▁phase- ▁vending- ▁fridge- ▁confidence- ▁daddy- ▁fixed- ▁counter- ▁rushing- ▁connect- ▁appear- ▁yeap- ▁groups- ▁sandals- ▁savings- ▁aim- ▁stare- ▁float- ▁foreign- ▁Crazy- ▁wrap- ▁jialat- ▁unhealthy- ▁banner- ▁chalet- ▁platform- ▁mentality- ▁toxic- ▁mountains- ▁argument- ▁crap- ▁buildings- ▁woo- ▁wing- ▁stairs- ▁prove- ▁considering- ▁carrots- ▁meals- na- ▁plant- ▁dig- ▁likely- ▁fans- ▁spell- ▁Liverpool- ▁assuming- ▁mystery- ▁necessarily- ▁dealbreaker- ▁Chicken- ▁Uber- ▁winning- is- ▁scissors- ▁di- ▁shade- us- ▁influencer- ▁factor- ▁al- te- Yi- ▁monitor- ▁fuck- ▁loving- ▁maximum- ▁smiling- ▁classroom- ▁briyani- ▁glasses- ▁moon- ▁details- ▁climbing- ▁letters- ▁wipe- ▁museum- ▁seashell- ▁adults- ▁freak- ▁steal- ▁smooth- ▁introvert- ▁brush- ▁beyond- ▁laundry- ▁pepper- ▁podcast- ▁WiFi- ▁applied- ▁hardworking- ▁roughly- ▁golden- ▁studio- ▁tiny- ▁van- ▁mop- ▁status- ▁tent- ▁added- shirt- ▁estate- ▁panel- ▁bone- ▁gas- ▁tips- ▁sweep- ▁encourage- ng- teow- ▁decent- ▁strawberry- ▁therefore- ▁watermelon- ▁Kampung- ▁edition- ▁shag- ▁curly- ▁scan- ▁emotionally- ▁expecting- ▁Sam- ▁magazine- ▁musician- ▁clothing- ▁iron- ▁wings- ▁Sing- ▁li- ▁valid- ▁basket- ▁intense- ▁plot- ▁welcome- ▁fence- ▁laksa- ▁romance- ▁Spirit- ▁slept- ▁loyalty- ▁surprisingly- ▁bang- ▁string- ▁bitter- ▁numbers- ▁atas- ▁capital- ▁bottles- ▁flats- ▁straw- ▁quote- ▁stripes- ▁picking- ▁colours- ▁grill- ▁spoke- ▁shell- th- ▁advance- goreng- ▁Venom- ▁silent- ▁surgery- ▁kiasu- ▁apartment- ▁suitable- ▁landed- ▁seconds- ▁honesty- Gates- ▁knee- ▁finance- ▁fee- ▁shoulder- ▁produce- ▁recognise- ▁joking- ▁instant- ▁Dubai- ▁enemy- ▁queuing- ▁Pasar- ▁gender- ▁Paya- ▁disappointed- ▁herbal- ▁formal- ▁chili- ▁scolded- ▁drugs- ▁throwing- ▁Christian- ▁drivers- ▁assignment- ▁director- ▁vibe- ▁collecting- ▁peeve- ▁specs- ▁wasting- ▁rules- ▁professional- ▁actress- ▁conscious- ▁neutral- ▁burden- ▁silence- ▁troublesome- ▁south- ▁toothpaste- ▁halal- ▁accidentally- ▁reaction- pop- ▁gate- ▁clock- el- ▁ang- ▁kai- ▁folks- ▁supermarket- ▁task- ▁hearing- ▁equipment- ▁classmate- ▁subjects- ▁degrees- Ma- ▁crush- ▁migrate- ▁divorce- ▁efficient- ▁sudden- ▁Agnes- ▁drove- ▁threw- ▁responsible- ▁wild- ▁workplace- ▁era- ▁One- ▁chain- ▁wonderful- ▁dust- ▁graduated- ▁created- ▁sofa- ▁stream- ▁crime- ▁experiment- ▁article- ▁Mac- ▁legal- ▁en- ▁deliver- ▁le- ▁heartlands- ▁Phuket- ▁burst- ▁combination- ▁hopscotch- ▁procrastinate- ▁survey- ▁hurry- ▁beginning- ▁warehouse- ▁logo- ▁West- ▁invisible- ▁becoming- ▁toner- ▁toes- ▁protect- ▁Hari- ▁advise- ▁seek- ▁lane- ▁benefits- ▁outlet- ▁fees- ▁pe- ▁intend- ▁adopt- ▁chose- ▁promote- ▁nah- ▁squeeze- ▁jealous- ▁jungle- ▁submit- ▁motorbike- ▁silver- ▁welfare- ▁babe- ▁bungee- ▁teeth- ▁pail- ▁European- ▁helpful- ▁convert- ▁comedy- ▁randomly- ▁overall- ▁west- ▁relaxing- ▁missed- ▁fin- ▁kite- ▁fats- by- ▁Jun- ▁genres- ▁vacuum- ▁bully- ▁peas- Lemak- Bahru- ▁toast- ▁Mandarin- ▁leisure- ▁lousy- ▁Italy- ▁multi- ▁tail- ▁angmoh- ▁crispy- ▁confused- ▁blender- ▁assistant- ▁mass- ▁branded- ▁Char- ▁wording- ▁ordered- ▁fetch- ▁centres- ▁waves- ▁clouds- ▁sponsor- ▁learned- ▁involve- ▁houses- ▁turned- ▁wanting- li- ▁pursue- ▁succeed- four- ▁additional- ▁motivation- ▁Saint- ▁Singtel- ▁mutant- ▁population- ▁knitting- ▁British- ▁luckily- ▁Raffles- ▁converse- ▁makan- ▁siew- ▁barely- ▁application- ▁prof- ▁agent- ▁riding- ▁hoping- ▁Gai- ▁youngest- ▁Ma- ▁longest- ▁bun- ▁Indonesian- ▁followed- hoon- ▁expectations- me- ▁concerts- ▁ho- ▁triangle- ▁showed- ▁fishball- ▁brothers- ▁engage- ▁smoothie- ▁helped- ▁jun- ▁ca- ▁replace- ▁adjust- ▁memorise- ▁suggest- ▁spring- ▁minor- ▁Italian- ▁serving- ▁yogurt- ▁innocence- ▁midnight- ▁lemon- ▁Hello- ▁production- ▁pissed- ▁episodes- ▁trips- ▁recommended- ▁seagulls- ▁experiences- ▁bathe- ▁soya- ▁guard- ▁mushroom- ▁review- ▁payment- ▁effect- ▁sisters- ▁hug- ▁Hai- ▁weekdays- ▁fa- ▁challenging- ▁luggage- ▁multiply- ▁staircase- ▁maroon- ▁admin- ▁drank- ▁Ikea- ▁neck- ▁regardless- ▁passionate- ▁unfortunately- ▁gang- ▁constantly- ▁ultimately- ▁anti- ▁dump- ▁extremely- ▁mate- ▁equally- ▁dining- ▁realized- at- ▁lighter- Lin- ▁neighbors- ▁mirror- ▁temple- ▁connection- ▁tear- ▁angel- ce- ▁cleaner- ne- ▁spin- East- ▁Book- ▁Canada- ▁iPad- ▁alternative- ▁destination- ▁response- ▁coffeeshop- ▁Johor- ▁embarrassed- ▁shorter- ▁volunteering- ▁core- ▁din- ▁captain- ▁relative- ▁signs- ▁lecturer- ▁Long- ▁plants- ▁punch- ▁combine- ▁register- ▁heaven- ▁breathe- ▁breast- ▁spaghetti- ▁assessment- ▁solid- ▁blanket- ▁Nike- ▁satisfied- ▁scooter- ▁bono- ▁household- ▁rackets- ▁Zealand- ▁Hui- ▁scam- ▁spare- ▁lyrics- ▁bout- ▁scolding- ▁baked- ▁difficulty- ▁joined- ▁ba- ▁pa- ▁traveled- ▁triple- ▁experienced- ▁turning- ▁sub- ▁gear- ▁advertisement- ▁cable- ▁include- ▁lies- ▁necklace- ▁collector- ▁actions- less- ▁ties- ▁grad- ▁refuse- ▁fiction- ▁author- ▁Disney- ▁easiest- ▁length- ▁Mark- ▁leaf- ▁pilot- ▁trading- ▁guilty- ▁eww- ▁Boon- ▁carpark- ▁larger- ▁mango- ▁Coast- ▁wore- ▁posted- ch- ro- ▁walked- ▁views- ▁passenger- ▁arms- ▁biscuit- ▁tape- som- ▁reflect- ▁jail- Lebar- ▁oops- ▁German- ▁blend- ▁surprising- ▁Big- ▁butterfly- ▁dropped- ▁entrance- ▁lipstick- ▁neither- ▁patience- ▁ringgit- ▁skydiving- ▁Mount- ▁scale- ▁inspiration- ▁Pete- ▁connected- ▁developed- two- ▁gen- chor- Chu- ▁staring- ▁texting- ▁Z- ▁pies- ▁temperature- ▁slice- ▁ribbon- ▁hint- ▁decisions- ▁rod- ▁Q- it- ▁fold- ▁respond- ▁encounter- ▁freeze- ▁lepak- ▁mutual- ▁recycling- ▁suicide- ▁whatsoever- ▁Mobile- ▁balik- ▁Holland- ▁irritated- ▁cheapest- ▁ends- ▁buses- ▁choices- ▁cockles- ▁workers- ▁parking- ▁languages- ▁salad- ▁motor- ▁blank- ▁Gardens- ▁lawyer- ▁butcher- ▁expectation- ▁May- ▁slack- ▁pump- ▁arrange- ▁Air- ▁rubber- ▁hook- Ris- ▁Adidas- ▁fertility- ▁Halloween- ▁profile- ▁crew- ▁truck- ▁Line- ▁God- um- ▁killed- ▁beard- mo- ▁mistakes- ▁pan- ▁pit- ▁joining- ▁sa- ▁seashells- ▁odd- ▁voucher- ▁require- ▁hay- ▁flaw- ▁neighbor- ▁cow- Z- q- il- cream- ▁stalls- ▁Manchester- ▁cereal- ▁crisis- ▁ensure- ▁happily- ▁illegal- ▁naked- ▁racist- ▁seaweed- ▁Fandi- ▁dunno- ▁jogging- ▁audition- ▁breed- ▁quiz- ▁rise- ▁calculated- ▁surfing- ▁anger- ▁held- ▁ban- ▁Anna- ling- ▁sleepy- ▁tofu- ▁econs- ▁bees- ▁hill- ▁seed- ▁passing- ▁papers- ▁traveling- ▁crack- ▁engineer- ▁owe- ▁layer- ▁irritate- ▁muscle- ▁programme- ▁drug- lo- ▁gather- ▁rap- Kang- ▁disagree- ▁Mercedes- ▁Samsung- ▁ocean- ▁oyster- ▁unfair- ▁England- ▁babies- ▁grail- ▁housing- ▁Seoul- ▁aww- ▁Carousell- ▁chasing- ▁effective- ▁pastime- ▁allowance- ▁stingy- ▁siao- ▁adventurous- ▁acceptable- ▁chem- ▁prize- ▁provided- ▁darker- ▁belly- ▁wrongly- ▁sight- ▁goats- ▁pulling- ▁agreed- ▁guessing- ▁Shi- ▁trigger- ▁unit- ▁method- ▁lips- ▁School- ▁drain- ▁sink- ▁reduce- ▁translate- ▁accurate- ▁peaceful- ▁trail- ▁stubborn- ▁Miss- ▁Tokyo- ▁nervous- ▁policy- ▁sashimi- ▁liquid- ▁petrol- ▁satisfaction- ▁depth- ▁legend- ▁void- City- ▁po- ▁origins- ▁na- ▁hike- ▁stated- ▁candy- ▁bu- ▁models- ▁seeds- ▁trays- ▁chit- ▁expenses- ▁soap- ▁computers- ▁somewhat- ▁v- gai- ▁attract- ▁pattern- ▁claim- ▁begin- ▁tier- ▁cakes- ▁officer- ty- ▁projects- ▁Su- ▁edit- ▁nurse- ▁complicated- ▁knife- ▁typhoon- ▁Iceland- ▁relevant- ▁Joyce- ▁Genting- ▁fancy- ▁thriller- ▁liking- ▁Newton- ▁planned- ▁Nun- ▁June- ▁blur- ▁rely- ▁goat- ▁holes- ▁fart- ▁nation- ssed- ▁scenario- ▁struggle- ▁image- ▁solution- ▁customers- ▁intention- ▁surrounding- ▁clip- ally- ▁abuse- ▁adapt- ▁understood- Rich- ▁answers- ▁genuine- ▁honeymoon- ▁overcome- ▁impressive- ▁queen- ▁raising- ▁Little- ▁Black- ▁clockwise- ▁mama- ▁creepy- ▁Wave- ▁housework- ate- ▁curve- ▁answering- ▁exposed- ▁Ryan- kway- ▁recorded- ▁marker- ▁coins- ▁visited- ▁watches- ▁accounting- oo- ▁counting- ▁comments- ▁diet- z- ▁bell- ▁lover- ▁script- Garden- ▁si- ▁attraction- ▁trainer- ▁chew- ▁belong- ▁delay- ▁shells- ▁pioneer- ▁calculate- ▁sharp- ▁criteria- ▁emergency- ▁precious- ▁pregnant- ▁president- ▁microphone- ▁mosque- ▁keyboard- ▁spade- ▁absolutely- ▁subjective- ▁expression- ▁capable- ▁Road- ▁kway- ▁loss- ▁bare- ▁kicked- ▁port- ▁correction- ▁plates- ▁worker- ▁cares- ▁checking- ▁jokes- ▁par- ▁chances- age- ▁handbag- ▁advantage- ▁stranger- ▁filter- ▁diff- ▁unlike- ▁flour- ▁Tiong- ▁convenience- ▁cultural- ▁flexible- ▁judging- ▁awake- ▁innocent- ▁stingray- ▁duty- ▁headache- ▁clubbing- ▁granted- ▁Star- ▁frozen- ▁overnight- ▁regarding- ▁Yew- ▁however- ▁bow- ▁sentimental- ▁malls- ▁site- ▁oi- ▁cheating- ▁sincere- ▁shed- ▁rat- ▁sustain- ur- ▁relatives- ▁oo- ▁cookies- ▁pad- ▁measure- ▁corn- ▁wire- ▁tutor- ▁acronyms- ▁perfume- ▁aeroplane- ▁idiot- ▁motivate- ▁trick- ▁weapon- ▁detail- ▁coin- ▁classic- ity- ▁surf- ▁bless- ▁stalk- ▁cough- ▁permanent- ▁rough- ▁beneath- ▁category- ▁licence- ▁nursing- ▁surface- ▁fusion- ▁steamboat- ▁texture- ▁chest- ▁educated- ▁mentally- ▁Wei- ▁motivated- ▁curse- ▁fork- ▁stronger- ▁filling- ▁monthly- ▁cons- ▁speakers- ▁picked- ▁killing- ▁onion- ▁Chris- ▁youth- ▁interests- ▁stands- ▁sending- ▁ti- ▁tin- ▁refer- ▁zip- ▁dots- ▁professor- ▁operation- ▁coaster- ▁cheer- ▁client- ▁recover- ▁purchase- ▁reveal- ▁organise- ▁freelance- ▁electric- ▁admit- ▁entry- ▁sarcastic- ▁supervisor- ▁bullshit- ▁garlic- ▁identity- ▁prank- ▁Pulau- ▁Switzerland- ▁automatically- ▁realistic- ▁theatre- ▁cha- ▁trailer- ▁sickness- ▁Maldives- ▁reasonable- ▁rejected- ▁buttons- ▁gathering- ▁packed- ▁sticky- ▁texted- ▁mu- ▁lo- ▁sheng- ia- ▁playful- ▁brings- ▁helper- ▁inter- ▁outing- ▁Si- ▁pros- ▁spoon- ▁update- ▁represent- ▁organisation- ▁attachment- ▁discover- ▁vote- Road- Zealand- three- ▁logic- ▁superhero- ▁attractive- ▁MacPherson- ▁currency- ▁elephant- ▁facilities- ▁initiative- ▁nephew- ▁thirsty- ▁Johnny- ▁itinerary- ▁desk- ▁Stella- ▁spray- ▁cope- ▁Kuan- ▁lend- ▁pity- ▁fund- ▁bloody- ▁screaming- ▁reached- ▁Ban- ▁heels- ▁chip- ▁insects- ▁schooling- ▁vibes- se- ian- ▁prices- ▁Mo- ▁foreigners- ▁disappear- ▁instrument- ▁slipper- ▁pitch- ▁participate- ▁marble- ▁polite- ▁Gerald- ▁Subway- ▁aquarium- ▁software- ▁tingling- ▁Jalan- ▁shelf- ▁puppy- ▁pluck- ▁cheesecake- ▁terminal- ▁entitled- ▁profit- ▁Rice- ▁depressing- ▁lowest- ▁princess- ▁taller- ▁mustard- ▁roomie- ▁panda- ▁suffering- ▁loudly- ▁harm- ▁accepted- ▁stores- ▁puff- ▁angle- ▁burning- ▁Art- ▁hurts- ▁semi- ▁surely- as- ▁breaking- ▁Li- ▁bla- ▁squares- sh- ▁af- ▁sawing- ▁blow- ent- ▁opponent- ▁visual- ▁dim- ▁entertain- ▁Ubi- ▁manner- ▁nail- ▁spider- ▁edge- ▁damage- ▁recycle- ▁behave- ▁delete- ▁racket- ▁audience- ▁childcare- ▁funeral- ▁generous- ▁grateful- ▁kopitiam- ▁mookata- ▁ourself- ▁prefect- ▁scope- ▁stadium- ▁straightforward- ▁throat- ▁venom- ▁cowboy- ▁ginger- ▁truffle- ▁bullied- ▁cheesy- ▁conclusion- ▁fuel- ▁strap- ▁feedback- ▁ferry- ▁portable- ▁roti- ▁sightseeing- ▁mail- ▁screwed- rice- ▁palm- ▁bothered- ▁talented- Again- ▁offered- ▁bind- ▁dai- beh- ▁scenes- ▁Jing- ▁jog- ▁har- ▁emotions- ▁commercial- ▁claw- ▁proceed- ▁twist- ▁hype- ▁veg- ▁capture- ▁expose- ▁interaction- ▁monkey- ▁boost- ▁nap- ▁companion- ▁Jolene- ▁Shanghai- ▁accommodation- ▁accompany- ▁crayfish- ▁eldest- ▁principal- ▁reservist- ▁rural- ▁barbeque- ▁fantasy- ▁Daniel- ▁Guang- ▁nanny- ▁leadership- ▁junior- ▁battery- ▁powerful- ▁committed- ▁cockroaches- ▁Parish- ▁ingredient- ▁aspiration- ▁eighties- ▁cheated- ▁counts- ▁olden- Teow- ▁loser- ▁breaks- ▁praying- X- Man- ▁boot- ▁dialects- ▁muscles- ▁consequences- ▁function- ▁hive- ▁panic- ▁traits- ▁seasons- ▁peeves- ▁poke- ▁pea- ▁formula- ▁hm- ▁rec- ▁teache- ▁enrol- ▁reward- ▁portray- ▁bias- ▁determine- ▁extrovert- ▁Maggi- ▁observe- ▁adventure- ▁superficial- Han- ▁corridor- ▁false- ▁furniture- ▁hidden- ▁ownself- ▁rectangle- ▁strategy- ▁unhappy- ▁cardio- ▁anniversary- ▁elite- ▁Spiderman- ▁popcorn- ▁lottery- ▁struggling- ▁hostel- ▁Grey- ▁bloomer- ▁Siri- ▁awareness- ▁steering- ▁spotted- ▁basement- ▁Plaza- ▁stove- ▁Haw- ▁chemical- ▁movement- ▁War- ▁childish- ▁tyre- ▁weekday- ▁fate- ▁seater- ▁waited- ▁ev- ▁risks- ▁log- ▁lor- ▁runs- ▁ears- ▁su- ▁walls- do- ine- ay- ge- ▁cases- ▁confess- ▁Yi- ▁Uni- ▁scar- law- ▁cock- John- ▁global- ▁thankful- ▁tomato- ▁Toto- ▁slap- ▁Honda- ▁ambitious- ▁geography- ▁healthcare- ▁lmao- ▁luxury- ▁nasty- ▁possibly- ▁rebellious- ▁tournament- ▁Penang- ▁stood- ▁Chelsea- ▁silly- ▁Disneyland- ▁brake- ▁referring- ▁majority- ▁teleportation- ▁statement- ▁hiding- ▁cabin- ▁roasted- ▁sniffing- ▁relatively- ▁consideration- ▁satisfying- ▁custom- ▁firm- ▁advanced- ▁Tan- ▁eraser- ▁hao- ▁turtle- ▁lizard- ▁heartland- ▁niece- ▁container- ▁workshop- ▁electronic- ▁brave- ▁cameras- ▁aspects- ▁onwards- ▁spoilt- ▁tasted- ▁robots- ton- ▁whoa- ▁Bio- ▁Al- ▁levels- ▁rub- ▁region- ▁suits- ▁tradition- ▁tip- ▁privilege- ▁request- Timah- Raya- ▁nerd- ▁teenage- ▁authentic- ▁thumb- ▁alternate- ▁broad- ▁compulsory- ▁essence- ▁furthest- ▁graduation- ▁imagination- ▁intelligent- ▁philosophy- ▁tasty- ▁Sengkang- ▁appointment- ▁jelly- ▁council- ▁frequency- ▁rooftop- ▁Perth- ▁savoury- ▁beehive- ▁tahan- ▁Audrey- ▁digital- ▁rooms- ▁retirement- ▁Mother- ▁chey- ▁dragging- ▁brownish- ▁dip- ▁particularly- ▁completed- ▁Physics- ▁intake- ▁MacDonald- ▁flash- ▁antique- ▁feeding- ▁parks- ▁jet- ▁opinions- ▁circumstances- ▁sadly- ▁aye- ▁signal- ▁timer- ▁searching- go- ▁saved- ▁shirts- ▁failing- ▁tube- ▁plank- ▁lived- ▁ta- ▁prep- ▁mac- ▁internal- ▁named- ▁hor- ▁sides- ▁antiques- ▁Da- ▁tune- ▁reserve- ▁drill- ▁ac- Yew- ▁March- Kway- ▁Night- ▁Great- ▁Esplanade- ▁Greece- ▁encouraging- ▁frustrated- ▁pavement- ▁preparing- ▁upbringing- ▁August- ▁Jesus- ▁scroll- ▁Cantonese- ▁udon- ▁Seven- ▁patch- ▁healthier- ▁harsh- ▁oya- ▁regularly- ▁bosses- ▁purely- ▁triggered- ▁retired- ▁materials- ▁matured- ▁rainy- ▁sector- ▁invited- ▁olive- ▁comic- ▁leading- ▁tire- ▁secondly- ▁couples- Di- ▁scramble- ▁roads- ism- de- ▁mates- ▁playgrounds- ▁forth- ▁coloured- ▁features- ▁fam- out- ▁pok- ▁hack- gi- ▁breath- ▁Cambodia- ▁vomit- ▁stunt- ▁Lin- Quay- Xiang- Sands- Mian- ▁logical- ▁slip- ▁April- ▁ankle- ▁economy- ▁hokkien- ▁privacy- ▁surname- ▁Brunei- ▁trolley- ▁despite- ▁pride- ▁surfboard- ▁unlucky- ▁visa- ▁Michael- ▁tourism- ▁Andrew- ▁pond- ▁located- ▁photography- ▁Xiao- ▁Cafe- ▁bushes- Par- ▁deeper- ▁mat- ance- ▁fed- ▁performing- ▁treated- ▁scoop- ▁monster- ▁challenges- ▁tender- ▁whale- ▁strangers- ▁lay- ▁talents- ▁services- am- ▁kindness- ▁supporting- ▁Ted- ▁hitch- ▁downwards- ▁Yan- ▁fingers- ▁Ali- ▁musicians- ong- ▁blocks- ▁stir- ize- ▁ill- ▁demand- ni- han- Villa- liao- ▁cast- ▁singapore- ▁bunk- ▁You- ▁Innisfree- ▁escalator- ▁mixture- ▁parcel- ▁repair- ▁sausage- ▁supply- ▁Taobao- ▁corporate- ▁hindsight- ▁scholarship- ▁atmosphere- ▁protein- ▁closing- ▁mouse- ▁electricity- ▁audio- ▁matchmade- ▁tango- ▁pineapple- ▁pile- ▁vest- ▁manga- ow- ▁hardest- ous- ▁interior- ▁focused- ▁campaign- ▁lifetime- ▁occasion- ▁supposedly- ▁relation- ▁waffle- ▁Wen- ▁calories- ted- ▁McDonalds- ▁secrets- ▁sets- ▁opened- ▁classmates- ▁central- ▁span- ▁bath- ▁factors- ▁headphones- ▁youngsters- ▁pairs- ▁partners- ▁ducks- ▁faith- ▁trains- ▁distress- ▁select- Kuan- ▁maggi- ▁bark- ▁exit- ▁external- ▁Causeway- ▁algorithm- ▁choosing- ▁describing- ▁heritage- ▁kosong- ▁military- ▁organic- ▁resort- ▁seatbelt- ▁stereotype- ▁wheelbarrow- ▁earpiece- ▁martial- ▁various- ▁alarm- ▁sexuality- ▁aggressive- ▁matchmake- ▁mopping- ▁universe- ▁breakdown- ▁whack- ▁injured- ▁cabby- ▁Yong- ▁Wild- ▁mods- ▁pioneering- ▁spa- ▁beaches- ▁safer- ▁exhibitions- ▁acknowledge- ▁disturbing- ▁spill- ▁frog- ▁tutorial- ▁cone- ▁workout- ▁foreigner- ▁et- ▁melt- aking- ▁peel- ▁snap- ▁tan- ▁Div- ▁aha- ▁fi- ▁ants- ▁debts- ise- ▁situations- ▁allows- ▁hop- ▁regrets- ▁races- ▁fur- ▁destroy- ▁load- ▁embarrass- ▁murder- ▁network- ▁concentrate- United- ▁desperate- ▁arrogant- ▁immediate- ▁object- ▁Batman- ▁Myanmar- ▁Sephora- ▁Suntec- ▁certificate- ▁cliche- ▁coconut- ▁dealmaker- ▁diabetes- ▁exposure- ▁marathon- ▁pencil- ▁thief- ▁unnecessary- ▁vintage- ▁outcome- ▁Telok- ▁fisherman- ▁importance- ▁Alvin- ▁giant- ▁gangster- ▁cupboard- ▁straightaway- ▁bunny- ▁college- ▁sunset- ▁waving- ▁paiseh- ▁abilities- ▁Ayam- ▁plug- ▁dependent- ▁mince- ▁sunny- ▁Service- ▁Burger- ▁York- co- ▁nails- ▁blessed- ▁factory- ▁shave- ▁aiyah- ▁compromise- ▁chick- ▁diamond- ▁producer- ▁textbook- ▁pancake- ▁error- ▁subscribe- ▁assignments- ▁circles- ▁wha- ▁Wan- ▁Play- ▁panels- ▁pears- ▁bound- ▁Wi- ▁predict- ▁conduct- ▁annoy- et- ▁bump- ▁puke- Point- Wei- ▁engine- Lay- ▁agencies- ▁airplane- ▁chendol- ▁concrete- ▁controversy- ▁excellent- ▁gravy- ▁hashtag- ▁helmet- ▁remote- ▁renovation- ▁tampines- ▁vessel- ▁yolk- ▁Dhoby- ▁choir- ▁improving- ▁virus- ▁Timothy- ▁hipster- ▁itchy- ▁Vietnamese- ▁shuttle- ▁netball- ▁perception- ▁pillow- ▁omelette- ▁slang- ▁shipping- ▁obsessed- ▁Force- ▁equality- ▁fictional- ▁Chong- ▁Dance- ▁storyline- ▁combing- ▁install- ▁matches- ▁Seng- ▁cure- ▁locked- ▁concerned- ▁rides- ▁spoken- ▁served- ▁perfectly- ▁Mall- ▁lately- ▁highly- ▁fired- ▁trained- King- ▁veggie- ▁oversea- da- ▁visiting- ▁peer- ▁chilling- ▁glitters- ▁wei- ▁sticks- ▁rid- ▁burnt- ▁propose- ▁speaks- ▁correctly- ive- ▁cells- ▁artists- ▁compete- ▁meter- ▁economics- ▁blog- ik- ▁films- ak- ▁highlight- ▁retail- ▁retain- ▁command- ▁psych- ▁official- ▁jia- ▁Vivo- ▁Power- ▁Kopitiam- ▁Krabi- ▁advertising- ▁animation- ▁bungalow- ▁comparison- ▁description- ▁hygiene- ▁intelligence- ▁introduction- ▁qualify- ▁qualities- ▁rojak- ▁strawberries- ▁technician- ▁upstairs- ▁practise- ▁orientation- ▁McSpicy- ▁Taipei- ▁vacation- ▁Golf- ▁Pizza- ▁beige- ▁judgement- ▁Pub- ▁vase- ▁Choa- ▁retake- ▁grandpa- ▁craft- ▁cherry- ▁skipping- ▁promo- ▁balloon- ▁laughter- ▁micro- ▁whichever- ▁treatment- ▁transportation- ▁pampered- ▁kana- ▁nun- ▁practically- ▁impatient- ▁fulfilling- ▁Jie- ▁Bak- ▁generic- ▁anchor- ▁aiming- ▁kin- ▁fairy- ▁Malam- ▁Gen- ▁wo- ▁tub- Legend- ▁instruction- ▁boxing- ▁economic- ▁motorcycle- ▁file- ▁requires- ▁debt- ▁reaching- ▁shocking- ▁documents- ▁smoothies- he- ▁clubs- ▁fare- ▁bears- ▁bones- Ting- line- ▁sue- ▁streets- ▁programs- ▁sail- ▁recognize- ▁secure- Chou- Airport- Ubin- Wen- ▁fortunate- ▁consistent- ▁ultimate- ▁gentle- ▁forgive- ▁Robin- ▁Middle- ▁Contest- ▁Filipino- ▁Hokkaido- ▁MacRitchie- ▁Turkey- ▁forehead- ▁garbage- ▁juicy- ▁Melvin- ▁racial- ▁accessible- ▁foam- ▁confusing- ▁materialistic- ▁Golden- ▁pasar- ▁ouch- ▁distresses- ▁productive- ▁Old- ▁distracted- ▁rack- ▁discussion- ▁keen- ▁gao- ▁Square- ▁percentage- ▁stepping- ▁hitting- ▁possess- ▁Bean- ▁attended- ▁bi- ▁Qing- ▁spices- ▁meetings- ▁rolling- ▁pimple- ▁checked- ▁ruin- ▁ra- ▁eyebrow- ▁cafes- ▁Lim- ▁necklaces- ▁ver- ▁spectacles- ai- ▁pounds- ▁Ba- iness- ▁sp- 'no'- ▁cigarettes- ▁comm- ▁slim- ▁fulfill- ▁Mala- ▁Ha- ▁vertical- ▁constant- ▁Botanic- ▁branch- ▁journal- ▁Circle- ▁Downtown- ▁Jeju- ▁Khatib- ▁Norway- ▁circular- ▁evidence- ▁excluding- ▁grammar- ▁insecure- ▁procrastination- ▁segment- ▁sword- ▁syllabus- ▁flew- ▁happier- ▁oxygen- ▁Huawei- ▁twenties- ▁Spotify- ▁documentary- ▁applicable- ▁independence- ▁outfit- ▁vice- ▁Clarke- ▁haunted- ▁Four- ▁motion- ▁chess- ▁tries- ▁Lion- ▁Cai- pa- ▁actively- ▁Rich- ▁difficulties- ▁sailing- ▁slower- ▁hoon- ▁softer- ▁bullying- ▁ironing- ▁oldest- ▁repeating- ▁meme- ▁farming- ▁emotion- ▁mannequin- ▁pub- ▁improvement- ▁posting- ▁hardship- ▁flaws- ▁footballer- ▁locals- ▁Yu- ▁flavours- ris- math- ▁cooling- ▁prompts- ▁dirt- ▁standards- ▁sessions- ter- ▁waffles- ▁pant- ▁taxis- ▁groom- ▁exclude- ▁renew- ▁aspirations- '['- Pop- ▁loose- ▁Insta- ▁courage- ▁compliment- ▁Arnold- ▁Earth- ▁Eatigo- ▁Energ- ▁FIFA- ▁Melbourne- ▁commission- ▁cushion- ▁fool- ▁frappe- ▁funniest- ▁gambling- ▁pleasant- ▁presence- ▁puddle- ▁recognition- ▁squad- ▁goodbye- ▁pronunciation- ▁priorities- ▁Michelle- ▁Deepavali- ▁applies- ▁Social- ▁construction- ▁operating- ▁sentosa- ▁cemetery- ▁Nicholas- ▁balcony- ▁Food- ▁clay- ▁tentage- ▁trial- ▁Earl- ▁Briyani- ▁July- ▁icon- ▁lime- ▁secondhand- ▁Beach- ▁cleanser- ▁Theme- ▁demon- ▁leftover- ▁growth- ▁sang- ▁pinkish- ▁mud- ▁historical- ▁rating- ▁someday- ▁trousers- ▁poop- ▁medication- ▁smarter- ▁stretching- ▁raised- ▁Avengers- ▁understandable- ▁sweating- ▁prawning- ▁debate- ▁specially- ran- ▁gig- ▁accepting- ▁bend- ▁pale- ▁venture- ▁procedure- ▁mission- ▁border- ▁blessing- ▁requirement- ▁chapter- ▁mile- ▁tr- ▁ski- ▁heal- ▁prawns- ▁honours- ▁rates- ▁lovely- ▁dated- ▁fame- ▁praise- tic- ▁bat- ▁pointed- ▁readings- ▁eyebrows- ▁Sun- ▁Indians- ▁mis- ▁haste- ▁slides- ▁King- ▁backpack- ▁guarantee- ▁initiate- ▁expand- Hui- ▁labour- ▁unexpected- Lao- Lee- ▁sandwich- ▁mosquito- ▁affects- ▁fever- ▁FaceBook- ▁Sweden- ▁antenna- ▁barrier- ▁behaviour- ▁caramel- ▁empathy- ▁fibre- ▁franchise- ▁lantern- ▁offence- ▁password- ▁stamina- ▁twentieth- ▁underneath- ▁humour- ▁managing- ▁February- ▁Rachel- ▁narrow- ▁concealer- ▁attempt- ▁celebration- ▁sunglasses- ▁Pills- ▁programming- ▁convo- ▁unagi- ▁Claire- ▁overrated- ▁Two- ▁greedy- ▁moisturiser- ▁depressed- ▁festive- ▁indie- ▁Victoria- ▁seventies- ▁Simon- ▁attracted- ▁duh- ▁organize- ▁catalyst- ▁booking- ▁educational- ▁separated- ▁parties- ▁reminded- ▁blowing- ▁operate- ee- ▁spit- ▁ethics- ▁seller- ▁focusing- ▁covering- ▁hearted- ▁sticking- ▁quest- bah- ▁pol- ▁Din- ▁lion- ▁coat- ▁disease- ▁ad- ▁award- ▁idol- ▁slot- ▁prompt- ▁headphone- ▁youngster- ▁Woodland- ▁stones- Asians- ▁analyse- ▁Asians- ▁lectures- ▁Vans- ▁wanton- ▁hu- ▁sting- ▁intro- ▁stays- ki- ▁Shop- ▁motorcycles- ▁bills- ▁centers- ca- ▁costs- ▁festivals- ▁jack- ▁deduct- ▁tai- World- Village- ▁essential- ▁excel- ▁Aaron- ▁Mediacorp- ▁Peggy- ▁Scotland- ▁Texas- ▁allergic- ▁avocado- ▁banquet- ▁ceiling- ▁concession- ▁monetary- ▁shampoo- ▁cliff- ▁complex- ▁hometown- ▁roommate- ▁drew- ▁kimchi- ▁bounce- ▁lens- ▁appropriate- ▁Xavier- ▁swimsuit- ▁Zara- ▁punishment- ▁appearance- ▁waterfall- ▁pathway- ▁occasionally- ▁magician- ▁similarities- ▁polar- responsibilities- ▁forcing- ▁addicted- ▁Jane- ▁equivalent- ▁stopping- ▁Point- ▁tricky- ▁detailed- ▁included- ▁combined- ▁Island- ▁extended- ▁erase- ▁greenish- ▁Bay- ▁strongly- ▁shifted- ▁gel- ▁transparent- ▁clients- ▁Me- ▁certainly- ▁lau- ▁camping- ▁worrying- ▁genes- ▁objective- ▁seniors- ▁superpower- ▁inform- ▁elective- way- ▁prayer- ▁Garden- ▁conflict- bu- ▁Pet- ▁leaves- ▁cleaners- ▁chi- ▁marking- ▁ve- ang- tending- ▁stages- ▁hats- ap- ▁bra- ▁environmental- long- ▁faint- ▁donation- ▁rescue- ▁skate- Eleven- Island- ▁gamble- ▁frequent- ▁humid- ▁confront- ▁Bintan- ▁Cheryl- ▁Nutella- ▁Southeast- ▁comparing- ▁devil- ▁gloss- ▁grocery- ▁integrity- ▁zombie- ▁curriculum- ▁thigh- ▁Candy- ▁Good- ▁creating- ▁millionaire- ▁humor- ▁rendang- ▁Jordan- ▁wreck- ▁granny- ▁transition- ▁academically- ▁cities- ▁consist- ▁trap- ▁scheme- ▁controlling- ▁dedicated- ▁crave- ▁Koi- ▁colourful- ▁greyish- ▁shitty- ▁grilled- ▁breathing- ▁mild- ▁spoiled- ▁folding- ▁relieve- ▁pho- son- ▁Pro- ▁overtime- ▁celebrated- ▁chin- Cha- ▁dreamt- ▁packing- ▁Courts- ▁nicest- ▁newer- chat- ▁My- ▁theater- ▁stops- ex- Lim- ▁pleasure- ose- ▁reference- ▁disaster- ▁slave- ▁pound- ▁politic- ▁toward- yum- ▁cell- ▁keeper- ▁reviews- led- ▁adding- men- ▁seal- ▁articles- ▁emails- ▁finances- ▁nuts- ▁shown- cu- ▁tab- ▁upload- ▁im- ▁literal- ▁purposes- Fi- ▁Maths- ary- ▁Van- ▁She- ▁Jo- ical- ▁facts- ung- ▁Russia- ▁satisfy- ▁detect- ▁threaten- ▁thir- ▁dimension- ▁civil- ▁Joseph- ▁Ferrari- ▁Pavilion- ▁Twitter- ▁anxiety- ▁blouse- ▁clever- ▁conservative- ▁elderlies- ▁groceries- ▁jeep- ▁lesbian- ▁possibility- ▁Econs- ▁Northern- ▁beneficial- ▁holistic- ▁justify- ▁foresee- ▁phobia- ▁mainstream- ▁flies- ▁wolf- ▁Crystal- ▁countdown- ▁deny- ▁battle- ▁lake- ▁weakness- ▁University- ▁billion- ▁supportive- ▁combo- ▁inspirational- ▁inclined- ▁essentially- ▁Sheng- kong- ▁emo- ▁impressed- ▁Jimmy- ▁selected- ning- ▁handling- ▁fif- uhI- ▁engaged- ▁laws- ▁guni- ▁sadness- ▁coma- ▁mole- ▁spelling- ▁hip- ▁ranking- ▁developing- ▁greater- Ning- ga- ▁chim- ▁forms- ▁Red- ▁attractions- ▁Bar- red- ▁mathematics- ▁bitch- ▁Rui- ▁towels- ▁bars- ▁desire- ▁ju- ▁slope- ▁brick- ▁cups- ▁artiste- ▁resting- ok- ▁nag- ut- ▁nut- ▁booked- ▁messages- ▁desserts- ▁Zi- ▁drums- ▁abs- ▁La- ▁pages- ver- ▁driven- maths- ▁outdoors- ▁powers- ▁burgers- ▁doll- ▁input- ▁piss- ▁Ka- ▁refresh- ▁draft- York- like- India- Kitty- ▁sexual- Gai- ▁recruit- ▁Android- ▁PayLah- ▁PayNow- ▁detention- ▁flirt- ▁french- ▁graduating- ▁horizontal- ▁relatable- ▁turkey- ▁Tekka- ▁rainbow- ▁sesame- ▁scrub- ▁filial- ▁sunblock- ▁computing- ▁several- ▁pram- ▁sunrise- ▁Festival- ▁membership- ▁bedroom- ▁therapy- ▁Merlion- ▁pageant- ▁Katong- ▁Museum- ▁pian- ▁disk- ▁Gong- ▁destroyed- ▁unable- ▁sponsored- ▁greatest- ▁enjoyment- ▁heaty- ▁boom- Chan- ▁pandan- ▁Fort- ▁matcha- ▁tricks- ▁strands- ho- hi- ▁risky- ▁picky- ▁applying- ig- ▁sc- ▁generations- fi- ▁includes- ▁fr- ▁danger- ▁flavor- ▁peanut- ▁supplement- ▁achievement- ▁vendor- ▁feature- ▁tears- ▁novel- ▁drum- ▁resource- ▁states- ▁engages- ▁piranhas- ▁signed- ▁albums- ▁Teh- ▁bikes- ▁worms- ▁needy- ▁norm- ▁finishing- un- ping- ▁friendships- ▁recipes- ▁liver- ▁heights- ▁Malays- ▁trends- x- ▁info- ▁absorb- ▁stole- ▁bald- ▁consume- ▁convince- ▁cramp- Plaza- New- ▁mash- ▁vague- nua- ▁merge- ▁Eddie- ▁Labrador- ▁Argus- ▁circuit- ▁explanation- ▁fountain- ▁helicopter- ▁matchmaking- ▁mischievous- ▁necessity- ▁polytechnic- ▁rectangular- ▁squash- ▁surgeon- ▁wavelength- ▁desktop- ▁orchard- ▁spouse- ▁biology- ▁rugby- ▁squiggly- ▁Finland- ▁Justin- ▁furthermore- ▁retarded- ▁sufficient- ▁assist- ▁William- ▁posture- ▁Pearlyn- ▁stroller- ▁flu- One- ▁River- ▁cashless- ▁Central- ▁canvas- ▁tide- ▁Iron- ▁Sushi- ▁frequently- ▁Street- ▁chio- ▁Siew- ▁genuinely- ▁authority- ▁Singa- ▁reserved- ▁goreng- ▁horn- ▁nest- ▁existed- kan- ▁charger- ▁entered- ▁noises- ▁noticed- ard- ▁balanced- ▁Men- ▁mice- ▁rep- ▁crossing- ▁rings- ▁em- ▁Maya- ▁archetypes- As- ▁Kay- ▁Clementi- ▁cu- ▁aging- ▁Don- ▁pose- ▁regards- ▁mint- ▁nightmare- ▁organization- ▁mi- ▁spec- ▁Swensen- ▁indoor- ▁effects- ▁nugget- ▁citizen- ▁buck- ▁Hua- ▁sia- ▁voices- pe- ▁x- ▁sided- ▁banks- ▁Far- ▁We- ▁vi- ▁doctors- ▁tracks- ▁hates- ▁sup- ▁comics- ▁teams- kut- ▁planet- be- ▁cos- ▁chee- ▁prince- ▁resolve- ▁associate- eight- ▁arrive- ▁abandon- Ahmad- ▁Alex- ▁cringe- ▁artificial- ▁Rome- ▁economical- ▁Arab- ▁volcano- ▁graph- ▁cheerful- ▁transit- ▁Charmaine- ▁Chemistry- ▁Eurasian- ▁Hindu- ▁History- ▁Literature- ▁ancient- ▁bluff- ▁continuing- ▁courtesy- ▁deposit- ▁heavily- ▁hilarious- ▁irrelevant- ▁ketchup- ▁mahjong- ▁oriented- ▁poverty- ▁premium- ▁sponge- ▁spontaneous- ▁superior- ▁suspicious- ▁swallow- ▁thieves- ▁varieties- ▁wheelchair- ▁ignorant- ▁Tekong- ▁thirties- box- ▁Universal- ▁fiber- ▁boundaries- ▁Michelin- ▁scoreboard- ▁sensor- ▁subway- ▁dread- ▁league- ▁Giant- ▁Busan- ▁Autumn- ▁tuna- ▁reflection- ▁Snow- ▁humanities- ▁mister- ▁electrical- ▁nineties- ▁dried- ▁highway- ▁Nex- ▁yummy- ▁bakery- ▁splash- ▁politically- five- ▁talkative- ▁appeared- ▁selfie- ▁op- ▁sixth- ▁internships- ▁fucking- ▁el- ▁striped- ▁chosen- ju- ▁Ya- ▁settled- ▁killer- ▁attacking- ▁grave- ▁str- ▁touched- ▁spam- ▁ri- ▁interpret- bao- ▁banking- ▁weekly- ▁ding- ▁Sha- ▁dolls- ▁abit- ▁partly- ▁butchers- ▁dr- Foo- ▁mentor- ▁dinosaur- ▁strip- ▁technique- ▁cabinet- ▁alien- ▁cultures- Jun- ▁gu- ▁eco- ▁millennials- ▁Ru- ▁Sim- ▁sorts- ▁tastes- har- ▁ni- ier- En- ▁whales- ▁finals- ▁vehicles- ▁pi- ▁condemn- ▁suspect- League- Wave- Wild- ▁impress- Wan- ▁insist- ▁urgent- ▁clinic- ▁saliva- ▁champion- ▁Excel- ▁Geography- ▁Spencer- ▁armpit- ▁aspire- ▁capacity- ▁carefree- ▁classify- ▁english- ▁existence- ▁leather- ▁lounge- ▁portfolio- ▁refill- ▁replied- ▁sarcasm- ▁scenic- ▁scientific- ▁specify- ▁television- ▁underground- ▁wrestling- ▁skating- ▁mineral- ▁Head- ▁macaroni- ▁vulgarities- ▁junction- ▁companionship- ▁vulgar- ▁papaya- ▁Sylvia- ▁marine- ▁bodies- ▁moisturizer- cuba- ▁subsequently- ▁Zoo- ▁miserly- ▁replacement- ▁bruh- ▁digest- ▁insert- ▁suggestion- ▁Kovan- ▁roadside- Tai- ▁alert- ▁Coke- ▁cherish- ▁Feng- ▁manpower- ▁beast- ▁Hub- ▁Hotel- ▁hong- ▁contractor- ▁considerate- ▁shaking- ▁proof- ▁dye- ▁conditions- ▁How- Shan- ▁Taylor- ▁maggie- ▁sweater- ▁associated- ▁United- ▁strongest- ▁twen- ▁ballet- chi- ▁Dion- ▁determined- ▁Lay- ▁swap- ▁teen- ▁contented- ▁shitting- ▁richer- ▁cave- ▁entirely- ▁costly- ▁outline- ▁sim- ▁dressed- ▁Ho- ▁wished- ▁pricey- ▁rational- ▁alias- ▁stats- ag- ▁neat- ▁han- ▁needle- ▁officers- ized- ▁crabs- ▁layers- ▁contacts- wan- ▁inch- ▁foodie- ▁kit- ▁jo- ▁Chan- ▁dealing- ▁bullet- ▁spike- ▁aesthetic- ▁sole- ▁costume- ▁squat- ▁farmer- ▁goodie- ▁audit- ful- light- ▁accumulate- ▁citizens- ▁tourists- ▁slots- ▁owl- ▁kor- ▁academics- ▁gr- ▁meters- ▁pancakes- ▁tho- Wet- ▁electronics- ▁publish- ▁brief- ▁consult- ▁poison- link- Penyet- ▁wealth- Malam- ▁absolute- ▁initial- ▁spiritual- ▁pau- ▁boots- ▁crawl- ▁villa- ▁tragic- ▁automatic- ▁Ganesh- ▁Jollibee- ▁MacBook- ▁Police- ▁Spain- ▁Spanish- ▁Toyota- ▁apron- ▁bastard- ▁cabbage- ▁carnival- ▁defense- ▁disabled- ▁dungeon- ▁elsewhere- ▁metaphor- ▁monsoon- ▁octopus- ▁parallel- ▁philosophical- ▁reputation- ▁technologies- ▁thirtieth- ▁Bandung- ▁Potong- ▁coding- ▁favour- ▁kanchiong- ▁Laneige- ▁Nanyang- ▁autistic- ▁counselling- ▁decorative- ▁shortcut- ▁trekking- ▁tummy- ▁turquoise- ▁Jason- ▁translation- ▁Temasek- ▁carpet- ▁Winnie- ▁ceremony- ▁Hollywood- ▁shield- ▁waist- ▁executive- ▁Arsenal- ▁spinning- ▁partially- ▁priest- ▁fluffy- Batok- ▁Audi- ▁steady- ▁speechless- ▁David- ▁racing- ▁nick- ▁cutlet- ▁strive- ▁shallow- ▁rebel- ▁offended- ▁condensed- ▁takeaway- ▁Romeo- ▁timetable- ▁Yuan- ▁Joy- ▁fryer- ▁warning- ▁temper- ▁rallying- ▁heavier- ▁haha- ▁cai- ▁heroes- ▁hunter- ▁spiders- ▁required- ▁loop- ▁fastest- ▁bathing- ▁Xin- ey- ▁ongoing- ▁instruments- ▁tied- ▁toddler- ist- ▁incorporate- ▁Ray- ▁Chi- ▁led- ▁lied- ned- ▁tooth- ▁cooler- ▁habits- ▁tested- ▁pushed- ▁Shu- ▁concepts- ▁lotion- ▁eve- dy- ▁Tim- ▁urban- ▁figurines- ad- ant- ▁bl- ▁redo- ▁trunks- ▁Egypt- ▁beliefs- ▁Jian- ▁lecturers- ▁beats- ▁root- ▁poem- rry- ▁contain- ▁pigeon- ▁scholar- ▁twin- ▁logistic- ▁described- ▁novels- ▁magazines- ▁fo- ▁practic- ▁museums- ▁stab- ▁soil- ▁instructions- ▁roles- ▁ji- ▁pr- ▁rag- king- cause- pan- ▁pun- ▁accounts- ▁nor- ▁drown- ▁reverse- ▁assess- ▁drift- ▁desert- ▁punish- ▁millions- ▁bulk- ▁intellectual- ▁frank- ineapple- Tau- ▁prime- ▁advertise- ▁Beijing- ▁BreadTalk- ▁Koufu- ▁Mookata- ▁Telegram- ▁alpha- ▁dialysis- ▁embrace- ▁heirloom- ▁irresponsible- ▁navy- ▁nuisance- ▁exclusive- ▁genius- ▁hardcore- ▁swipe- ▁faux- ▁Suzuki- ▁Superga- ▁diverse- ▁spectrum- ▁reliable- ▁Sharon- ▁assistance- ▁hopping- ▁pinpoint- ▁bacon- ▁macam- ▁mingle- ▁ordinary- ▁distinction- ▁tendency- ▁Coffee- ▁Sierra- ▁oval- ▁nursery- ▁cashier- ▁underwear- ▁coke- ▁simi- ▁cardboard- ▁regretted- ▁fatter- ▁rape- ▁memorize- ▁Airport- ▁beforehand- ▁individually- ▁folded- ▁malay- ▁bonded- ▁touristy- ▁mold- ▁delaying- ▁pinch- ▁released- ▁scored- ▁frying- rs- ▁attachments- ▁graded- ▁cl- ▁African- ▁storey- ▁gum- ▁worthy- ▁rounds- ▁rats- Gardens- ▁backup- ▁Lei- dai- ▁seasoning- ▁Mel- per- ▁treats- ▁prob- saw- ko- ▁noted- ▁Le- ▁dreaming- ▁winner- ▁recommendation- ▁criminal- ▁classical- ▁lap- ▁pamper- ▁employee- ▁tarts- ▁millennial- ▁differ- ▁worm- ▁logistics- ▁queueing- ▁pas- ▁st- ▁knees- ▁equals- ▁starter- ▁nuggets- ze- ▁whe- cy- ▁Ping- ▁outer- ▁scares- ▁stocks- ▁ooh- ba- ▁olives- ▁beans- ▁tattoos- ▁biting- ▁defend- ▁shoots- ▁imp- ▁whoo- ▁vege- ▁appeal- ▁tolerate- ▁renovate- ▁confuse- ▁implement- ▁invent- Silver- Bean- <- ▁newspapers- ▁stain- ▁overlook- ▁latte- ▁bronze- ▁unfortunate- ▁critical- ▁buff- ▁juniors- oreal- ▁Jonathan- ▁Microsoft- ▁Nokia- ▁Okinawa- ▁Starhub- ▁asthma- ▁cholesterol- ▁conducive- ▁contributing- ▁differentiate- ▁distant- ▁division- ▁duration- ▁emperor- ▁enemies- ▁exotic- ▁immature- ▁investigate- ▁jersey- ▁piercing- ▁prioritise- ▁sardine- ▁tolerance- ▁Buddhist- ▁Doctor- ▁Prime- ▁hammer- ▁reddish- ▁subscription- ▁terrorist- ▁venue- ▁wrist- ▁Osaka- ▁compound- ▁niche- ▁Duel- ▁defence- ▁unicycle- ▁Puma- ▁indecisive- ▁Lisa- ▁Bollywood- ▁Macau- ▁Oreo- ▁numb- ▁comfortably- ▁recap- ▁Geraldine- ▁fought- ▁amazed- ▁apologise- ▁Spine- ▁wireless- ▁Jessie- ▁dairy- ▁stability- ▁promoting- ▁mechanic- ▁shiny- ▁photographer- ▁slight- ▁hotter- Panther- ▁League- ▁tilted- ▁Gold- ▁lian- ▁Mary- ▁alot- ▁agreement- ▁requested- ▁poker- ▁torn- ▁Kitty- ▁carefully- ▁thicker- ▁ranger- ▁campus- ▁herring- ▁spine- ▁entertaining- ▁paddle- ▁chewing- ▁shouted- ▁supplies- ▁vacuuming- ▁sporty- ▁ticking- ▁accomplished- ▁expressed- ▁appreciated- ▁sharks- ▁pressing- ▁import- Fung- ▁lotus- ▁torture- ▁treating- ▁te- ▁rage- ▁obstacles- ▁deeds- ▁tilt- ▁parenting- ▁caps- ▁courts- ▁ow- ▁Ku- Wong- ▁bug- ▁placed- having- ▁hut- ▁owning- ▁lighting- ▁lag- ▁elements- ▁spark- ▁ponytail- ▁clue- ▁crocodile- ▁composition- ▁deadline- ▁bundle- ▁qualification- ▁sample- ▁dolphin- ▁Lao- ui- ▁fasting- ▁Uh- ▁singers- va- ▁minimal- ▁tart- nce- ei- ▁chart- ▁ke- cted- ▁swee- day- ▁peers- ▁pic- ▁De- ated- ke- ▁Sec- ▁indicate- ▁witness- ▁roast- ▁neglect- ▁tee- Ghaut- Simon- ▁distinct- ▁expert- ▁Ngee- ▁Adobe- ▁Amsterdam- ▁California- ▁Dakota- ▁Teochew- ▁Vegas- ▁acapella- ▁agenda- ▁altogether- ▁arguing- ▁dementia- ▁experiencing- ▁horoscope- ▁housewife- ▁immune- ▁injury- ▁pincer- ▁preparation- ▁protagonist- ▁remedial- ▁supernatural- ▁underrated- ▁viral- ▁wisdom- ▁withdraw- ▁yishun- ▁abroad- ▁committee- ▁hectic- ▁microwave- ▁stagnant- ▁tactic- ▁Tanglin- ▁orphanage- ▁vanilla- ▁railway- ▁Phantom- ▁interchange- ▁pasir- ▁stewardess- ▁parade- ▁Islam- ▁Somerset- ▁blade- ▁visible- ▁Thomson- ▁temporary- ▁animate- ▁Cube- ▁cruel- ▁Prison- ▁speechlessness- ▁monk- ▁villain- ▁du- ▁iconic- ▁medal- ▁overhead- ▁assembly- ▁naan- ▁Studies- ▁tete- ▁Lady- ▁kidney- ▁Kelly- ▁compo- ▁freezing- ▁binge- ▁humanity- ▁surrounded- ▁polo- ▁chatting- ▁passive- ▁bumper- ▁sci- ▁peo- ▁Song- ▁fallen- ▁biased- ▁Peter- ▁bid- ▁promoter- ▁privileged- ▁Steven- ▁remem- ▁broth- ▁Dan- ▁asset- ▁Russian- ▁flavoured- ▁weaker- ▁Sarah- ▁smallest- ▁ethical- ▁softly- ▁judged- ▁gardening- ▁lacking- ▁divided- ▁guessed- ▁weights- ▁soci- ▁attending- ▁dressing- ▁backwards- ▁nat- ▁confirmed- ▁followers- ▁methods- uhthe- ▁bass- ised- ▁masters- ▁stigma- ▁Re- ▁web- ▁overly- ▁qua- ▁camps- ster- ▁stations- ▁commitments- ▁soak- ▁gi- ▁ab- ▁tablet- ao- Yai- ▁Fa- bi- ▁fundamental- ▁bins- ▁characteristic- ▁candle- ▁element- bo- ▁insect- ▁intrigue- ▁nowaday- yu- ▁cookie- ▁aliens- ▁Go- ▁accidents- ▁ships- ▁ki- ▁Hill- ▁weddings- ial- ▁ro- land- ▁weigh- yo- ▁Lit- ▁bands- ying- ▁shots- ▁flop- ▁ga- di- iest- ▁gana- ▁ed- ▁chemicals- ▁resign- made- ▁thread- ▁brows- ▁polish- ▁Chu- ▁profession- Barrage- prata- ▁staple- Hong- ▁coast- ▁Captain- ▁Channel- ▁Adventure- ▁Bitcoin- ▁Claudia- ▁Ernest- ▁Internet- ▁Kanken- ▁Nintendo- ▁Standard- ▁alumni- ▁anxious- ▁automated- ▁calendar- ▁celebrities- ▁creativity- ▁cubicle- ▁facility- ▁gesture- ▁hummus- ▁mandatory- ▁parasol- ▁rewind- ▁rinse- ▁shadow- ▁tertiary- ▁unknown- ▁vampire- ▁Belgium- ▁Benjamin- ▁hotpot- ▁psychological- ▁abusive- ▁maturity- ▁tedious- ▁Friends- ▁fifties- ▁Thomas- ▁crystal- ▁scientist- ▁Anonymous- ▁juggle- ▁tempted- ▁Genki- ▁laser- ▁acne- ▁selection- ▁species- ▁static- ▁stationary- ▁litter- ▁protection- ▁sustainable- ▁hangout- ▁hind- ▁carbs- ▁Story- ▁fatty- ▁Silver- ▁cutter- ▁wana- ▁Five- Ann- ▁Village- ▁standby- ▁mock- ▁outfield- ▁credits- ▁kayaking- ▁lull- ▁Bank- ▁pointless- Yum- ▁trans- ▁wisely- ▁invested- ▁tryna- ▁represents- ▁achieved- ▁proven- ▁alley- ▁safest- ▁noob- ▁kaya- ▁creamy- ▁lifting- ▁Care- ▁inspires- ▁Bo- ▁thousands- ▁drying- ▁wat- ▁bull- ▁comp- ▁mixing- ▁turner- ▁Jen- ▁continued- ▁importantly- ▁explaining- ▁blast- ▁user- ▁gifts- ▁sin- ▁The- ▁mon- ban- ▁smells- Ming- book- ▁warrior- ▁examination- ▁Game- ▁affair- ▁device- ▁rhyme- ▁earring- ▁Pa- ▁piranha- ▁En- ▁prayers- ▁des- ▁tele- ▁falls- ▁chapters- ▁compet- ▁machines- ber- ▁mug- ▁hotels- ▁Ris- ▁aid- ▁Xi- lly- ▁zi- ▁sacrifices- ▁kan- ana- ji- ▁linked- ul- ▁gem- ▁temp- ▁grind- ▁greet- ▁rail- ▁align- ▁defeat- ▁strain- Loong- Heng- Yuan- ▁creep- ▁definite- Long- ▁fond- ▁Stephen- ▁Zouk- ▁Bhutan- ▁Khao- ▁Kosong- ▁Lazada- ▁Messi- ▁Pakistan- ▁Tribute- ▁Uncle- ▁ambiguous- ▁ambulance- ▁asshole- ▁assumption- ▁categories- ▁century- ▁cleanliness- ▁climate- ▁cluster- ▁disadvantage- ▁earthquake- ▁fattening- ▁foresight- ▁gigantic- ▁haystack- ▁inflation- ▁libraries- ▁milkshake- ▁multitask- ▁paragraph- ▁plenty- ▁reservoir- ▁seminar- ▁syrup- ▁themself- ▁transaction- ▁transcript- ▁wardrobe- ▁Samuel- ▁boast- ▁clap- ▁gauge- ▁granddaughter- ▁trimming- ▁unsure- ▁Skype- ▁Tony- ▁brunch- ▁relief- ▁unemployed- ▁receptionist- ▁stiff- ▁Bayfront- ▁harmony- ▁meditation- ▁analysis- ▁muddy- ▁obligation- ▁popiah- ▁scariest- ▁cohort- ▁illness- ▁prior- ▁rising- ▁Wanton- ▁cancelled- ▁zao- ▁Beauty- ▁Keith- ▁preferably- ▁recce- ▁serial- ▁Alice- ▁console- ▁dual- ▁personalities- ▁peop- ▁Angel- deciding- ▁pillar- ▁Cold- ▁Xuan- ▁Parade- ▁merit- ▁prone- ▁Wang- ▁overthinking- ▁tension- ▁doggo- ▁Dota- ▁Tru- ▁discovered- ▁secretly- ▁outgoing- ▁jealousy- ▁Raya- ▁suggested- ▁converted- rilyn- ▁sexy- ▁barking- ▁upside- ▁stem- ▁stalking- ▁positively- ▁hired- ▁pipe- Rangers- ▁announce- ▁floating- ▁cartoons- ▁existing- ▁warming- ▁marinate- ▁respectful- ▁shaped- ▁rounded- La- ▁advocate- ▁hence- ily- ▁seated- ▁mistaken- lin- ▁Bu- ▁returning- ▁ted- ▁glue- ▁cows- ▁prelims- if- ▁Girls- char- ▁listeners- ▁creatures- ▁tu- ▁handed- ▁charm- ▁believed- ▁Eve- ▁forum- ▁penguins- ▁lasted- ▁gong- ▁beg- ▁careless- ization- ▁zoom- ▁directions- ▁digg- ▁posters- ▁apa- ▁squirrel- ▁tale- ▁beginner- ▁drone- ▁aged- ▁kitten- ▁ambition- ▁honour- ▁folk- ▁Philippine- ▁YouTuber- tion- ide- ▁visitor- op- Ho- ▁Or- ▁dancer- ▁gram- ▁Las- ▁packs- ▁tool- Pa- ▁ko- ▁miles- peh- eo- ▁cam- ▁format- ▁concerns- cha- fun- ▁ty- rebus- ▁pri- ▁Glen- ▁z- park- ▁emphasize- Clinton- ▁flesh- Parade- Square- English- Year- Master- ▁Premier- Lian- ▁stitch- ▁Hawaii- ▁dang- ▁contest- ▁Amanda- ▁Lamborghini- ▁Marsiling- ▁Mooncake- ▁Munafik- ▁Vivian- ▁blossom- ▁breeze- ▁broccoli- ▁charcoal- ▁dictionary- ▁exploring- ▁extension- ▁google- ▁grandchildren- ▁hierarchy- ▁invisibility- ▁kallang- ▁lettuce- ▁outstanding- ▁palace- ▁principle- ▁savvy- ▁trombone- ▁unlimited- ▁virtual- ▁whisper- ▁workload- ▁Pacific- ▁Robert- ▁Taurus- ▁luxurious- ▁northern- ▁Alicia- ▁Sony- ▁architecture- ▁ninth- ▁padlock- ▁probability- ▁StarHub- ▁tekan- ▁Mexican- ▁rollercoaster- ▁identified- ▁batak- ▁certification- ▁miserable- ▁vocabulary- ▁Marine- ▁Novena- ▁dwell- ▁storage- ▁Tanjong- ▁impactful- ▁landmark- ▁Kimchi- ▁mike- ▁Jerome- ▁attendance- ▁Primary- ▁spiderman- ▁Ocean- ▁pax- ▁wiping- ▁yolo- ▁caption- ▁Emma- ▁Mission- ▁Royal- ▁bleeding- ▁Jenny- ▁vegan- ▁Poke- ▁Prata- ▁overwhelming- ▁Light- ▁forgotten- ▁Jerry- ▁frankly- ▁accomplishment- ▁tuck- ▁Goreng- ▁preferred- ▁employed- ▁barefooted- ▁handmade- ▁bulky- ▁Cher- ▁malaysia- ▁artistic- ▁abandoned- ▁renovated- ▁Marche- ▁reciprocate- ▁expired- ▁Nine- ▁disappeared- ▁Mao- ▁combat- ▁darkness- ▁cargo- ▁backside- ▁signing- Men- ▁Appa- ▁lemak- ▁recognised- ▁compensate- ▁Shen- ▁manners- ▁weirdest- ▁seventh- ▁epic- Glory- ▁Kang- ▁Po- ied- ▁catcher- ▁fighter- ▁heater- ▁Sri- ▁improved- ▁Bob- ▁drawer- ▁spy- ▁estimate- ▁charged- ▁wi- ▁rim- ▁relaxed- ack- ▁siam- ▁Lau- Ying- ▁timeline- ac- ▁cater- ▁generate- ▁sneakers- ▁belongs- ▁gloves- ▁trainers- ger- ▁Ross- ▁Australian- ▁ironic- mi- ▁jars- ▁Jan- ▁flights- gong- ▁collectors- ir- ▁Ro- ▁acts- ▁gadgets- ▁malam- ▁pigs- cal- ries- ye- ating- ▁Cha- ▁thr- ▁stake- ▁storybook- ▁puzzle- ▁passage- ▁employer- ▁kaki- ▁grape- ▁belonging- ▁spectacle- ▁misunderstand- Asian- ▁alter- ▁hah- ities- ▁pla- ▁caused- ▁Sal- ach- ▁gamer- ▁carbo- war- ▁melts- ▁Kit- sha- ▁swings- ▁elders- ▁sip- ▁hap- ▁shame- ▁fits- lu- ▁colors- ▁expir- ▁surround- ▁Leo- ▁tidy- ▁emcee- ▁rally- ▁Tang- ▁attach- ▁educate- cetera- Jackson- Junior- Xuan- Chong- Zhi- Poly- ▁Nepal- peng- ▁continent- ▁wok- ▁Swee- ▁excess- ▁neuro- ▁Airbnb- ▁Annabelle- ▁Argentina- ▁Fila- ▁GoPro- ▁Marcus- ▁Neopets- ▁Rihanna- ▁Sanchez- ▁Seletar- ▁Volkswagen- ▁adorable- ▁aerospace- ▁avenue- ▁bargain- ▁bathtub- ▁behavior- ▁cocoa- ▁comprehension- ▁diarrhoea- ▁energetic- ▁kiosk- ▁multiracial- ▁negativity- ▁puberty- ▁pyramid- ▁receipt- ▁repetitive- ▁reunion- ▁singlish- ▁testimonial- ▁trampoline- ▁tribute- ▁unreasonable- ▁unstable- ▁vinegar- ▁Chope- ▁Silat- ▁Zalora- ▁floral- ▁nuclear- ▁scanner- ▁Safra- ▁consistency- ▁Greek- ▁haircut- ▁riot- ▁steel- ▁Akash- ▁Grace- ▁Queen- ▁cumin- ▁laziness- ▁serum- ▁Scandinavia- ▁survival- ▁Lorong- ▁Running- ▁tinder- ▁detective- ▁restart- ▁savory- ▁bojio- ▁Shakespeare- ▁stray- ▁naive- ▁Taiwanese- ▁couch- ▁lump- ▁woohoo- ▁legitimate- ▁cotton- ▁lava- ▁xiao- ▁Ralph- ▁qualified- ▁fox- ▁bible- ▁Sonia- ▁skyline- ▁hiring- ▁Republic- ▁Kids- ▁hassle- ▁epok- ▁bathroom- ▁ashes- Panjang- ▁clan- ▁hugging- ▁Wall- ▁Market- ▁classified- ▁parasailing- ▁Fei- ▁motivational- ▁thankfully- ▁catered- ▁remembering- ▁Mid- ▁deserted- ▁Yang- ▁Wee- ▁upcoming- ▁mage- ▁convinced- ▁fulfilled- ▁Fish- ▁pastry- mail- ▁Hip- ▁organised- ▁accordingly- ▁porn- ▁introverted- ▁kiap- ▁topless- ▁breakup- ▁union- ray- ▁businesses- ▁editing- Tan- ▁Joey- ▁introduced- ▁punching- ▁blindly- ▁stealing- ▁Mile- ▁guns- ▁comb- ▁swinging- ▁Americans- ▁fairly- ▁colder- ▁coaching- mack- ▁targeting- ▁rented- ▁solar- ▁jumped- ▁pon- ▁sized- ▁filming- ▁Fai- ▁prim- wa- ▁fields- ▁br- ▁regional- ▁eighth- ▁brains- der- ▁disc- ▁chao- ▁rows- ▁diagnose- ▁cupcakes- ▁beng- ▁earphones- ▁Gu- ▁metres- ▁units- ▁codes- ▁sheeps- ▁Min- ▁smokers- ▁basics- ▁plump- ▁tools- ▁Sea- kio- ▁complaints- ▁earrings- ci- ▁outlets- ley- ▁Be- ▁investments- ▁scout- ▁curtain- ▁decoration- ▁negotiable- ▁document- ▁gadget- ▁penguin- ▁Boy- ick- ▁expense- ▁joker- ▁clo- ▁smoker- ▁idols- ▁pat- ▁requirements- ina- ▁entrepreneur- istic- ▁acquire- ▁Do- gu- master- ▁blond- ▁MacDonalds- ▁heel- ▁eater- Li- ▁toilets- ▁bonds- ▁sentiment- ▁interrupt- ▁Steve- ▁Shaw- ▁demolish- ▁compose- food- ▁kayak- ▁emphasis- ▁assign- ▁launch- ▁barefoot- Smith- Stadium- Goreng- Street- ▁Grand- Hill- ▁crunch- ▁Latin- padi- Dai- ▁steep- Link- ▁witch- ▁confide- ▁Super- ▁ethnic- ▁Alaska- ▁Avenue- ▁Croatia- ▁Eunos- ▁Joshua- ▁Mecca- ▁Sabrina- ▁Samantha- ▁Takoyaki- ▁Water- ▁aluminium- ▁arcade- ▁bacteria- ▁bazaar- ▁billionaire- ▁capsule- ▁caravan- ▁controversies- ▁deodorant- ▁domestic- ▁engaging- ▁escort- ▁eyeliner- ▁fraud- ▁frisbee- ▁impromptu- ▁inclusive- ▁instagram- ▁jurong- ▁messaging- ▁modify- ▁motive- ▁nevertheless- ▁occupation- ▁possibilities- ▁pretentious- ▁receiving- ▁reservation- ▁showcase- ▁stereotypical- ▁substitute- ▁tempura- ▁therapeutic- ▁timid- ▁unusual- ▁versatile- ▁comedian- ▁dialogue- ▁earliest- ▁summon- ▁attire- ▁Blackshot- ▁Blue- ▁clown- ▁kiwi- ▁virgin- ▁Andy- ▁plaster- ▁Jakarta- ▁bankrupt- ▁compile- ▁Coca- ▁election- ▁bluish- ▁lucid- ▁Nicole- ▁Venice- ▁aloe- ▁Charlie- ▁Wendy- ▁capabilities- ▁modified- ▁Charles- ▁banned- ▁favor- ▁urine- ▁layout- ▁Henry- ▁legacy- ▁mocha- ▁laid- ▁Superman- ▁washroom- ▁overpriced- ▁ease- ▁Halal- kali- ▁wax- ▁Missus- ▁Mitch- ▁capability- ▁sleeveless- ▁floorball- ▁blink- ▁Tiger- ▁pores- ▁rejection- ▁flush- ▁Trump- ▁Siti- ▁progression- ▁assam- ▁retriever- ▁consistently- ▁Cheng- ▁hai- ▁bookshop- ▁wealthy- ▁cui- ▁visually- ▁Forty- ▁naps- ▁obedient- wen- ▁Eleven- ▁hyper- ▁Sang- ▁mindful- ▁Bang- ▁bitten- ▁separately- ▁dresses- ▁Val- ▁pao- ▁delayed- ▁Bad- ▁deleted- ▁registered- ▁pastel- ▁bay- ▁yellowish- ▁arranged- ▁promoted- ▁migrated- ▁Land- ▁contributed- ▁downloaded- ▁directed- ▁windy- ▁solved- au- ▁cease- ou- ged- ▁calming- ▁ob- ▁wasabi- ▁designs- ▁lu- ▁contacted- ita- ▁Bears- ▁supporter- ▁investing- ▁cleared- ▁Nan- siew- ▁ancestors- ▁tackle- fan- ▁renting- ▁smelling- ▁Per- six- ▁def- ▁begins- ▁circled- ata- ▁ram- ▁glu- mation- ▁boarding- ▁tiles- Asia- ability- dey- bit- les- Pok- ▁revis- ▁biscuits- ten- ▁heading- ▁rappers- ▁Boys- her- ▁Han- ▁storm- zz- ▁Qi- ▁involves- tro- ▁candles- ▁vet- ▁holds- ▁efforts- ▁Ed- ▁originate- ▁limits- ▁Bel- our- ▁vera- ▁fe- ▁tease- ▁expire- ▁vendors- ▁milestone- ▁landscape- ▁ano- side- ▁Master- ice- ▁alphabet- ▁statue- ▁minister- ▁Legend- ▁airline- ▁consumer- ▁lastly- ▁rapper- ▁teenager- ▁belief- ▁Tu- ging- ▁downstair- ▁occur- ▁shades- ku- ▁Christ- ▁backstab- ▁defer- mai- ▁arguments- ▁writer- ▁flap- while- ▁memes- cai- ▁He- use- ▁sigh- fe- ▁volunteers- ▁sources- ▁San- ▁dri- ification- ship- ▁Mos- ▁Co- ▁tunnel- ▁Break- ▁employ- ▁choke- ▁explode- ▁perceive- ▁conquer- ▁discard- ▁approve- ▁manipulate- Pooh- ▁transcribe- ▁disrespectful- Kee- ▁shove- ▁trauma- Kai- ▁addition- ▁athletic- ▁Admiralty- ▁Digimon- ▁Eighteen- ▁Eminem- ▁President- ▁Sydney- ▁WeChat- ▁accommodate- ▁aglio- ▁attentive- ▁coleslaw- ▁congrats- ▁consumption- ▁cringy- ▁deaf- ▁district- ▁drumstick- ▁evaporate- ▁expenditure- ▁gantry- ▁hummingbird- ▁hypocrite- ▁inconvenient- ▁instinct- ▁intuition- ▁irrational- ▁policies- ▁pricing- ▁purplish- ▁servant- ▁skeptical- ▁surviving- ▁syndrome- ▁terrace- ▁turret- ▁wedges- ▁Angkor- ▁Ellen- ▁Hanoi- ▁Ofo- ▁Rebecca- ▁increasing- ▁outdated- ▁pursuit- ▁Heartland- ▁association- ▁psychologist- ▁unpredictable- ▁Yates- ▁manufacturing- ▁index- ▁botak- ▁quantity- ▁Marco- ▁runner- ▁memorising- ▁obsession- ▁ferment- ▁lamppost- ▁balm- ▁Tuas- ▁Frank- ▁announcement- ▁penalty- ▁Nyonya- ▁leverage- ▁Monkey- ▁stroke- ▁font- ▁token- ▁massive- ▁chopping- ▁wheat- ▁kiasi- ▁optimistic- ▁mochi- ▁subtle- ▁embarrassment- ▁secretary- ▁smartphone- ▁wives- ▁Arabic- ▁bold- ▁popping- ▁sync- ▁curb- ▁summary- ▁kacang- ▁Catholic- ▁continuously- ▁Mio- ▁reuse- ▁colorful- ▁problematic- ▁Tower- Centre- ▁Hsien- ▁Jackie- ▁fussy- ▁counsellor- ▁koi- ▁wastage- ▁countryside- ▁worn- ▁longkang- ▁Junior- ▁Clinton- ▁revolve- ▁cetera- ▁Rong- ▁Eastern- Schooling- Tong- ▁quitting- ▁handful- ▁Eric- ▁sewing- ▁knowledgeable- Tay- ▁walkway- ▁petty- ▁outlook- ▁disappointing- ▁monkeys- ▁Mama- ▁instantly- ▁Breaking- ▁Maggie- ▁smoothly- ▁Pong- ▁tailor- ▁Lord- ▁payout- ▁encountered- ▁updated- ▁refreshing- ▁typically- ▁warmer- ▁intended- ▁protected- ▁Potter- ▁ideally- ite- ▁shorten- ▁dull- ▁checkup- ▁borrowed- ▁tougher- ▁sheltered- ▁reported- ▁tau- ▁removed- ▁hoop- ▁tenth- ▁prisoner- pped- ▁pearls- ▁dough- Hut- ▁placement- ▁figures- ▁chewy- ▁dash- ▁coasters- tuk- ▁hurting- ▁sentences- ▁promotions- ▁lorh- ▁undergo- let- ▁loans- ▁expressing- ▁opt- ▁cult- ▁pest- ▁meow- ▁Ar- ▁cuisines- ▁mentioning- ▁fireworks- ▁teammates- ▁shi- ▁epi- ▁kang- ▁claims- ▁patterns- ▁programmes- ▁Got- ▁engineers- ▁props- ▁donut- iel- ▁vouchers- ▁overload- ▁watery- ue- ▁interviews- iao- ▁rea- lan- ▁owners- ▁extract- ▁So- ome- ▁systems- ▁faced- ara- ▁metre- can- ▁yearly- ▁terminate- ▁connections- ▁joint- ▁exception- ▁drip- ▁scrape- ▁cre- ▁listing- ▁Fun- ▁scrap- ▁lan- ▁questioning- ▁Mar- ythic- ▁scholars- hipped- hu- ▁reader- ▁col- ▁quotes- ▁strengths- ery- ▁calculation- ▁feather- ▁muffin- ▁restriction- ▁slaves- ▁downward- ▁Bun- ▁handles- ▁sandal- ▁shoulders- ▁exists- od- ▁lac- ▁que- ec- ▁Wu- ▁Ice- ring- ▁Dad- ▁ter- id- ▁Fat- ▁rob- ▁pointer- ▁min- ▁wan- ▁sy- ▁Roman- ▁sua- tai- ▁gut- ▁nieces- uhyou- ▁hun- School- ▁overthink- ▁execute- scape- ▁pierce- Kayu- ▁Louis- America- club- House- ▁rotate- Hao- ▁singlet- ▁gracious- ▁Taufik- ▁Mickey- ▁Beyblade- ▁Clara- ▁Donald- ▁Drake- ▁Eiffel- ▁Kelvin- ▁Natalie- ▁Nigel- ▁PlayStation- ▁Porsche- ▁Sundram- ▁Tamarind- ▁Tamiya- ▁Watson- ▁Zumba- ▁allergy- ▁ambience- ▁balancing- ▁belacan- ▁bimbo- ▁bisque- ▁bouncy- ▁carried- ▁clarify- ▁climax- ▁condominium- ▁decrease- ▁diversity- ▁efficiency- ▁eyelid- ▁fascinate- ▁feast- ▁fickle- ▁filtration- ▁forklift- ▁fortune- ▁increment- ▁infrastructure- ▁mattress- ▁nostalgic- ▁packaging- ▁pollution- ▁pregnancy- ▁prominent- ▁redundant- ▁revenge- ▁scandal- ▁shrink- ▁sneeze- ▁violent- ▁welcoming- ▁Avatar- ▁George- ▁Harvey- ▁Shakti- ▁cyber- ▁enforce- ▁palette- ▁shelves- ▁thinner- ▁vulnerable- ▁Conan- ▁Shangri- ▁creator- ▁Langkawi- ▁cosplay- ▁farewell- ▁literacy- ▁annual- ▁eczema- ▁Simei- ▁typing- ▁collar- ▁variation- ▁impose- ▁miracle- ▁sojourn- ▁hairstyle- ▁journalist- ▁snowball- ▁theories- ▁bedsheet- ▁lasting- ▁digit- ▁injection- ▁foil- ▁supplier- ▁charging- ▁prioritize- ▁refund- ▁gassy- ▁spur- ▁reception- ▁nagging- ▁vain- ▁occupied- ▁revision- ▁signature- ▁flute- ▁cancerous- ▁papa- ▁Harley- ▁squatting- ▁grandson- ▁pathetic- ▁measurement- ▁Melaka- ▁Hitch- ▁subconsciously- ▁ladder- ▁footage- ▁Bible- ▁consecutively- ▁hung- ▁fishcake- ▁Baby- ▁retrenched- Ondeh- anakan- ▁Jeremy- ▁patches- ▁Mario- ▁bookstore- ▁mangoes- ▁Scrabble- ▁affection- ▁investigation- ▁Tsum- ▁snorkeling- ▁relive- ▁restricted- ▁officially- Hall- ▁ballad- ▁cosy- ▁underage- ▁publication- ▁fainted- ▁pang- ▁possessed- ▁Abu- ▁Bao- ▁catering- ▁jie- ▁buyer- mark- ▁ramp- ▁poisoning- ▁dusty- ▁marvel- ▁carton- ▁setup- ▁adopted- ▁shaker- ▁hose- ▁sweaty- ▁vine- ▁pastor- ▁cheering- ▁repeated- ▁pumping- ▁Dim- ▁passes- city- ▁tearing- ure- ▁sooner- Balance- ▁figured- ▁lifted- ▁commonly- ▁printing- ▁Arts- ▁oppose- ▁retrieve- ▁Sundays- ▁caus- ▁essays- ▁organisations- ▁moderate- ▁tri- ▁camel- ▁funds- ▁warn- ▁para- ▁Muslims- ▁wool- ▁statistics- ▁shooter- ▁subtitles- ▁motivates- ▁alpacas- ▁Ji- ▁sounded- ▁morals- ▁tissues- ▁saver- ▁mart- ative- ▁Hall- ug- ▁intentions- ▁lively- ▁comforting- ▁matching- ▁Ne- ▁arc- ▁Chin- ▁covers- ake- ew- ▁Ja- ▁thi- ▁Hwa- ▁mute- ▁mar- ▁sam- ▁reasoning- ▁forces- ▁rot- ▁grapes- ▁dancers- ▁tha- ▁ordering- ▁Tuesdays- ▁devices- ▁rhymes- ▁coun- ▁chocolates- ▁Dee- ▁vo- ▁wordings- ▁dolphins- ▁packets- ▁rebu- ▁pigeons- vert- ▁pl- ▁fellas- ase- ▁whi- sion- po- den- ▁lar- wi- hai- ▁bowls- ▁clothings- con- ▁clam- ▁Scoot- ▁chunk- ▁incentive- ▁rope- ▁attribute- ▁Caucasian- ▁Alia- ▁bud- ▁acquaintance- ▁participant- ▁graphic- ▁electives- ▁earphone- ▁creature- ▁trunk- ▁females- ▁grandparent- ▁flyer- ▁awards- ▁sl- ▁instance- ▁nutrition- don- ▁tra- ▁prom- ▁Sa- ala- ▁tons- ▁Lu- ▁hamsters- ▁touche- chu- ▁swan- ▁relations- ▁via- ▁monsters- lie- ▁poo- ▁Teo- ▁ir- min- ▁hoo- ▁nets- ▁Pin- ▁High- ▁containers- ▁dan- ▁ratio- ▁disappoint- ▁Panda- wood- ▁distribute- ▁cultivate- ▁sneak- ▁exceed- Faber- McCartney- Fingers- Padang- tarik- Hotel- screen- centre- ▁dense- wei- Gaga- ▁swam- ▁fade- Wang- ▁underline- ▁interfere- ▁Sherlock- Soto- ▁Alibaba- ▁Benedict- ▁Cambridge- ▁Dylan- ▁Eunice- ▁Florence- ▁Gordon- ▁Kraken- ▁Kranji- ▁Oliver- ▁Rolex- ▁alarum- ▁autumn- ▁backyard- ▁beancurd- ▁brisk- ▁burrito- ▁butterflies- ▁collaboration- ▁concubine- ▁denim- ▁envelope- ▁esteem- ▁eyesight- ▁frivolous- ▁guidance- ▁heartbroken- ▁intensive- ▁kettle- ▁khaki- ▁lemonade- ▁liberal- ▁magenta- ▁mousse- ▁mundane- ▁muscular- ▁necessities- ▁negotiate- ▁obsolete- ▁prejudice- ▁providing- ▁raccoon- ▁resolution- ▁rhythm- ▁scotch- ▁sequence- ▁slaughter- ▁snail- ▁snatch- ▁staycation- ▁victim- ▁violin- ▁vocab- ▁abnormal- ▁collab- ▁dribble- ▁export- ▁hardware- ▁hollow- ▁jackfruit- ▁permission- ▁royal- ▁unconscious- ▁Brooklyn- ▁Hindi- ▁bouncing- ▁communicating- ▁kebab- ▁romcom- ▁Gucci- ▁Roti- ▁armrest- ▁carbonara- ▁Harbourfront- ▁Kuala- ▁inspect- ▁excitement- ▁Amazon- ▁Coney- ▁convertible- ▁grace- ▁beware- ▁biological- ▁saint- ▁galaxy- ▁inequality- ▁jewelry- ▁proposal- ▁Laksa- ▁Shopee- ▁cement- ▁disappointment- ility- Blyton- ▁Alps- ▁lobby- ▁planner- ▁disability- tinous- ▁chainsaw- ▁paragliding- ▁rapping- ▁Morrie- ▁craze- ▁relating- ▁conventional- ▁Lego- ▁Zul- ▁bullies- ▁impaired- ▁thoroughly- ▁Waterway- ▁unlock- ▁Jess- ▁q- ▁techno- ▁diary- ▁underwater- ▁opinionated- ▁engagement- ▁whine- ▁meditate- ▁specialise- ▁encouragement- ▁bride- ▁Haji- ▁institution- ▁seaside- ▁agar- ▁teamwork- ▁singaporean- ▁conductor- ▁vanish- ▁Loreal- ▁macaroon- ▁Secondary- ▁checkpoint- ▁acceptance- ▁marksman- ▁clingy- ▁eastern- ▁judgemental- ▁popularity- ▁Safari- ▁pastries- ▁brighten- ▁established- ▁intellectually- ▁amuse- ▁dramatic- ▁Holy- ▁Stadium- ▁grasp- ▁becau- ▁mono- ▁policeman- ▁tribe- ▁Rose- ▁Ahmad- ▁carries- ▁Tay- ▁fireman- ▁Lily- ▁mansion- ▁peeping- ▁peep- ▁manageable- ▁expresses- ▁guaranteed- ▁Mike- ▁interactions- ▁drowning- ▁briefing- ▁momentum- ▁trader- ▁consulting- ▁begging- ▁Shawn- ▁captured- ▁herbs- ▁strictly- ▁Kok- ▁fullest- ▁circl- ▁stolen- ▁Ash- ▁successfully- ▁painted- ▁commented- ▁impacted- ▁usage- ▁wider- outhern- ▁leaders- ▁delivering- ▁gown- ▁deeply- ▁safely- ▁positions- ▁disciplined- ▁scratching- ▁Ubin- ▁pronounced- you- ▁freshie- ▁socially- ▁timers- ▁spoiling- ▁siap- ▁tickle- ▁locally- ▁orangey- ▁paints- ▁viewers- ▁Ju- Mall- ▁simpler- ▁forties- ump- ▁Ki- ▁stepp- ▁braces- ▁seeking- ▁processing- ▁laughed- ▁cheapo- ▁boxer- ▁Home- lian- ▁simplest- ▁rumours- ▁dope- mian- ▁darts- ▁Xing- ▁serves- ▁mommy- ▁struggles- ▁Mu- ▁cracks- ▁stinks- ▁Maps- ▁branding- ▁weed- ▁graphics- ▁hints- ▁ribbons- ▁slices- Nila- ▁musicals- ▁alight- nia- Xue- ▁homely- ▁Mer- ▁apologize- fa- ▁chun- ▁sha- halia- ble- ▁kenn- ▁kites- fu- ▁Kan- ▁Na- ▁pampers- ▁differs- ▁decorate- ▁nan- ▁pu- ▁Sum- ▁twins- ▁experiments- ▁scores- nine- ▁Kat- ▁directors- ▁ration- ▁sons- com- Go- ▁estates- ▁crow- ▁notebook- ▁worksheet- ▁Guardian- ▁contribution- ▁Olympic- ▁hotdog- ▁cocktail- ▁regard- ▁headlight- ▁cupcake- ▁ray- ▁filler- ▁Girl- ▁chu- ▁influencers- ▁afterward- ▁jar- ▁tablets- ▁va- ▁appears- ▁listener- ▁realis- ▁fl- ▁Mr- ▁ache- ▁rains- ▁maps- ▁Eni- ▁trades- ▁Harri- aga- oon- ▁markets- ▁cen- ▁communications- ▁econ- Xin- ▁Ring- ▁hits- lving- ▁fro- ▁islands- ▁lizards- ▁turtles- house- ▁sen- point- Jia- ▁convey- ▁lick- ▁allocate- ▁evolve- ▁tangle- ▁dedicate- ▁disrespect- Kiat- ▁addict- carte- Theme- ▁excessive- ▁Sakura- ▁diagonal- Ayer- Xian- Siew- ▁truthful- Your- ▁vocation- ▁Spider- ▁rash- ▁proportion- ▁Carol- Hawk- ▁smash- ▁Alexandra- ▁Antarctica- ▁Balestier- ▁Barcelona- ▁Bryan- ▁Davon- ▁Domino- ▁Elizabeth- ▁Madinah- ▁Maplestory- ▁Mitsubishi- ▁Mountbatten- ▁Odac- ▁Ovaltine- ▁Pioneer- ▁Qatar- ▁Shazlin- ▁Siloso- ▁Spurs- ▁Takashimaya- ▁Under- ▁Uzbek- ▁athlete- ▁bachelor- ▁baggage- ▁beggar- ▁believing- ▁bridesmaid- ▁brilliant- ▁bursary- ▁caffeine- ▁candidate- ▁churros- ▁column- ▁culinary- ▁curfew- ▁curiosity- ▁deviate- ▁diabetic- ▁distinguish- ▁dormitory- ▁grasshopper- ▁handwriting- ▁invitation- ▁jalebi- ▁mandarin- ▁overweight- ▁portrait- ▁premier- ▁producing- ▁pursuing- ▁reputable- ▁sacrificing- ▁shredded- ▁skydive- ▁slanted- ▁societal- ▁spiciness- ▁steroid- ▁stool- ▁superstitious- ▁survivor- ▁syntax- ▁transcribing- ▁transgender- ▁tteokbokki- ▁uncultured- ▁uneasy- ▁unnatural- ▁Valentine- ▁coincidence- ▁eligib- ▁multiplication- ▁outward- ▁starving- ▁Ariana- ▁Jessica- ▁brim- ▁pronouncing- ▁redeem- ▁undeveloped- ▁Chingay- ▁FoodPanda- ▁duties- ▁merchandise- ▁excla- ▁grid- ▁coordination- ▁dynasty- ▁conversion- ▁enthusiastic- ▁flashback- ▁Catherine- ▁Kolo- ▁Samyang- ▁Cameron- ▁consultant- ▁pharmaceutical- ▁Quran- ▁Subaru- ▁Tori- ▁pumpkin- ▁representative- ▁screenshot- ▁Lush- ▁stew- ▁tropical- ▁Xiaomi- ▁cursing- ▁jamming- ▁mysterious- ▁patty- ▁slam- ▁acid- ▁coupon- ▁Karen- ▁daring- ▁permit- ▁voluntary- ▁Cherry- ▁philo- ▁armour- ▁Wicked- ▁bugis- ▁narrative- ▁foster- ▁aircraft- ▁grain- ▁admitted- ▁interpretation- ▁sceneries- ▁Jean- ▁Etude- ▁Hawaiian- ▁flick- ▁progressive- ▁arrangement- ▁indirectly- ▁lorry- ▁dispenser- ▁confession- ▁torturing- ▁wander- ▁Obama- ▁Ramly- ▁explicitly- ▁advancement- ▁Nathan- ▁workforce- ▁Lola- ▁adoption- Yan- ▁weightage- ▁warmth- ▁brag- ▁fuss- ▁Jayden- ▁White- ▁alcoholic- ▁achieving- Day- ▁laze- ▁Padang- ▁tarik- ▁specialist- ▁lightning- ▁flame- Hua- ▁sotong- ▁sixties- ▁presentable- ▁implemented- ▁Heng- ▁punished- ▁relaxation- Simpson- ▁Pris- ▁Nick- ▁hopeless- ▁cleanse- ▁freezer- ▁cop- ▁Chuan- ▁Your- ▁downside- ▁hoc- ▁vomited- front- ▁fling- Jin- ▁businessman- ▁lord- ▁preach- ▁missus- ▁wishes- ound- ▁struggled- ▁postpon- abi- ▁divorced- ▁superman- ▁sling- ▁crashed- ▁coolest- ▁funding- ▁switched- ▁draining- ▁artsy- Highland- ▁donkey- ▁former- ▁tense- ▁blown- ▁Fen- ▁fourty- ▁server- ▁cur- ▁suited- ▁tuk- ▁poorer- ▁Kate- ▁pur- ▁interacting- ▁gossiping- ▁copying- ▁survived- ▁Ann- ▁swearing- ▁screening- ▁verbal- ▁congratulations- ▁regulations- ▁sleeves- ▁blocked- ▁milky- uhso- ▁supported- ath- ▁shifting- ▁weapons- ▁cooker- mun- ▁earned- ▁tracking- ▁hanger- ▁competitors- ▁laptops- ▁Mc- ▁carbon- ▁brownies- ▁tak- ile- ▁shred- ▁baller- ▁neh- ▁trending- ▁crane- ▁solutions- ▁surroundings- ▁snakes- ▁hatch- lon- ▁listed- truck- ▁freely- ▁clash- ▁Ling- ▁phrases- ▁organs- ▁keys- ▁newly- ▁Times- ▁Malaysians- ▁shook- ▁instances- ▁participants- ties- ▁bing- ▁drawn- ▁laz- ▁perm- ▁individuals- ▁brat- ▁cal- ▁captains- ▁stressing- kar- ▁barb- ▁Lan- ▁grams- An- ▁mushrooms- ock- fish- ▁ce- ob- jo- ▁corners- ky- ▁fights- ▁rela- ell- ister- ▁Exo- ▁squats- ▁med- ▁Des- ▁complaint- rus- ▁pal- fault- izing- ▁shapes- ▁functional- tered- ▁emoji- ▁kilo- ▁vlog- ▁pudding- ▁liar- ▁highlighter- ▁prelim- ▁glitter- shit- ▁stink- ▁Map- ▁Hi- ugh- ▁ea- urf- ▁An- ▁dia- ▁deed- over- read- Legends- ▁upright- isation- vin- ▁textbooks- za- ▁cul- ▁pens- ▁lunche- ox- ▁occasions- ▁promises- Sing- ▁yum- ishan- Fu- ▁tires- ▁ov- uhbut- work- Co- ▁rum- ▁sto- sum- ▁El- ▁beak- ▁insta- back- hur- ▁excuses- ▁medic- ▁tram- ▁kindly- ▁burp- ▁flood- school- ▁analyze- ▁Yue- ▁restrict- ▁rewatch- ▁invade- Serai- padang- Bond- Express- Hsien- ▁verse- bean- Star- Canning- Yong- Kun- ▁bloom- Nine- Shop- Cola- ▁dispos- Yang- Chang- ▁Walk- ▁urge- ▁quirk- ▁Sports- ▁Buona- ▁Wolf- ▁Buangkok- ▁Dorcas- ▁Dutch- ▁Encik- ▁Eugene- ▁Farrer- ▁Fedex- ▁Gallery- ▁Giselle- ▁Gossip- ▁Israel- ▁Liechtenstein- ▁Malcolm- ▁Mustafa- ▁Northshore- ▁Phyllis- ▁Pokka- ▁Predator- ▁Pringles- ▁Sarawak- ▁Sepak- ▁Tioman- ▁Turkish- ▁Ustad- ▁absence- ▁appraisal- ▁asterisk- ▁beachcombing- ▁bluetooth- ▁calculative- ▁choosy- ▁civic- ▁claypot- ▁clutch- ▁crucial- ▁darling- ▁declare- ▁fairytale- ▁footstep- ▁fracture- ▁futsal- ▁haywire- ▁hypebeast- ▁inconsiderate- ▁invalid- ▁jewellery- ▁karma- ▁karung- ▁lanyard- ▁mayonnaise- ▁paranoid- ▁phantom- ▁placing- ▁poetry- ▁pokemon- ▁positivity- ▁replies- ▁reshuffle- ▁rooster- ▁satellite- ▁treadmill- ▁tuxedo- ▁undergrad- ▁universities- ▁unsafe- ▁yoghurt- ▁BoJack- ▁Brandon- ▁Queenstown- ▁abstract- ▁mould- ▁parrot- ▁wagyu- ▁Pontianak- ▁Stitch- ▁ZoukOut- ▁hustle- ▁vacant- ▁valley- ▁conversing- ▁crop- ▁dentist- ▁discrimination- ▁residential- ▁sperm- ▁whiny- ▁Redhill- ▁barrel- ▁distilled- ▁koala- ▁soothing- ▁recreate- ▁sauna- ▁innovation- ▁chincai- ▁citizenship- ▁keychain- ▁Melissa- ▁bubbly- ▁indicator- ▁reckless- ▁translator- ▁Nightcrawler- ▁Rudy- ▁polyclinic- ▁Christine- ▁Kenya- ▁etcetera- ▁sensible- ▁Meetings- ▁platoon- ▁Richard- ▁Chiang- ▁purse- ▁abang- ▁ledge- ▁intensity- Horror- ▁vulgarity- ▁Ramen- ▁Keaton- ▁Josh- ▁Friza- ▁blusher- ▁Joanne- ▁pantry- ▁fulfillment- ▁capitalism- ▁Saudi- ▁Sabah- ▁bloated- ▁interactive- ▁buried- ▁incredible- ▁reborn- ▁madam- ▁Martin- ▁repay- ▁Ninja- ▁accountant- ▁jalan- ▁nationality- ▁retro- ▁Body- ▁archery- ▁thrice- ▁ballroom- ▁conjur- ▁Gina- ▁Yusof- ▁biz- ▁recited- ▁maple- ▁misery- ▁traveller- ▁barbie- ▁Lynn- ▁trace- ▁sprint- ▁Way- ▁junk- ▁Angmoh- ▁Place- ▁Anne- ▁waterfront- ▁stating- ▁entertainer- ▁evolved- ▁fortunately- ▁assigned- ▁acad- ▁arrogantly- ▁latch- ▁benches- ▁commando- Chai- ▁cringey- ▁lining- ▁emphasise- ▁Love- ▁drifted- ▁Yio- ▁greenery- ▁tempered- ▁commander- ▁primer- ▁growling- ▁adrenaline- ▁decently- ▁eel- ▁Hor- ▁feeder- ▁padi- ▁tenant- ▁recorder- ▁irony- ▁freaky- ▁wired- ▁shortest- ▁healing- ▁chope- ▁united- ▁Skin- ▁reaches- ▁loading- ▁provider- ▁Mian- ▁conditioned- ▁negatively- ▁Qua- ▁approached- ▁structured- Sat- ▁coughing- ▁Kway- ▁onboard- ▁Jin- ▁bento- ▁pilates- ▁utensils- ▁Ron- ▁States- ▁otah- Hop- ▁spoiler- kueh- ▁edges- ▁protecting- ▁Jim- ▁aw- atic- ▁pressured- ▁Juliet- ▁fave- ▁Mathematics- ▁Netherlands- ▁deer- ▁marbles- ▁farting- ▁photoshop- ▁Ven- ric- ▁interning- ▁boobs- kin- ▁willingly- ▁richest- ▁Farm- ▁duplicate- ▁shortly- ▁mayo- ▁operations- West- ny- ▁settl- ▁kim- ▁Nat- ▁researching- ▁mag- shop- ▁deco- ▁tutors- ▁holder- ▁offering- ▁yawn- ▁Zac- ▁tock- ▁Ren- Lanka- ▁opener- ▁headed- thing- ified- ▁Straits- ▁beating- ▁wahseh- bay- ▁upsize- ass- ▁genetics- ▁Incredibles- ▁images- ▁Time- ▁arch- ▁viewing- wor- ▁Pes- ▁moths- Ling- seng- ▁crackers- ology- gan- ▁leak- ld- ▁offers- ▁headlights- ▁anot- Yu- ▁sno- ▁ping- gen- ▁guts- Wat- ▁teenagers- ▁Cove- ▁sch- Bo- ▁temples- ▁accents- ▁affairs- ▁characteristics- nam- ▁ku- ▁Te- ▁Joo- ▁samples- ▁Fan- ▁Pop- ▁girly- ▁patients- yi- ▁Ming- ▁equipments- eng- bar- log- ▁tit- ▁ops- ▁stu- ▁socialise- ▁influences- ▁straws- ▁ge- econs- ▁ham- ▁indi- ▁hum- uck- ▁pirate- ▁meatball- Chef- ▁prospect- ▁sunflower- ▁cosmetic- ▁intimate- ▁Euro- ▁sitcom- ▁vocal- ▁dynamic- hand- ▁obstacle- ▁cracker- ▁figurine- ▁consequence- night- ▁organ- iz- ▁Ai- ▁prop- ▁stacks- ▁bob- Mai- ▁veggies- ▁ghosts- nna- ▁Mont- uhokay- ▁sheets- ▁tutorials- ani- ipping- ▁ja- Gi- bed- ▁Cola- ▁hacks- ▁sta- ▁traditions- pao- Xi- bing- ▁workshops- ▁customs- ▁erasers- ▁cri- ▁betray- ▁detox- ▁skateboard- ▁sniff- ▁Ye- ▁canoe- ▁buffer- ▁confine- born- ▁censor- Albom- cheong- ▁nurture- Place- ▁fidget- Beach- Burger- Service- hundred- Blangah- Neo- Town- ▁hypothetical- ▁technological- ▁continuous- ▁awful- ▁selective- tete- ▁Coop- ▁gentleman- Cheng- ▁portrays- ▁manifest- ▁fav- ▁offend- ▁inferior- ▁regime- ▁quota- ▁compassion- ▁architect- ▁prac- ▁Asean- ▁horizon- ▁persevere- ▁pivot- '0'- Civic- Rebus- ▁Amoy- ▁Brussels- ▁Canadian- ▁Converse- ▁Decathlon- ▁Deloitte- ▁Engineering- ▁Kindergarten- ▁Mongolia- ▁Norman- ▁Sophie- ▁SpongeBob- ▁Taichung- ▁Tumblr- ▁accessibility- ▁algebra- ▁bonnet- ▁buggy- ▁cheerleading- ▁critique- ▁deejay- ▁disguise- ▁faculty- ▁flexibility- ▁frustrating- ▁gimmick- ▁giraffe- ▁glimpse- ▁handicap- ▁housekeeping- ▁idiom- ▁injuries- ▁intangible- ▁intolerant- ▁intriguing- ▁jelak- ▁jovial- ▁kranji- ▁liquor- ▁lontong- ▁mediocre- ▁morbid- ▁offensive- ▁operator- ▁orchestra- ▁parachute- ▁rapport- ▁sengkang- ▁soggy- ▁striking- ▁supervise- ▁thunder- ▁tolerant- ▁ungrateful- ▁unhappiness- ▁upwards- ▁vibration- ▁worldwide- ▁Pikachu- ▁abort- ▁cheque- ▁compensation- ▁impart- ▁inbound- ▁invincible- ▁jagged- ▁rigid- ▁Maroon- ▁encik- ▁fascinating- ▁Biology- ▁attain- ▁crude- ▁edible- ▁jazz- ▁moderation- ▁trek- ▁Hawker- ▁isolated- ▁mechanism- ▁rotten- ▁Ethan- ▁blister- ▁expedition- ▁fondue- ▁humility- ▁motivating- ▁personnel- ▁Sivaya- ▁Omar- ▁accuse- ▁blazer- ▁database- ▁revive- ▁sew- ▁shaggy- ▁admirable- ▁chaotic- ▁fulfilment- ▁rust- ▁mumbling- ▁oats- ▁stomachache- ▁trivial- ▁Aljunied- ▁Nemo- ▁Sunway- ▁buzz- ▁confinement- ▁flea- ▁Canon- ▁borderline- ▁Maple- ▁swimmer- ▁Liho- ▁sideways- ▁echo- ▁Flame- ▁Lucky- ▁legendary- ▁Nakhon- ▁Pentagon- ▁observing- ▁Chanel- ▁swimwear- ▁Sein- ▁innate- ▁copper- ▁mount- ▁stout- ▁Sophia- ▁inherently- ▁respective- formed- ▁baseball- ▁Creed- ▁scatter- ▁charred- Thai- ▁properties- ▁casing- ▁arthritis- ▁glory- ▁artwork- ▁detector- ▁guideline- ▁Oppo- ▁consuming- ▁trance- ▁Hannah- ▁gaze- ▁Mirror- ▁weaknesses- ▁prolong- ▁biryani- ▁workaholic- ▁werewolf- ▁sunlight- ▁hunger- ▁bury- ▁stranded- ▁Shepherd- ▁manufacturer- ▁Perry- ▁kart- ▁thrifty- ▁Siglap- ▁tomatoes- ▁intentional- ▁Astro- ▁modelling- ▁flipped- ▁Dragon- ▁puncture- ▁yelling- ▁starch- ▁Muse- ▁whiteboard- ▁Kevin- ▁resell- ▁barber- ▁southern- ▁taxes- ▁saga- ▁stretches- ▁kith- ▁booster- ▁roaming- Jie- Zi- ▁hou- ▁pek- ▁logically- ▁formulas- ▁Meng- ▁priceless- ▁nev- ▁sincerely- ▁slimy- ▁Mei- ▁Jade- ▁chemo- ▁Chen- ▁brighter- ▁rationale- ▁transform- ▁slippery- ▁genie- Flyer- ▁loaded- ▁smartest- ▁sunk- ▁initiated- ▁charming- ▁largely- ▁striker- ▁twisted- ▁sumo- ▁Lebar- ▁concentrated- ▁sweetness- ▁participated- ▁unzip- ilda- ▁voted- ▁teow- ▁toasted- ▁delivered- ▁lessen- max- ▁interviewer- ▁Choon- ▁mai- ▁steamed- Five- ▁demanding- ja- ▁pickup- ▁vomiting- ▁recreational- hell- crabble- ▁discounted- ▁widely- ▁Chem- Kim- ▁gifted- ▁tutoring- ▁moody- ▁peck- ▁kueh- for- ▁paced- ▁Vibes- ▁freebies- ▁slacking- ▁fuse- ▁strangest- ▁chased- ory- ▁tally- ▁Jon- ▁pes- Teh- ▁adopting- ▁similarly- ▁challenged- ▁grant- ▁sweeter- ▁trim- ▁pouring- ▁kissing- ▁Shah- ▁quarreling- ▁thesis- ▁melon- ▁rider- ▁commenting- ▁marked- ▁trendy- anese- ▁slime- ▁designed- ▁Airlines- ▁Max- ▁cared- ▁updates- ▁bites- ▁reminding- ▁undo- ▁professors- ▁expen- ▁formation- ▁Ko- ▁rumors- ▁litre- ▁yu- esh- ▁superb- hal- tter- ▁orca- ▁loo- ▁weirdly- ▁chap- ▁fu- ▁tile- ▁Aisha- ftee- ▁starve- ▁linguistics- itty- Besar- ▁complained- ▁fishy- ▁handphones- ▁sites- ▁clips- ▁Shak- siam- ▁Popeyes- ▁attracts- pok- ▁lungs- unch- ▁indulge- Vinci- ▁earns- tary- ▁rem- ▁Shin- ▁soba- lyn- gie- ▁memori- ▁settings- ▁acquaintances- zi- ▁Hat- ▁Les- ▁restrictions- ▁stimulate- eth- ▁rev- ▁writers- ▁bot- ▁cr- ▁Nas- aving- ▁angels- ▁waiter- ▁ambitions- ▁hash- ▁cer- ▁payments- ▁div- fro- ▁Un- ▁Sat- ▁lobsters- buy- ▁Laos- ▁bundles- ▁qualifications- ▁employees- ▁amen- ▁decor- ▁contains- ▁Macs- ▁costumes- ▁fla- ▁strips- ▁Goh- ▁mal- ▁specialize- ▁supplements- ▁achievements- ▁Happ- ▁Mas- ▁Tri- ▁til- ith- ppl- ▁conflicts- ▁Car- ▁Shan- ▁certifi- ▁borders- ▁sacks- ▁cucumber- ▁rifle- ▁Ame- ▁photograph- ▁cube- ▁accelerat- ▁soldier- ▁chopstick- ▁interval- ▁moth- ▁physic- ▁pane- ▁bas- ▁competitions- ▁ph- ▁lung- ▁gene- ▁limb- ▁maids- ▁tours- ▁cinemas- ▁rip- ▁Wednesdays- ▁Hu- ▁influenc- ▁sk- ▁oth- ▁shu- zan- The- ▁remains- sided- ▁spil- ▁Di- ▁overlap- aw- ▁marina- ▁Cat- ▁liter- ▁Fri- ▁planks- ▁dine- ▁ala- ▁opera- Kut- ▁failures- ▁scor- Oh- ▁Zoey- ▁chai- ▁establish- ▁presentations- ▁broadcast- ▁gardens- ▁Mi- sale- ▁Tam- ▁contra- ▁condense- ▁blindfold- ▁construct- Lumpur- Bird- Opera- Minister- Safari- Tower- Market- Young- economics- Cafe- white- ▁Bangladesh- ▁incline- Khalifa- ▁lee- ▁charit- ▁builds- eteor- ▁suburb- ▁navigat- ▁exhibit- ▁jewel- ▁lang- ▁knit- ▁mortal- ▁charisma- ▁orphan- ▁humanitarian- ▁Jeff- ▁kidnap- ▁Class- ▁chalk- ▁Alexander- ▁Champion- ▁Isaac- ▁Jeffrey- ▁Swiss- ▁spiral- Rudolph- Siong- uhbecause- ▁Abby- ▁Adelaide- ▁Allied- ▁Amirul- ▁Dancing- ▁Doraemon- ▁Elaine- ▁Gundam- ▁Herschel- ▁Kenneth- ▁Kopi- ▁Louvre- ▁Neutrogena- ▁Saizeriya- ▁Sapporo- ▁SingPost- ▁SkillsFuture- ▁abrasion- ▁acoustic- ▁admission- ▁algae- ▁amateur- ▁antibiotic- ▁appetite- ▁bitcoin- ▁bruise- ▁chickpea- ▁clerk- ▁collaborate- ▁complement- ▁conform- ▁democracy- ▁descriptive- ▁despair- ▁diarrhea- ▁dignity- ▁exploit- ▁foremost- ▁frustration- ▁gallery- ▁grandkid- ▁handicapped- ▁improvise- ▁industries- ▁inefficient- ▁insomnia- ▁intestine- ▁jasmine- ▁keyword- ▁librarian- ▁loaf- ▁loophole- ▁lucrative- ▁manicure- ▁mascara- ▁mascot- ▁maternity- ▁mushy- ▁nostalgia- ▁offense- ▁outspoken- ▁paramedic- ▁partition- ▁paternal- ▁piggy- ▁pitiful- ▁pleasing- ▁prestigious- ▁primarily- ▁psychopath- ▁quinoa- ▁reducing- ▁registration- ▁reluctant- ▁sembawang- ▁spacious- ▁spectacular- ▁squarish- ▁strapped- ▁suitcase- ▁takoyaki- ▁tandoori- ▁trophy- ▁tsunami- ▁tumour- ▁ultra- ▁unnecessarily- ▁unwind- ▁Chendol- ▁Feb- ▁Lukaku- ▁Wisma- ▁WolfTeam- ▁dengue- ▁determination- ▁evolution- ▁geez- ▁observation- ▁raft- ▁aisle- ▁guiding- ▁inverted- ▁radiation- ambeng- ▁Coach- ▁Evelyn- ▁Greenland- ▁Monaco- ▁demographic- ▁masala- ▁quack- ▁Grail- ▁compatible- ▁Alfa- ▁compassionate- ▁dimsum- ▁fragrance- ▁gravity- ▁skipped- ▁Penguin- ▁appreciative- ▁dominant- ▁segregate- ▁Mattar- ▁splurging- ▁taiwan- ▁versa- ▁Sambal- ▁poisonous- ▁sociology- ▁dangling- ▁gentlemen- ▁Shakira- ▁Shilin- ▁firefighter- ▁Sherry- ▁communism- ▁Titanic- ▁goalkeeper- ▁ripped- ▁uneven- ▁napping- ▁dedication- urai- ▁comparable- ▁VivoCity- ▁remake- ▁savage- ▁cashback- ▁cozy- ▁gradually- ▁Chicago- ▁haiya- ▁Danish- ▁Liam- ▁victory- ▁multiplier- ▁zai- ▁Zhou- ▁Northpoint- ▁goldfish- ▁plateau- ▁addiction- Qian- ▁Zack- ▁tweet- ▁procreate- ▁villagers- ▁haji- ▁hoarder- ▁Polo- ▁Troy- ▁laonua- ▁pique- ▁severe- Bao- ▁overwhelmed- ▁Youth- ▁crust- ▁takraw- ▁blueberry- ▁fillet- ▁blackshot- ▁hover- ▁Terry- ▁fearful- ▁Cruise- ▁monopoly- ▁lenses- ▁mosquitoes- ▁knob- ▁Lauren- ▁Dory- ▁login- ▁Green- ▁diagonally- ▁adaptable- ▁Impossible- ▁Palace- ▁edu- ▁bodybuilding- ▁enlisted- ▁hopeful- ▁losses- ▁handball- ▁Minister- ▁endure- ▁tyres- ▁romantically- Pang- ▁briefly- ▁contrast- ▁solely- ▁labor- ▁trainee- ▁vaguely- ▁scribble- ▁Centre- ▁Tuk- ▁facebook- ▁meaningless- ▁Santa- ▁Zhi- ▁Balik- ▁psycho- ▁Liu- ▁neglected- ▁behalf- ▁hood- ▁driverless- ▁Jap- ▁dean- ▁unlikely- ▁wage- ▁approved- ▁ayam- ▁specialised- ▁pong- ▁accountancy- ▁Mong- ▁arrived- ▁featured- ▁crosses- ▁Pang- ▁cling- ▁eleventh- ▁comeback- ▁puked- ▁Pandan- ▁comma- ▁kao- ▁coldest- ▁Gates- ▁ashame- ▁Dai- ▁wand- ▁Maki- ▁infinity- ▁folder- ball- ▁conducting- ▁Job- ▁num- ▁raped- ▁jobless- ▁choreo- ▁disturbed- ▁sinking- ▁furious- ▁trashy- ▁quietly- ▁attacked- ▁stumble- ▁diam- ▁dryer- ▁presented- ▁seemed- Kosh- ▁leech- ▁grounded- ▁Daru- ▁incidents- ▁filmed- ▁Payoh- ▁lego- ▁mayb- ▁mil- ▁planting- ars- ▁planes- ▁rom- ler- ▁insult- ▁rated- ▁arise- ▁soupy- ▁noble- stop- ▁suite- ▁souffle- ▁baker- az- ▁Googled- ▁Nets- ▁Yum- ▁toggle- Theory- ▁heated- ▁boo- ▁Hut- ▁rounder- ▁rode- ▁onions- ▁jap- ▁interviewing- ▁constraints- Gate- ▁oldies- ▁mor- ▁advantages- ▁pots- ▁Sin- ▁discounts- ▁Vin- ▁Los- ▁Stan- ▁scripts- ▁likewise- ▁nam- ervin- ▁ble- hy- ▁openly- ▁beers- ▁hua- ▁dynamics- Qi- ▁bicycles- eries- ▁Ni- ▁hills- ▁Hot- ▁Ra- era- ▁beret- ▁Ga- ▁Mars- ▁Hal- Scooter- ▁airlines- ▁consumers- ▁widen- ▁advertisements- ▁cables- Pagar- shi- act- ▁coloni- ▁kakis- ▁informal- ▁exco- ney- ▁grabb- ▁Mari- ▁Games- ▁examinations- ▁tights- ▁tigers- ▁Phi- ▁gaps- Ping- ▁coordinate- ▁compositions- ▁crocodiles- ▁fins- ▁sca- ▁roots- lee- 'off'- eat- ▁cheeks- ▁Se- ▁exceptional- ▁Sims- reme- ▁pil- ▁professionals- ▁graduates- ▁indoors- ▁analys- ▁aft- ▁instill- pay- zing- ▁peanuts- ▁explains- ▁flavors- ▁critic- ▁insight- ▁owned- Mi- shirts- che- ▁wipes- ek- ▁Met- ▁stuffy- ▁fer- ▁hardships- ▁thrill- ▁politician- ▁Studio- ▁Popeye- ▁sailor- ada- ▁calorie- ▁scissor- ▁Clement- hill- ction- ▁diamonds- ▁bae- zone- ▁Mon- ▁sac- ▁pita- San- ▁Saturdays- wn- xi- Ki- ▁Par- ▁scoops- going- terior- ▁stuffed- uring- agon- erie- ▁signals- mor- xin- ▁Sem- ▁actua- ▁Ap- Merah- ▁mega- Korea- ▁tar- ▁distract- ▁contour- ▁simpl- ▁manipulat- ▁celebrat- ▁Chua- You- ▁arrest- ▁Zoe- flower- Cheong- Lagoon- Utama- Crab- Willows- Dragon- White- Light- Central- Club- ▁guilt- ▁batter- Hub- ▁rapid- ▁consecutive- ▁precise- Sushi- ▁fluent- ▁raisin- puteh- ▁inject- ▁drastic- ▁worship- migrating- ▁punctual- ▁empathi- ▁Fifty- ▁Fantastic- Kinabalu- fieri- thyroid- ▁Alpha- ▁Aurora- ▁Cathay- ▁Christopher- ▁Cineleisure- ▁Dunman- ▁Expo- ▁Heaven- ▁Hitler- ▁Kumon- ▁Kylie- ▁Kyoto- ▁Lavender- ▁Learn- ▁Major- ▁Maybelline- ▁Mentaiko- ▁Micheal- ▁Mitsuba- ▁Nescafe- ▁Orchestra- ▁Oscar- ▁Pablo- ▁Pepsi- ▁Punita- ▁Radiant- ▁Ramadan- ▁Smule- ▁Snape- ▁Snorlax- ▁Sperry- ▁Swedish- ▁Wolverine- ▁Wreck- ▁administrative- ▁autobiography- ▁bicep- ▁brinjal- ▁brulee- ▁calculating- ▁calculator- ▁chimpanzee- ▁cloudburst- ▁communal- ▁correlation- ▁cricket- ▁crypto- ▁daydream- ▁dilemma- ▁disclose- ▁dizzy- ▁enlighten- ▁epitaph- ▁excursion- ▁extinct- ▁facilitator- ▁fragrant- ▁gastric- ▁geog- ▁guppies- ▁handbrake- ▁hurricane- ▁hygienic- ▁imaginary- ▁imagining- ▁immunity- ▁inappropriate- ▁jigsaw- ▁kingdom- ▁knives- ▁migration- ▁mobility- ▁moustache- ▁obnoxious- ▁offshore- ▁offspring- ▁organising- ▁paradise- ▁pedestrian- ▁platonic- ▁practising- ▁rebond- ▁safari- ▁salaries- ▁shepherd- ▁shuffling- ▁somersault- ▁stereotyping- ▁subordinate- ▁subsidies- ▁subsidy- ▁superstition- ▁swollen- ▁tamarind- ▁telepathy- ▁tentacle- ▁testament- ▁thrash- ▁tricep- ▁trophies- ▁trustworthy- ▁vibrate- ▁vicinity- ▁violence- ▁volley- ▁zinc- Hartono- ▁Aisyah- ▁Beyonce- ▁Mazda- ▁Mongkok- ▁People- ▁Yoshi- ▁android- ▁bliss- ▁bracelet- ▁cabbie- ▁output- ▁sassy- ▁sensation- ▁signify- ▁terrifying- ▁translucent- ▁Arjun- ▁Discovery- ▁Faizal- ▁Fiona- ▁Hafiz- ▁Indie- ▁Volde- ▁bangkok- ▁circus- ▁doggy- ▁esophagus- ▁hockey- ▁overheat- ▁participation- ▁sliding- ▁ColourPop- ▁Denmark- ▁Oxley- ▁botox- ▁bunnies- ▁crappy- ▁interface- ▁Joker- ▁aroma- ▁downtown- ▁empathize- ▁exaggerating- ▁orchid- ▁pixel- ▁tasting- ▁thosai- ▁trapped- ▁whiskey- Khan- ▁Reyes- ▁corporation- ▁Madam- ▁eager- ▁mercury- Bieber- ▁potluck- ▁Agent- ▁Note- ▁newbie- ▁substance- ▁Gongcha- ▁Ariel- ▁International- ▁Polytechnic- ▁Vijay- ▁Yuji- ▁productivity- ▁subset- ▁Life- ▁bartender- ▁deem- ▁pardon- ▁Ezra- ▁mhm- ▁grammatical- ▁educator- ▁arrival- ▁judgmental- ▁scarier- ▁telemarketer- ▁Face- ▁humorous- ▁stale- ▁Haj- ▁baba- ▁Llao- ▁bakso- ▁clementi- ▁overturn- ▁referee- ▁Chucky- ▁haze- ▁roundabout- ▁sinus- ▁buoy- ▁evaluate- ▁immortal- Mile- ▁visualise- ▁voting- ▁divert- ▁shatter- ▁salon- ▁probation- ▁agitated- ▁cashew- ▁expelled- ▁realistically- ▁jetty- ▁lifespan- ▁trafficking- jio- ▁Jem- ▁competent- ▁Joanna- ▁goggles- ▁Canyon- ▁pouch- ▁roar- ▁Shafiq- ▁Andrea- ▁braised- ▁whoops- ▁minority- ▁Kaka- ▁wound- ▁Christianity- ▁softball- paid- chap- ▁Chew- ▁jaw- ▁bulb- ▁fringe- ▁minimize- ▁bait- ▁Jude- ▁Nerf- ▁Brun- ▁luge- ▁Boat- ▁Aldo- ▁gland- ▁Chomp- ▁sabo- ▁panicking- ▁Angsana- ▁dispute- ▁technologically- ▁twe- ▁Storage- ▁sharpen- ▁warranty- ▁skies- ▁Train- ▁barley- ▁Thrones- ▁editor- ▁paul- ▁Dick- ▁embarassing- ▁enriching- ▁pestering- ▁Willows- ▁Secret- ▁bland- ▁Princess- ▁bobo- ▁windsurfing- ele- ▁browse- ▁waitress- ▁cray- ▁actresses- ▁Sky- Bang- ▁Chef- ▁Fingers- ▁Gary- ▁scratches- ▁bingo- ▁crunchy- ▁Smith- ayam- ▁vertically- ▁sai- ▁Athen- ▁shining- ▁intent- ▁bitchy- ▁Uno- ▁gist- ▁faded- ▁optional- ▁rooted- Cove- rrow- ▁adventures- ▁churches- ▁movements- hristian- ▁bagel- otton- ▁deepest- Sheeran- ▁blackout- ▁nerdy- ▁Chai- ▁Tian- ▁specialty- ▁predicted- Fun- ▁emceeing- ▁yacht- ▁Er- ▁somemore- ▁Nai- ▁fitting- ▁Sir- ▁skid- ▁onsen- Armour- Jian- ious- ▁forgetting- ▁Transformers- ▁mannered- ▁appealing- ▁sparkle- ▁wiper- ▁rear- ▁raging- ▁lin- ▁gathered- ▁flawed- ▁hooked- ▁Tham- ▁hesitate- ▁purchased- olio- ▁conflicting- Ji- ▁strangely- ▁backpacking- ▁skiing- ▁bodoh- ▁Pan- ▁goodnight- ▁wink- ▁Tamp- ▁tame- ▁compartment- ▁crumble- ▁pager- ▁explorer- ▁lookout- win- ▁spirited- ▁phonics- ▁tykes- ▁upgraded- ▁Call- sua- ▁fright- ▁discussed- ▁feminist- Panda- ▁blueish- heck- rmit- ▁processed- ▁untangle- ▁inconvenience- ▁spreading- ▁grudges- ▁burned- ▁retirees- ▁cycled- ▁shuffled- ▁peed- ▁titled- ▁geographical- ▁Get- ▁daytime- ▁reporting- ▁shophouses- ▁meaty- ▁escaped- atch- ▁butler- Le- ▁Bea- ▁Bon- ese- ▁justice- ▁lifts- ▁washed- ▁chilled- ▁trusted- ▁motherly- ▁pains- ink- ▁provides- ill- ▁fated- ▁topping- ▁replying- ▁instructors- uk- ▁idiots- Boys- ▁beverages- ered- ▁weirdo- ▁Eli- person- ▁cliques- ▁contacting- ▁Ri- Wars- ▁gays- ▁ques- wear- ▁drops- ▁residents- ▁chomp- roll- Peach- ▁outsider- lisa- ▁Ros- ▁Maris- ▁backgrounds- ▁Pi- ▁chopsticks- ▁intervals- ▁photographs- ▁peek- ▁panes- ▁spaces- ▁saturat- ▁trusting- ▁ew- pong- ▁triggers- ▁sober- ▁vocals- ▁acc- ▁conclude- lick- ▁poles- ▁liars- ▁highlighters- ▁Pu- ▁endless- ▁cocktails- ▁occurr- how- ▁mover- ▁criticis- ▁lawyers- ▁clams- ▁Mal- rk- ▁gory- ▁practices- ▁passengers- ▁ec- ▁farms- kai- set- ▁negotiables- ▁curtains- ▁decorations- ▁chaos- ▁shifts- ▁flooring- ▁employers- ▁boats- ▁flipp- ▁buyers- ▁defines- ▁drawings- ▁mirrors- appy- books- ▁gra- ▁guards- ▁Link- ▁warriors- ▁judges- ▁creates- ▁ser- ▁fishballs- ▁gir- nan- ▁bre- ▁deadlines- ▁clues- ▁inculcate- ▁hon- ▁Den- anti- ▁criminals- Teng- ▁lanes- ▁rant- ▁gin- ▁users- ▁farmers- Lua- ▁tasks- ▁supermarkets- ▁cabinets- ▁techniques- ▁cor- ingly- ▁smokes- ▁Swensens- ix- ▁Mua- ▁grip- ▁norms- ▁hydra- ▁bou- ically- ▁mist- ▁systematic- ▁disasters- dding- ▁surprises- ▁sho- ▁superpowers- wal- ▁Eight- ▁cho- ▁decks- ▁diseases- ▁outright- ▁procedures- ▁Che- ▁managers- ▁rug- ▁Koreans- cou- ▁sculpture- ▁nerve- ▁Aston- ▁honor- ▁dumpling- ▁resident- War- ▁Incredible- ▁genetic- ▁teammate- ▁firework- ▁backward- ▁onward- ▁reminder- ▁Starbuck- ▁Roa- ▁strategi- ▁errors- ▁producers- ▁chicks- ▁audi- iff- eddy- ▁bestie- ▁workouts- ▁dorm- ▁follower- ▁ticks- ▁notification- wer- ▁fabric- Huan- lance- ham- board- ▁astro- cake- ▁sap- dication- rich- ▁Cheese- Story- soto- ▁Philip- ▁firms- wee- ▁pai- ▁duet- ▁hyp- Kart- ▁boulder- ▁Bra- print- ▁ignor- ▁exfoliat- ▁activate- ▁enhance- ▁spots- ▁customise- Chen- ▁deform- ▁derive- ▁Xia- ▁paralys- Everest- Vista- ▁speci- Talent- Impossible- Palace- ▁Pek- Trump- Studies- River- Force- Pasir- ▁thrift- ▁Jerem- ▁Farhan- ▁assembl- ▁fiance- wash- Jerry- ▁husk- eww- Born- Lane- ▁explicit- Teck- makase- onopoly- Sheng- erminal- ouble- Peng- ▁Steph- ▁damp- ▁oblig- ▁Thom- ▁rival- ▁Brazil- ▁inherit- ▁compress- ▁symbio- aneous- ▁Felicia- ▁Ajisen- ▁Phillip- ▁Upper- ▁dismantl- ▁occupy- ▁singular- Educators- ▁Adeline- ▁Andak- ▁Bizhub- ▁Brisbane- ▁Burmese- ▁Cisco- ▁Deadpool- ▁Deliveroo- ▁Edinburgh- ▁Giordano- ▁GrabHitch- ▁Hamilton- ▁Horlicks- ▁Hyuna- ▁Jaguar- ▁Jewish- ▁Kaohsiung- ▁Kembangan- ▁Kyushu- ▁Lisbon- ▁Lynette- ▁Migros- ▁Murtabak- ▁Outram- ▁Prawn- ▁Reddit- ▁Ritz- ▁Rosyth- ▁Timberland- ▁Vikram- ▁Yakult- ▁Yvonne- ▁afterlife- ▁ambassador- ▁appreciation- ▁aqua- ▁autograph- ▁bamboo- ▁bibimbap- ▁bolster- ▁botanic- ▁cactus- ▁carrier- ▁catapult- ▁ceramic- ▁chandelier- ▁clumsy- ▁cognitive- ▁conference- ▁continuation- ▁corporal- ▁cursive- ▁defensive- ▁delicacies- ▁delicacy- ▁detergent- ▁disastrous- ▁dissolve- ▁distribution- ▁elevator- ▁elitist- ▁endurance- ▁equator- ▁equipped- ▁excellence- ▁extravagant- ▁freestyle- ▁gerpe- ▁grumpy- ▁havoc- ▁heartbeat- ▁hybrid- ▁illusion- ▁inflatable- ▁insensitive- ▁institute- ▁interrogate- ▁intimidate- ▁liberty- ▁lodging- ▁mermaid- ▁metabolism- ▁minimise- ▁motivator- ▁muslim- ▁naval- ▁neigh- ▁nightlife- ▁obtain- ▁oxy- ▁pajamas- ▁paranormal- ▁parliament- ▁philosopher- ▁pontianak- ▁postcard- ▁protocol- ▁provision- ▁puppet- ▁puppies- ▁quadrant- ▁recyclable- ▁releasing- ▁resurrect- ▁sampling- ▁sepak- ▁skeleton- ▁snowskin- ▁spendthrift- ▁summit- ▁synopsis- ▁teriyaki- ▁ulcer- ▁underwhelming- ▁unglam- ▁untouch- ▁vicious- ▁violet- ▁wharf- ▁wrapped- ▁Clarence- ▁Eileen- ▁Football- ▁Oxford- ▁Tesla- ▁Twilight- ▁affiliation- ▁ample- ▁brunette- ▁hulk- ▁ninja- ▁oblivious- ▁skull- ▁soundtrack- ▁terrain- ▁twilight- ▁utility- ▁Regina- ▁Risotto- ▁Taxi- ▁empathetic- ▁hormone- ▁impulsive- ▁lodge- ▁pessimistic- ▁racism- ▁truant- ▁Adrian- ▁Civil- ▁fragment- ▁torchlight- ▁Daiso- ▁Maidy- ▁Midnight- ▁Spy- ▁vitamin- ▁digress- ▁robbed- ▁Celine- ▁Glasgow- ▁Java- ▁Jews- ▁entitlement- ▁ignorance- ▁taekwondo- ▁terrorism- ▁puking- ▁rabak- ▁Yole- ▁whining- ▁contestant- ▁organism- ▁pegro- ▁pedal- ▁Valak- ▁disruption- ▁shotgun- ▁tangible- ▁troubleshoot- ▁Government- ▁Hundred- ▁conscience- ▁feasible- ▁makcik- ▁thrive- ▁Howard- ▁bedridden- ▁expat- ▁soundproof- ▁swine- ▁Debra- ▁lawsuit- ▁Angeline- ▁establishment- ▁Zilong- ▁batteries- ▁candies- ▁debatable- ▁accessory- ▁distraction- ▁analytical- ▁siva- ▁Panic- ▁cruelty- ▁complication- ▁component- ▁photoshoot- ▁aura- ▁humidity- ▁treetop- ▁Faith- ▁Galaxy- ▁presume- ▁shady- ▁egoistic- ▁fellowship- ▁lighthearted- ▁Kiri- ▁suc- ▁waterproof- ▁Bangla- ▁surrender- ▁warden- ▁banter- ▁scanning- ▁bali- ▁coincidentally- ▁Totoro- ▁storeroom- ▁confidential- ▁squishy- ▁pension- ▁Danny- ▁diluted- ▁Asus- ▁stationery- ▁posh- ▁westernised- ▁Valley- ▁deprived- ▁Mandai- ▁Wanna- ▁gymming- ▁submitted- ▁secretive- ▁Shuan- ▁hangover- ▁Switch- ▁floss- ▁introducing- ▁Nancy- Mars- ▁autis- ▁Baba- ▁existent- ▁corgi- ▁Ireland- Shiong- ▁Amos- ▁Rover- ▁Suria- ▁punk- ▁spize- ▁paperwork- ▁Liao- ▁Liz- Meng- Out- ▁expressway- ▁sniper- ▁leap- ▁idiotic- ▁lingo- ▁dent- ▁clinical- ▁Sega- ▁elf- ▁Fuji- ▁Leona- ▁specialisation- ▁intentionally- ▁quitted- ▁Cody- ▁bedok- ▁chanting- ▁cyst- ▁decorating- ▁competitiveness- ▁Lok- ▁upsetting- ▁integrated- ▁transcriber- ▁gray- ▁censored- ▁munch- ▁portal- ▁vast- ▁budd- ▁sloth- ▁stopover- ▁publicity- ▁Music- ▁approachable- ▁strolling- ▁confined- ▁Jones- ▁Singap- ▁coaches- ▁allocated- ▁escalate- ▁backstage- ▁Opera- ▁Barrage- gro- ▁executed- ▁Jackson- ▁suppress- Musk- ▁labourer- ▁invented- ▁downhill- ▁replay- ▁bash- ▁ikan- ▁projection- ▁breakout- ▁accountable- ▁heavenly- ▁bumpy- ▁tortured- ▁mian- ▁merged- ▁projector- ▁raid- ▁discovery- ▁greeting- ▁crown- ▁Quay- ▁ruler- ▁legally- ▁quarterly- ody- ▁perfection- ▁router- ▁Yen- ▁combi- ▁Hell- ▁troll- ▁grooming- Mulan- ▁networking- ▁melting- ▁locker- ▁casting- ▁distinctive- Ishak- ▁encouraged- ▁printer- ▁farted- ▁wary- ▁promised- ▁sacrificed- ▁freshly- ▁Ram- ▁nutrients- ▁Ant- ▁Zai- ▁miser- ▁adjusting- ▁Pe- ▁Kar- ▁clearer- ▁homeless- ▁awfully- ota- ▁reset- ▁winded- ▁kno- ▁quant- ▁deter- ▁maintained- ▁openness- ▁steaming- ▁began- ▁rejecting- ▁faulty- ▁Arm- ▁cheater- ▁boomers- yer- ▁pisse- ▁wiser- ▁opponents- ▁performer- ▁taxing- ▁Out- ▁Sen- ▁causeway- ▁Taman- ▁delight- ▁boundar- ▁defin- Ru- seven- ▁guides- ▁procrasti- ▁directing- ▁greener- Brothers- ▁snoop- ▁ubi- ▁replac- ▁recommending- ▁lobangs- ▁touchy- ▁lightly- ▁wrinkles- ▁Ying- ▁fri- mort- ▁Mai- mary- ▁banker- ▁researchers- ▁Jolin- kuah- gate- ▁bothering- chan- ▁Timb- ▁smoked- ▁formed- ▁cheers- phy- nto- ▁Pai- ▁clogg- Studios- ▁kilometers- ▁syllables- ▁aeroplanes- ▁perfumes- ▁measures- ▁Pola- Got- ▁dragg- ▁lea- ▁beetles- source- ▁cuter- ▁handbags- ▁Timah- ▁founder- ▁partying- ▁Bras- ▁Nov- ▁donated- ▁thrills- ▁scenarios- ▁meantime- ency- ▁Lab- ▁soldiers- ▁tiers- Wala- ▁Poo- ▁cosmetics- ▁Euros- tory- ▁classy- ▁trib- ▁ming- ▁Kin- ▁Rim- ater- ▁loc- ▁lunches- ▁hotdogs- ▁rays- ▁fillers- ▁hays- ▁collapse- inda- 'On'- ching- Board- ▁shin- ▁rubb- ▁sys- ▁muffins- ique- gh- ette- ▁hais- ▁cabs- ator- ▁recon- ▁bef- ▁persuad- ▁gamers- ▁Ta- ▁Dal- ▁kn- ▁kittens- ▁guitars- lated- ▁faithful- end- ▁performances- chou- ▁Bing- ▁sponsors- ille- Del- ▁roses- que- ▁apples- ▁Lo- ▁Teen- ▁laps- ▁poems- ▁je- ▁sciences- ▁Bi- ▁aesthetics- ▁arrows- ▁streams- ▁crimes- ▁Ez- ▁Del- ▁hal- ▁advis- ▁Ting- ▁lis- ▁sw- ▁concentrat- ▁planets- ium- ▁sal- ▁bricks- ▁Maria- ▁Xu- lter- Ko- ▁controlle- ▁donations- ▁Pets- bell- ▁protecti- ▁balling- Basah- ▁Raj- ogging- este- stance- arry- pol- ▁Sh- ▁pom- dan- ▁footballers- ▁Ke- ▁ruins- ▁connects- wise- ▁lim- ▁san- ica- ▁limitation- ▁robotic- Time- ▁cyclist- ▁decade- ▁beetle- ▁rib- ▁linguistic- ▁Strait- ▁dart- ▁yuck- ▁glove- ▁archetype- ▁mathematic- ▁circumstance- ▁Court- ▁Lad- ▁cra- ck- ▁dick- Bell- ▁canal- uffle- ▁impor- ▁exp- ▁frogs- ▁belts- ▁Dog- ▁startup- ▁dep- ▁Cel- Kia- yang- lash- ▁flexi- ▁sectors- ▁Carl- eba- een- iding- sai- Tea- ▁jets- Bar- ▁gia- ▁reciproc- we- ▁depress- ▁sketch- ▁Indo- hold- ▁heartbreak- ▁march- ▁roam- ▁glow- ▁demo- phone- ▁whisk- down- ▁exaggerate- ▁customize- ▁integrate- ▁enlist- ▁scent- ▁considerations- ▁reclaim- ▁eliminate- lapis- Factor- iglap- Guan- Shui- Swift- Crush- High- puff- Plus- Secondary- Fuji- Premier- University- coaster- ▁manufacture- Bear- North- generation- briyani- ▁warrant- ▁matte- jiao- ▁Iraq- personal- ▁scoot- ▁indirect- ▁subsequent- ▁Leonard- ▁fulfil- utdoor- ommunity- ▁Carousel- Box- ▁Drag- ▁depict- ▁Fresh- ▁Hero- ▁absurd- ▁coop- ▁terror- ▁resist- quid- ▁proficien- ▁Heart- ▁Arctic- ▁Dempsey- ▁Jamie- ▁continual- ▁intellect- ▁prescripti- ▁render- ▁ulti- Anatomy- Azhar- Buffet- Dhabi- Holmes- Mirza- Ramsay- Takraw- tsuka- zealand- ▁Austria- ▁Barbecue- ▁Britney- ▁Caleb- ▁Chapteh- ▁Chihuahua- ▁Chivas- ▁Chloe- ▁Citibank- ▁Commonwealth- ▁Crescent- ▁Desmond- ▁Diwali- ▁EXO- ▁Exco- ▁FairPrice- ▁Freedom- ▁Grinch- ▁Hyundai- ▁Ibiza- ▁Illusion- ▁Jurassic- ▁Keppel- ▁Maniac- ▁Mauritius- ▁Minesweeper- ▁Mohammad- ▁Normal- ▁Olivia- ▁Photoshop- ▁Popular- ▁Queensway- ▁Ringgit- ▁Scarlet- ▁Serena- ▁Shirley- ▁Slurpee- ▁Snapchat- ▁Society- ▁Supper- ▁Tiffany- ▁Ultra- ▁Vasantham- ▁Vishnu- ▁Wales- ▁Wikipedia- ▁Zendaya- ▁abuden- ▁academy- ▁accustom- ▁affirmation- ▁altitude- ▁apocalypse- ▁apostrophe- ▁articulate- ▁assertive- ▁avatar- ▁beansprout- ▁bhutan- ▁bodyguard- ▁bollard- ▁calcium- ▁chapati- ▁colourblind- ▁comfy- ▁complacent- ▁connotation- ▁crumpled- ▁deluxe- ▁detriment- ▁duff- ▁dyslexic- ▁encyclopedia- ▁enthusiasm- ▁envision- ▁envy- ▁eternal- ▁eternity- ▁folklore- ▁foreground- ▁forgiving- ▁gecko- ▁gladiator- ▁glaring- ▁gratitude- ▁gullible- ▁handkerchief- ▁handshake- ▁hologra- ▁horrendous- ▁iKon- ▁inaccessible- ▁infection- ▁innuendo- ▁intimidating- ▁judgy- ▁loneliness- ▁macchiato- ▁mankind- ▁maternal- ▁mentaiko- ▁ministry- ▁misconception- ▁misunderstood- ▁moisturising- ▁nipple- ▁notorious- ▁nudge- ▁outskirt- ▁pavilion- ▁paycheck- ▁persistent- ▁pilgrimage- ▁pledge- ▁punggol- ▁reckon- ▁recluse- ▁reincarnation- ▁retreat- ▁risotto- ▁satisfactory- ▁scalp- ▁squeak- ▁suicidal- ▁threshold- ▁tobacco- ▁twelfth- ▁unattended- ▁unfollow- ▁verify- ▁vinyl- ▁waveform- ▁widow- ▁youself- ▁Azmi- ▁Becky- ▁Drive- ▁Javanese- ▁Khairul- ▁Monica- ▁Parkinson- ▁Pasta- ▁Skyview- ▁Wonder- ▁brutal- ▁flask- ▁glitch- ▁harvest- ▁loner- ▁psychiatrist- ▁smoky- ▁spelt- ▁superstar- ▁updating- mbian- ▁Coldplay- ▁Maxwell- ▁Sungei- ▁kampong- ▁slipped- ▁stern- ▁Belinda- ▁Casino- ▁Shenyang- ▁Urban- ▁astronaut- ▁canopy- ▁melody- ▁moisture- ▁sickening- ▁sidetrack- ▁unrealistic- ▁guacamole- ▁hereditary- ▁hougang- ▁teaspoon- kerang- ▁Sasi- ▁amenities- ▁garang- ▁platter- ▁Buddhism- ▁Jazz- ▁cino- ▁drizzle- ▁elevation- ▁implication- ▁plaza- ▁reliant- ▁carbonated- ▁Luke- ▁Taco- ▁disabilities- ▁steward- ▁twinkle- ▁Barbie- ▁shisha- ▁thumbprint- Ngah- ▁Infinity- ▁mediator- ▁Brian- ▁addictive- ▁Pawan- ▁Tarte- ▁completion- ▁barrow- ▁bobian- ▁jellyfish- ▁entice- ▁Code- ▁Mahathir- ▁adverse- ▁basil- ▁Jasper- ▁eff- ▁Bradley- ▁concede- ▁populated- ▁womb- ▁comparatively- ▁complimentary- ▁hoodie- ▁resistance- Piece- ▁chute- ▁spinach- ▁pinball- ▁astronomy- ▁rivalry- ▁employment- ▁Miya- ▁courageous- ▁clueless- Dahl- ▁journalism- ▁peacock- ▁Gardenia- ▁fartsy- ▁spear- ▁Fir- ▁liais- ▁demonstrate- ▁ironically- ▁Orto- ▁documentation- ▁lagging- ▁patronize- ▁Akshay- ▁Laura- ▁Virgin- Tuk- ▁Halong- ▁Santorini- ▁mannerism- ▁Bella- ▁styrofoam- ▁disposable- ▁deja- ▁iceberg- ▁salivate- ▁preschool- ▁cherries- ▁foie- ▁proportionate- ▁invention- ▁dental- ▁jumbled- ▁modernised- ▁glider- ▁tempting- ▁moist- ▁halfhearted- ▁sphere- ▁Business- ▁Halimah- ▁irri- ▁nuance- ▁batman- ▁punny- ▁symbolise- ▁empire- ▁deduction- ▁hardwork- ▁installation- ▁fanatic- ▁conceive- ▁layman- ▁Center- ▁stitches- ▁Dark- ▁Johnson- ▁broom- ▁codeine- ▁meteor- ▁disgusted- ▁faraway- ▁gelat- ▁maze- ▁Navy- ▁Scott- ▁Three- ▁Miller- ▁adjustment- Fong- ▁involvement- ▁jab- ▁Belle- ▁continental- ▁Fanny- ▁suspended- ▁brotherhood- ▁buttock- ▁setback- ▁harness- ▁collagen- ▁deliveries- ▁healthily- ▁hospitality- ▁Colo- ▁hypothetically- ▁branches- ▁bandung- ▁vaping- ▁Peru- ▁despi- ▁plantation- ▁disbanded- ▁disconnected- ▁husky- ▁Rosa- ▁Ronaldo- ▁consciousness- ▁Bread- ▁duckling- ▁Talent- ▁knots- ▁overflowing- ▁Deb- ▁superheroes- ▁controller- 'Off'- ▁Benga- ▁Bangladeshi- ▁forgetful- ▁Law- ▁chatty- ▁sane- ▁enable- ▁cries- ▁exaggerated- ▁padding- ▁runny- ▁overturned- ▁olio- seal- ▁handover- ▁scarf- ▁Express- ▁instrumental- ▁betrayed- ▁exhausting- ▁Bird- ▁duo- ▁conch- ▁kok- ▁neon- ▁Phu- ▁playboy- ▁thirteenth- ▁exfoliate- ▁dropout- ▁partnership- ford- ▁caf- ▁armor- ▁pirated- ▁Himalayan- ▁objectively- ▁dice- ▁heartbreaking- ▁glowing- ▁beaten- ▁remov- Pong- ▁stalker- ▁sadder- jie- ▁cultivated- ▁paru- ▁Arabian- ▁nurtured- ▁countless- ▁horny- ▁satire- ▁toaster- ▁puzzled- ▁childlike- ▁permanently- ▁Keat- ▁published- ▁skater- ▁mashed- ▁Kishan- diac- ▁fend- ▁Kaki- ▁Hap- ▁Forest- ▁spotting- ▁Mini- ▁coal- ▁regulate- ▁jerk- ▁copyright- ▁subconscious- ▁thou- irways- ▁Army- ▁Yuen- ▁extroverted- ▁recognized- ▁consensus- ▁confessed- ▁tightly- ▁replicate- ▁Tshirt- ▁Siam- ▁signifi- ▁Leon- ▁observed- ▁sq- Horseman- ▁Fave- ▁angst- ▁ple- ▁sibeh- ▁morally- ▁Gem- ▁successes- ▁abused- ▁Chun- ▁sliced- nk- ▁Miam- ▁eee- ▁destroying- ▁largest- ▁fresher- ▁suffered- iang- ▁Kio- ▁rudely- ▁functioning- ▁smiley- ▁Aus- ▁discovering- ▁revealing- ▁recovering- ▁footed- ▁criticism- indows- not- ▁Toast- Thrones- pek- ▁Shell- ▁comprises- ▁dimples- ▁functions- Glam- ▁To- ▁apparent- plan- ▁mari- ▁nominate- ▁claws- ▁avoided- ▁scheduled- ▁Yin- ▁crate- ▁flex- ▁Bin- ▁castles- ▁stocking- ▁crazie- ▁electro- ▁capsize- shall- ▁Yisha- ▁teleporting- ▁eyeballs- ▁closeness- ▁Ranger- ▁crashing- more- ▁Amy- ▁Merli- itch- ▁reconcile- ▁switching- ▁troubled- ▁dum- take- ▁progressing- Carlton- Chok- ▁lima- ▁smokey- Qing- Wenger- ▁whatnot- ▁analytics- store- ▁Winn- ▁sayang- ▁wondered- ▁Lot- ▁rotat- chang- yan- ▁Hop- ▁Thor- ▁presenting- ▁channels- ▁apt- ▁dra- ▁Chee- ▁midterms- ▁kilometres- ▁symptoms- ▁poll- oke- ▁misc- ▁Tommy- ▁Bro- ▁publicize- ▁merchants- ▁souvenirs- njuk- ▁fewer- ▁Du- ible- Times- ▁ribs- ▁cyclists- ▁decades- ▁lawn- ▁fishers- ▁gan- ▁notifications- ▁Idol- ▁syn- ▁lighted- ▁Yam- ▁sailors- ▁Pass- bin- lude- ▁cubes- ▁Jenn- ▁websites- ▁interestingly- ▁acai- ▁sitcoms- ▁Kinder- ▁seating- Pi- ▁che- ▁ci- ▁puddings- aj- here- ▁odds- ax- ▁margin- ▁Caucasians- ▁attributes- ▁Alias- ▁dreamer- ▁flyers- ▁Ze- ▁blanks- list- ▁temperatures- Chi- llao- ▁Meet- ▁alphabets- ▁ministers- ▁statues- ▁Legends- rou- ▁attacks- ▁notch- ▁pointers- ▁etc- ▁gears- ▁Zhuan- ault- ▁seize- ▁puzzles- layer- ▁mana- ▁tents- ▁directional- ▁dun- omo- ▁snapp- ▁del- ▁Angu- ▁aids- ▁Ch- ▁Tun- ▁Jac- ▁sins- aki- ▁Ver- ▁wou- ▁fundamentals- non- ▁triangles- ▁buns- ▁bugs- now- ▁ele- run- ▁integrati- ▁recommendations- ▁Pad- ▁gar- shao- ▁hol- ▁fisher- old- ▁Raja- ▁spikes- ▁mun- ▁dinosaurs- ▁mentors- ▁Har- ▁spirits- ▁organizations- zy- ▁Christians- Magic- ▁dangers- erry- oi- ▁dock- ▁slopes- ▁artistes- ▁ru- ▁references- ongs- ▁Wiz- ▁markings- very- eresa- ▁kam- ▁blessings- ▁gigs- gle- ▁improvements- ▁pubs- ▁sib- bel- ▁comms- ▁meta- ▁pimples- ▁stares- ▁pota- ▁Ken- ene- Xun- ggle- ▁paw- ▁threat- ▁resonate- ▁axe- ▁schoolmate- ▁emerge- Studio- ixes- ▁merchant- ▁souvenir- hop- ▁kilometer- ▁syllable- ▁beverage- Boy- ▁competitor- ▁rumour- ▁ancestor- ▁sneaker- verse- ▁compromises- ▁whip- low- ▁brownie- ▁notion- assim- then- ential- ▁tang- ▁campaigns- ▁constrain- ▁zha- ami- ▁Eu- bal- ched- ▁constraint- fron- ▁Col- ▁Sai- ▁nu- agar- ▁riches- minate- ▁chil- Chin- minating- boro- iously- ▁historic- lay- ▁Pay- ookie- ▁Tea- turn- imp- field- ▁chang- room- place- ▁blu- De- power- keeper- qi- ▁stroll- rick- ▁snorkel- ▁Tao- ▁discharge- breaker- ▁empower- ▁vari- charge- ▁obsess- ▁locate- ▁injure- ▁disband- ▁disconnect- provoking- ▁recharge- Talk- Cooper- pedas- Bowl- Arabia- Brown- Pool- Storage- Republic- Tiger- Andrew- Mother- heaven- regardless- Bukit- kampung- eleven- Briyani- bono- curry- ▁moisturise- cute- with- Jones- ierce- Fox- ▁ima- ▁sensi- ▁convention- ▁Port- Chiong- onesty- ▁equip- iculous- ▁eavesdrop- ▁descend- ▁Naomi- ▁Warner- ▁cigar- Carter- Ferguson- Lloyd- Miserables- Purcell- '`'- ligence- ▁Atlanti- ▁Azazel- ▁Bendemeer- ▁Berlin- ▁Bluetooth- ▁Chirashi- ▁Derrick- ▁Dhey- ▁Dropbox- ▁Farouk- ▁Fifa- ▁Fitness- ▁Fullerton- ▁Henderson- ▁Jacqueline- ▁Kentucky- ▁Kukup- ▁Kumar- ▁Manila- ▁McLaren- ▁Mediterranean- ▁Mendaki- ▁Myeongdong- ▁Nagoya- ▁Nickelodeon- ▁Nissan- ▁Norwegian- ▁Office- ▁Phillipines- ▁Pinoy- ▁PlayMade- ▁Promenade- ▁Scape- ▁Sheldon- ▁Shermaine- ▁Smallfoot- ▁Spitz- ▁Supreme- ▁Tamago- ▁Thanos- ▁Umrah- ▁Winx- ▁Wushu- ▁Yoogane- ▁accuracy- ▁acrylic- ▁aggregate- ▁almond- ▁alternating- ▁approximately- ▁backdrop- ▁brainstorm- ▁calculus- ▁cannibal- ▁cassette- ▁cautious- ▁centuries- ▁chlorine- ▁chrono- ▁cinnamon- ▁cipher- ▁closure- ▁cobra- ▁comprehend- ▁condiment- ▁confusion- ▁courier- ▁cradle- ▁cuddle- ▁debrief- ▁decathlon- ▁democratic- ▁disapprove- ▁distillat- ▁diversify- ▁documentaries- ▁eclipse- ▁empress- ▁enclosed- ▁encompass- ▁equation- ▁esplanade- ▁filthy- ▁frugal- ▁funfair- ▁gengar- ▁giddy- ▁headquarter- ▁hospitable- ▁hotplate- ▁iguana- ▁impulse- ▁incense- ▁inviting- ▁jelat- ▁karate- ▁krabi- ▁laundrette- ▁magnesium- ▁marshal- ▁microchip- ▁murtabak- ▁narcos- ▁nauseous- ▁netflix- ▁odour- ▁overdrive- ▁patriotic- ▁pelican- ▁perspire- ▁pertain- ▁pringle- ▁province- ▁radiant- ▁rebuild- ▁recount- ▁rephras- ▁residence- ▁resilience- ▁revamp- ▁rinsing- ▁robbery- ▁sakae- ▁salicylic- ▁seduce- ▁silicon- ▁silliest- ▁sincerity- ▁slogan- ▁soulmate- ▁stereo- ▁sunshine- ▁symphony- ▁synonym- ▁tchoukball- ▁territory- ▁thunderstorm- ▁tragedy- ▁troublemaker- ▁unethical- ▁unplanned- ▁unpleasant- ▁untidy- ▁unwilling- ▁urgency- ▁vanguard- ▁velvet- ▁vodka- ▁whitish- ▁wholeheartedly- ▁zumba- Gerrard- Kusama- ▁Aloy- ▁Bachelor- ▁Darren- ▁Dream- ▁Dumbledore- ▁Eugeo- ▁Fairprice- ▁Googling- ▁Hunger- ▁Khalid- ▁Manhattan- ▁Mystic- ▁Topshop- ▁cadet- ▁chemotherapy- ▁communities- ▁concise- ▁convincing- ▁diagram- ▁disintegrate- ▁fragile- ▁ideology- ▁irregular- ▁lavish- ▁narrator- ▁orangutan- ▁saikang- ▁triangular- ▁Cedar- ▁JetStar- ▁Laneway- ▁Persian- ▁Totally- ▁constitute- ▁delta- ▁eatigo- ▁emulate- ▁futuristic- ▁gulp- ▁immerse- ▁mercy- ▁monologue- ▁prosperity- ▁telegram- ▁trotter- ▁unreal- China- ▁Bartley- ▁Cartoon- ▁Coleen- ▁Tutu- ▁bilingual- ▁bulldog- ▁criticizing- ▁darn- ▁hesitation- ▁interim- viation- ▁GameBoy- ▁Nazi- ▁amusing- ▁bangtan- ▁descendant- ▁garland- ▁organizing- ▁Lipton- ▁PayWave- ▁bravo- ▁brillante- ▁embassy- ▁friction- ▁hijab- ▁snoring- Hanks- ▁Elisha- ▁Entertainment- ▁Warcraft- ▁cellphone- ▁harassment- ▁multilingual- Decay- ▁comedic- ▁copied- ▁inventory- ▁rabz- ▁telok- valent- ▁Charizard- ▁Sager- ▁depressive- ▁lagoon- ▁overspend- ▁primark- angoon- ▁Kobe- ▁protest- ▁Skyline- ▁charismatic- ▁cristofori- ▁Barbra- ▁Huda- ▁bragging- ▁chinese- ▁courteous- ▁criticize- ▁ruling- lihood- ▁Percy- ▁bulgogi- ▁blaming- ▁crepe- ▁frail- ▁genetically- ▁obey- ▁retrenchment- Ridge- ▁Sandra- ▁fondant- ▁optimisation- ▁Irfan- ▁civilization- ▁physiotherapy- arnia- ▁Direction- ▁Drama- ▁Hulk- ▁Restaurant- ▁Ultron- ▁electrons- ▁hazard- ▁icing- ▁snowboard- ▁width- ▁disciplinary- ▁flavorful- ▁speedboat- ▁baggy- ▁Nando- ▁preserving- ▁adulthood- ▁stepmother- ▁Congkak- ▁Fenty- ▁Geog- ▁ethnicity- ▁guai- ▁laminate- Fei- ▁Mersing- ▁Rosie- ▁snowflake- ▁sophisticated- Steak- ▁dumbbell- ▁penny- ▁variable- ▁convict- ▁infantry- ▁slapping- ▁evergreen- ▁Edna- ▁Josephine- ▁PowerPoint- ▁amoy- ▁tuas- ▁hummer- ▁taco- ▁sunken- quel- ▁Snoopy- ▁beekeeper- ▁creation- ▁varies- ▁blondie- ▁rustic- ▁Stamford- ▁Zheng- ▁stoic- ▁examiner- ▁interruption- ▁famine- ▁copies- ▁insecurity- ▁blob- ▁crooked- ▁erupt- ▁complian- ▁Juan- ▁fanta- ▁rotation- ▁fireplace- ▁rowdy- ▁managerial- ▁korea- ▁tinge- ▁nude- ▁Chung- ▁profanity- ▁unicorn- ▁tapping- Up- ▁Mourinho- ▁Simpang- ▁Roth- ▁crutch- ▁starring- ▁vividly- ▁flawless- ▁Escooter- ▁Genie- ▁lasagna- ▁Mandy- ▁witches- ▁haul- ▁mafan- ▁Zhong- ▁subsidised- Lok- ▁Bobby- ▁appointed- ▁hurtful- ▁forgiveness- ▁midway- Boon- ▁Sandy- ▁Noel- ▁adaptation- ▁stunning- ▁bail- Yee- ▁Leonardo- ▁tonne- ▁shaky- ▁headset- ▁oppa- ▁broaden- ▁revert- ▁Oral- ▁collectible- ▁metric- ▁mountainous- ▁catfish- ▁hideout- ▁Titans- ▁strategic- ▁labelled- ▁infant- Singh- ▁sandwiches- ▁chopper- ▁selectively- ▁sexist- ▁shivering- ▁exhausted- ▁steer- ▁travelator- ▁angsty- ▁fog- Air- ▁Albert- ▁Crush- ▁Arsen- ▁Plus- ▁Halo- ▁blackboard- ▁draggy- ▁Strike- ▁moderately- ▁swamp- ▁ballot- ▁contradicting- ▁Daily- ▁protector- ▁Ruth- ▁boar- ▁Julin- ▁rusty- icity- ▁Mona- Gong- ▁Chao- ▁kung- ▁archer- ▁tempo- ▁cord- Phi- Ray- ▁fitter- ▁qi- ▁spiritually- ▁Young- noodle- ▁Baha- ▁Roy- ▁Town- ▁bunker- ▁housekeeper- ▁Canning- ▁alighted- ▁stapler- ▁transformer- ▁spinal- ▁unexpectedly- ▁Once- ▁Fang- ▁inconsequential- ▁discarded- ▁Aden- ▁greenhouse- ▁gambler- ▁Loong- ▁Bose- ▁vac- ▁pierced- ▁Ghaut- ▁Ching- ▁departmental- ▁aligned- ▁Mind- ▁yard- ▁thrilling- ▁Bond- ▁regretting- ▁hangman- ▁Tung- ▁crank- Tang- ▁dependable- ▁tuner- ▁accurately- ▁Pig- ▁flooding- Met- ▁chic- ▁steamer- ▁freelancer- ▁licking- ▁postman- ▁Rock- ▁conditioner- ▁Keng- ▁fairies- ▁Jong- ▁badass- ▁Rahma- ▁Tyr- ▁Lian- ▁voter- ▁ruby- ▁bounded- ▁conducted- ▁Along- ▁Xiang- ▁yarn- ▁Eng- ▁internationally- ▁surfer- ▁Hao- ▁duel- ▁offline- ▁rubbery- ▁entertained- ▁secured- ▁represented- ▁recovered- ▁Fest- ▁thoughtful- ▁secon- ▁Satur- bee- ▁kap- ega- Technological- ▁cracked- ▁Sally- ▁recycled- ▁balding- Siam- ▁coldness- ▁belay- Upon- ▁volt- ▁succeeded- rine- ▁fad- ▁translated- ▁conveniently- ▁ironed- ▁refused- ▁teared- ▁tendon- ▁retailer- ▁hosted- ▁seriousness- ▁advisor- ▁wayang- ▁Dell- ▁rave- ▁shaded- ▁rewarding- hood- ▁coup- ▁ranked- lock- ▁Marriott- ▁traded- ▁impre- tree- ▁Aka- ▁neighbourly- ▁packaged- ▁triggering- ▁verb- ▁Hin- taker- ▁framed- ungee- ▁showered- ez- well- ▁Sar- Lang- ▁sapa- ▁pier- ▁rushed- ▁reporter- ▁lad- ▁shelving- empt- ▁sham- ▁fashioned- ▁bask- ▁remix- ▁snowing- ston- ▁Zak- ▁tester- ▁header- Girls- odium- ▁remarks- ▁premises- ▁streaks- ▁wolves- ▁flakes- Kids- ▁suan- ▁Pat- ▁harden- ▁Wing- ▁excused- ▁Biore- ▁pung- ▁reno- ▁quo- ▁crossed- ▁Seah- ▁accom- nea- ▁educat- ▁centered- rade- ▁justified- ▁metro- ▁striv- ▁peeing- ▁Resorts- ▁tantrums- asan- ▁pickles- sheng- ▁withstand- ▁faked- Zhen- ▁matched- ▁Holl- ▁avoiding- ▁disappears- ▁perks- ▁corals- ▁bead- ▁Pooh- ▁addressing- ▁Yun- ▁landing- ▁asam- ▁singa- ▁spoons- ▁nouns- ▁emissions- ▁otters- ▁Ham- Ha- ▁unc- ▁orang- ▁pairing- ▁shap- ▁sash- ▁haters- ▁donating- ▁Falah- ▁Denis- ▁skim- ▁forgo- ▁asian- ▁Simpl- ▁schoolmates- ▁axes- ▁paws- ▁Ipoh- ▁influ- ▁wires- ▁yucks- ▁cosm- ▁Pit- ▁deteriorate- ▁Pana- ▁cou- ▁cutest- dicated- ▁dumplings- ▁honors- ▁stirr- ▁sued- ▁batche- ▁Salah- ▁hairy- lec- ▁bam- ▁Studios- ▁Salt- ▁Vi- ▁wit- ▁limbs- ▁nations- ▁lem- lux- ▁prospects- ▁sunflowers- Chefs- ▁besties- 'yes'- ▁closely- rip- ▁pleased- katsu- kart- ▁vlogs- rlyn- ▁Ais- ▁touring- ▁bore- ker- ▁See- teen- ▁rang- ▁Guardians- ▁contributions- ▁Olympics- ▁rations- ▁medi- ▁Mrs- iew- rance- ▁colouring- ▁manly- ▁Huat- ▁ropes- ▁incentives- ▁pans- gged- ches- ▁vu- ▁salads- ▁motors- ▁feathers- ▁calculations- ▁ads- late- ▁Cos- ▁rel- ▁flaps- ▁circulat- ▁choppe- eas- ▁barn- ▁scouts- ▁jokers- ▁aches- ▁counsel- ▁generalise- ▁drones- ▁beginners- ▁YouTubers- ady- ▁fined- ▁Mia- ▁consi- ▁Ever- je- eck- fin- ▁ponytails- ▁sparks- alam- ▁spo- ▁winners- riving- ▁flatter- opo- agi- ache- ▁creamer- lar- hun- ▁bullets- lio- illa- arian- ▁deb- ▁persuade- ▁reli- ▁factual- ▁reta- ▁trac- ▁nightmares- ▁tw- Cantona- Bones- lted- ester- ▁Tar- Tock- Hu- Hoon- isang- ception- ▁xia- ▁desires- ▁pleasures- ▁bom- ▁boug- pping- ▁objectives- ▁standardise- ▁Kia- laying- ▁kiam- Koon- ▁rig- ual- ppy- ▁lions- ▁Ari- ▁Gra- tech- ▁cit- owing- chong- ▁Mag- ership- ▁missions- ▁Ge- but- ▁mannequins- lab- ▁memora- alari- fraction- stro- ▁ep- cast- ▁volun- ▁litera- rselves- ▁files- ▁ethic- ▁Mad- ima- ogy- water- jun- fer- pend- Soo- ▁memor- ▁blackhead- ▁emission- Toba- ▁otter- ▁kilometre- ▁symptom- ▁midterm- ▁rumor- ▁swi- ▁alpaca- abby- ▁strand- ▁stair- ▁railing- oki- ctors- ▁Won- ▁hog- ▁Ser- ▁corona- ▁moo- ▁ei- unny- rise- ▁por- kang- coming- adi- ▁transparen- ▁snoo- ▁nex- ▁For- ▁repea- ▁brew- ▁debat- ▁Fu- ▁haunt- ▁subtitle- ▁alia- vo- ▁Zy- key- pra- ▁torch- ▁Gan- cumulative- ▁procras- ▁hesita- look- ▁Bala- ▁ven- Hit- ▁cycl- ▁exhaust- Sia- ▁respon- ably- ▁zig- ▁frown- ▁stat- ▁parasail- ▁Arabia- ▁expos- ▁separat- ▁incur- ▁nurtur- ▁invad- ▁Find- ▁Prince- ▁Vic- scooter- corn- Karat- ▁subsidize- ummer- lbert- ▁congest- ▁recite- ▁misuse- ▁retrench- about- course- oodle- ▁debut- Smart- Batisah- Jovi- Turtle- ristiano- Airline- Titans- Ronaldo- Chomp- Cruise- Mirror- States- Nathan- Leong- kacang- Prata- Romeo- jalan- Autumn- William- negotiable- Chicken- James- Science- boyfriend- chocolate- machine- drama- twenty- Miam- ▁crisp- biryani- Mouse- center- ▁summar- motion- ▁theoretical- Minh- ▁clutter- ▁vivid- ▁instantaneous- ▁Lor- ▁Saba- asian- ▁authorit- ▁midfield- post- chiong- ▁imply- Wee- ▁proactive- ▁pronoun- ▁immigrati- ▁disrupt- eptic- ▁Buddh- ▁experi- ▁revolution- ▁Yayoi- ▁Xav- ▁Corp- Vuitton- ▁indefinite- ▁mislead- ▁residu- '?'- Bilis- Einstein- Giggs- Hospital- Local- Muniz- Quinn- Sivan- jumma- siol- ▁After- ▁Atiqah- ▁Backstreet- ▁Badminton- ▁Bidadari- ▁Britain- ▁Broadway- ▁Capella- ▁Century- ▁Chijmes- ▁Cinderella- ▁Colosseum- ▁CrossFit- ▁Cyclops- ▁Daegu- ▁Darvis- ▁Dasani- ▁Diablo- ▁Diploma- ▁Dyson- ▁Egg- ▁Elliot- ▁Fight- ▁Foodpanda- ▁Foodshed- ▁GERPE- ▁Garfunkel- ▁Generation- ▁Genghis- ▁Gentle- ▁Ghost- ▁Gillman- ▁Haagen- ▁Heidegger- ▁Hermione- ▁Hermoine- ▁Hiroshima- ▁Inferno- ▁Istanbul- ▁Jasmine- ▁Jerusalem- ▁Lancer- ▁Lapidas- ▁Leftfoot- ▁Machine- ▁Medisave- ▁Mendel- ▁NAFA- ▁Newcastle- ▁Odette- ▁Olympiad- ▁Orchid- ▁Palestin- ▁Picoult- ▁Portugal- ▁Rafiq- ▁Razor- ▁Redbull- ▁Ripple- ▁Riverdale- ▁Samoyed- ▁Shamsuddin- ▁Sharlene- ▁Sheryl- ▁Skechers- ▁Snickers- ▁Sogurt- ▁Sprite- ▁Sucremo- ▁Sudoku- ▁Terengganu- ▁Theodore- ▁Tomahawk- ▁Toothless- ▁Vanguard- ▁Vitality- ▁Yogyakarta- ▁accreditation- ▁advancing- ▁aloud- ▁analyzing- ▁angklung- ▁annoucement- ▁apologies- ▁apparatus- ▁appreciating- ▁armband- ▁asbestos- ▁asylum- ▁barista- ▁belanja- ▁berserk- ▁biography- ▁blockbuster- ▁boardwalk- ▁breadwinner- ▁buffalo- ▁buttermilk- ▁contraband- ▁convocation- ▁cosmopolitan- ▁counterpart- ▁croissant- ▁cryptocurrency- ▁culprit- ▁curvy- ▁delicate- ▁discourage- ▁durable- ▁ectomorph- ▁elbow- ▁endearing- ▁epidural- ▁etiquette- ▁evaluation- ▁eyeshadow- ▁fabulous- ▁facade- ▁facilitate- ▁fatigue- ▁favoritism- ▁favouritism- ▁fencing- ▁fiesta- ▁fingernail- ▁freshener- ▁frizzy- ▁gargantuan- ▁ghetto- ▁gondola- ▁gorgeous- ▁graveyard- ▁grumble- ▁gyoza- ▁heartwarming- ▁homecooked- ▁hurdle- ▁hyuna- ▁iCarly- ▁iTunes- ▁illogical- ▁incorrect- ▁intermediate- ▁intrinsic- ▁intuitive- ▁invigilator- ▁jesus- ▁kacau- ▁laundries- ▁leukemia- ▁lieutenant- ▁lifeguard- ▁mammal- ▁marshmallow- ▁masculine- ▁meddle- ▁meddlesome- ▁merrier- ▁monotonous- ▁neural- ▁nonsensical- ▁observant- ▁outbreak- ▁paintbrush- ▁paprika- ▁parquet- ▁participating- ▁penalise- ▁platinum- ▁plunge- ▁pragmatic- ▁procrastinator- ▁propaganda- ▁proximity- ▁pufferfish- ▁quantify- ▁racquet- ▁rambutan- ▁receptive- ▁reciting- ▁recliner- ▁referral- ▁remembrance- ▁renovating- ▁retrain- ▁ripple- ▁safeguard- ▁seashore- ▁staycay- ▁stylist- ▁substantial- ▁sundae- ▁surgeries- ▁susceptible- ▁symbiosis- ▁tablespoon- ▁telemovie- ▁terrapin- ▁terrified- ▁tombstone- ▁toothbrush- ▁traumatising- ▁traumatizing- ▁tudung- ▁tumble- ▁uncooked- ▁unhygienic- ▁universal- ▁unofficial- ▁unsightly- ▁unused- ▁velcro- ▁vibrant- ▁vibrating- ▁wildlife- ▁windshield- ▁xiaxue- ▁xiong- /- ▁Basil- ▁Calbee- ▁Children- ▁Coco- ▁Hershey- ▁Karaoke- ▁Nivea- ▁Pandora- ▁Ricky- ▁Rulang- ▁Spies- ▁Stephanie- ▁Teacher- ▁Wheelock- ▁crazily- ▁granddad- ▁narrating- ▁perpetually- ▁quizzes- ▁recurring- ▁snooker- ▁swirl- ▁titans- ▁trilogy- ▁zodiac- ▁Lakeside- ▁Mentos- ▁Penny- ▁Rosti- ▁Stanford- ▁Underwater- ▁Vanessa- ▁Yamaha- ▁beneficiary- ▁bookworm- ▁bowtie- ▁cooperative- ▁dehydration- ▁depreciate- ▁engross- ▁martini- ▁silat- ▁slingshot- ▁symbiotes- ▁tamp- ▁tulang- ▁Hazel- ▁Ravana- ▁Vicky- ▁gigabyte- ▁strangle- ▁visor- Spears- ▁Avene- ▁Cecilia- ▁emptie- ▁innovative- ▁reflexes- Before- ▁Daven- ▁Intel- ▁Katsu- ▁commuters- ▁elastic- ▁exploding- ▁obese- ▁unfit- Downey- ▁Forex- ▁geek- ▁radar- ▁seasick- ▁Yolo- ▁posi- ▁Batu- ▁Burma- ▁Jaws- ▁purification- ▁summarise- Kook- Yacob- ▁Allen- ▁Pahang- ▁congee- ▁cooperate- ▁corpus- ▁statistically- ▁trumpet- ▁Christina- ▁contemp- ▁crease- ▁extinguisher- ▁hooray- ▁Barney- ▁Janice- ▁kanasai- ▁phoenix- ▁repetition- ▁scammed- ▁wiring- ▁backbone- ▁blunt- omodo- ▁assassination- ▁approv- ▁babysit- ▁bugger- ▁championship- ▁prospective- ▁Bencoolen- ▁roster- ▁stoning- ▁claustrophobic- ▁delusional- ▁dysfunctional- ▁leash- ▁punctuality- ▁boastful- ▁mugging- ▁paddling- ▁Dead- ▁Toby- ▁churn- ▁torso- ▁traumatic- Lipa- ▁playmate- ▁shush- ▁Foot- ▁Perak- ▁decompose- ▁enlistment- ▁inevitable- ▁mythology- ▁refine- ▁reproduce- ▁Margaret- ▁civilised- ▁lentil- ▁photocopy- ▁Maltese- ▁Prada- ▁chrome- Bahar- ▁Fantasy- ▁appetizer- ▁kuku- ▁maritime- ▁piping- ▁cunning- ▁hesitating- ▁blockchain- ▁pagan- ▁sequel- ▁Channing- ▁Celsius- ▁expertise- ▁globalization- ▁raspberry- ▁existential- ▁hastily- ▁Library- ▁biking- ▁grim- ▁disfigured- ▁reggae- ▁palate- boy- ▁Metro- ▁Saat- ▁naggy- ▁Bogo- ▁Artbox- ▁Mayday- ▁Shark- ▁Taiti- ▁deviation- ▁govern- ▁deferment- ▁possessive- ▁lingerie- beng- ▁eyelashes- ▁frighten- ▁rehearsal- ▁scarred- ungry- ▁annoyance- ▁anthem- Runner- ▁dilly- Caesar- ▁duper- ▁Pinnacle- ▁Makan- ▁immersi- ▁quartermaster- ▁Sanya- ▁Zhang- ▁carriage- ▁dumbass- ▁Joelyn- ▁Lovi- ▁Murder- ▁Kenny- ▁raving- ▁Vada- ▁overlord- ▁Shahira- ▁Banyan- ▁authenticity- ▁intima- Claus- ▁carpenter- ▁seawater- ▁Tupperware- ▁consultation- ▁macro- ▁attendant- ▁traumatised- ▁Lilo- ▁restrain- ▁flock- ▁squeezy- egor- ▁mozz- ▁scarce- ▁charities- ▁flavourful- ▁Cali- ▁Academy- ▁Reservoir- ▁parenthood- ▁dhal- ▁Lester- ▁Ruby- ▁recep- ▁Faris- ▁furry- ongdae- onito- ▁prettier- ▁commercialised- ▁slopp- ▁enterprise- ▁Timor- ▁Davidson- ▁rotting- Jong- ▁Never- ▁fortnight- ▁beatbox- ▁College- ▁Garfield- ▁Kacang- ▁Lena- ▁omakase- ▁elevated- ▁objection- arnish- learning- ▁Moses- ▁spies- ▁nonstop- ▁amplifier- ▁shortlisted- ▁representation- ▁Parkway- ▁Brigade- ▁Pattaya- ▁Noah- ▁Dua- ▁psychic- ▁Wak- ▁moto- regano- ▁throwback- ▁parkour- ▁attractiveness- ▁Real- ▁tada- ▁backstabbing- ▁Mouse- ▁Angeles- ▁Brown- ▁Taj- ▁sketchy- ▁pulley- ▁Toy- ▁Fire- ▁clubber- ▁agony- ▁Swift- ▁expressive- ▁spotlight- ▁truthfully- ▁choy- rgent- ▁chord- ▁subsidized- ▁Ford- ▁Momo- ▁baseline- ▁repeatedly- ▁seasaw- ▁Guan- ▁mite- ▁Pool- Frost- ▁Koko- ▁convent- ▁Duck- ▁bala- ▁Crab- ▁Leong- ▁mindedness- ▁paralysed- ▁Eden- ▁Kanji- ▁hump- ▁Ulu- ▁connector- ▁seamen- ▁sleepover- ▁hoarding- ▁johor- ▁okie- ▁lent- ▁constructed- ▁Belly- ▁goosebump- ▁hahaha- ▁Serai- ▁customised- ▁critically- ▁ign- ▁sneaky- ▁chunky- ▁padang- ▁Owen- Kat- talk- ▁italy- ▁Gang- ▁reap- ▁socialize- ▁cookhouse- ▁offset- ▁satan- ▁scape- ▁sadden- ▁overboard- Lau- ▁Shao- ▁pony- ▁composer- ▁overdo- Ego- ▁dua- ▁desc- hei- ▁marching- ▁ladylike- ▁transferable- ▁aspiring- ▁Shui- ▁Jose- ▁Peking- ▁Ox- ▁criticising- ▁exploded- ▁perceived- ▁contouring- ▁distracting- ▁Alexa- ▁stickman- ▁stickies- ▁superficially- ▁Ayer- ▁mumble- ▁Tok- ▁witnessed- ▁netting- ▁probe- ▁collective- ▁Alan- ▁Maha- ▁environmentally- ▁abus- ▁mak- ▁canoeing- ▁skateboarding- ▁lament- ▁smoother- ▁suspected- ▁peacefully- ▁burping- ▁yeha- ▁cramped- ▁postponing- ▁manipulated- ▁readily- ▁seaman- arents- Mutant- ▁sway- ▁anonymous- ▁frost- ▁Shar- ▁Kith- Khoo- ▁professionally- ▁lup- ▁healed- ▁cocky- ▁organiser- ▁Tau- ▁Villa- ▁buster- ▁interrupting- ▁tel- ▁respectable- ubl- ▁tidying- ▁recovery- ▁exited- ▁excluded- ▁Tong- ▁abuser- Char- ▁hav- ▁sourc- ▁Bai- dong- ▁shaved- ▁fest- ▁independently- stain- ▁sacrificer- ▁funded- ▁tun- ▁tricked- Aziz- gun- ▁owing- ▁adapted- ▁Evi- Sum- ▁Bahru- ▁overdose- ▁bearded- ▁molest- ▁absorbing- ▁cured- ▁Matt- ▁reflected- ▁ondeh- ▁Mun- ▁Planet- ▁exes- ▁Easter- ntil- ▁remover- ▁simulate- ▁lighten- ▁sinful- ▁painter- ▁actu- nstitution- Aw- shot- ▁twisting- lia- ▁Khan- Bin- ▁What- ▁pine- ▁Fall- ppo- that- ▁Can- caf- ▁clothed- ▁gui- ▁cracking- Don- ▁meowing- ▁hampers- ▁fluctuates- ▁refugees- rina- ▁carte- ield- ▁broker- ▁ignored- ▁Will- ▁Tup- ▁hater- oul- ▁ward- ▁Mumm- ▁angri- ▁blamed- ▁incoming- ▁caged- ▁feat- ▁Ger- ngkat- ▁gained- ▁helli- ▁vent- ▁connecting- ▁mach- ▁sugary- ▁Glenn- ▁pretending- ▁suntan- ▁hunting- ▁aerial- ▁disagreements- ▁Semb- Min- rawl- ▁devoted- dri- ▁downloading- ▁chor- ▁creak- zhen- ▁identi- ▁gam- ▁bossy- ▁thirdly- ▁noun- ▁Ani- ▁climber- ▁Tap- ▁Ng- ▁apparels- ▁enrolling- ▁admired- ssured- ▁respected- ▁gras- nding- ▁graz- ▁misbehave- epok- ▁Net- ▁ringing- ail- ▁tangent- ▁chilly- ▁Nam- ▁returned- ▁Miru- ouch- ▁crumbs- ▁Sands- ▁powered- ▁bon- Jolie- ▁railings- ▁blackheads- ▁bearing- loo- ought- ▁Julia- fort- ▁positioning- Cadet- oba- ▁hid- ▁emerg- ▁buttered- utan- olate- ▁resonates- ▁threats- scow- Thief- ▁colli- Jing- ▁Bart- ▁liner- ▁Marl- ike- ida- ▁yourselves- ▁pasty- creme- ▁cultured- ▁dicks- ▁startups- ▁limitations- ▁robotics- ▁astrolog- ▁Farah- ▁flopp- gates- ▁momento- ▁beam- ▁priced- ▁Astons- ▁nerves- ▁sculptures- ▁rested- ▁reminders- cous- ▁Sher- ▁kneel- Coles- ▁anticipate- ▁DC- ▁politicians- ▁pam- arley- ▁commercialize- ▁harp- ▁accelerate- Donki- ▁cucumbers- ▁rifles- ▁Run- ▁gro- ▁insider- ▁jav- ▁meatballs- ▁pirates- ▁spi- ▁handy- ▁Pas- ▁blogg- kie- rack- illion- ▁Pak- ▁emojis- ▁kilos- ▁Thin- lying- ▁worksheets- ▁notebooks- ▁crows- cia- ▁Kent- urity- ▁anal- ▁chunks- ▁buds- ▁Zen- ude- ▁ze- ola- ▁concentrati- ▁shak- ▁selfless- ▁Masters- ▁landscapes- ▁milestones- ▁expires- ▁moderniz- misunderstanding- Rush- ▁lou- ipped- ▁growl- ▁skit- elle- oid- por- Cook- ▁stakes- ▁belongings- ▁passages- smati- ▁zhu- ▁storybooks- ▁Rav- ▁fra- opped- ▁val- ▁squirrels- ▁tales- ▁prais- ▁colon- kee- rul- ▁relocate- ▁Cad- ▁Gia- ▁oppo- ▁opp- ▁optim- alized- ▁zipp- ▁Phil- dar- neo- ▁Pant- nuel- ▁Shake- ▁auditor- ▁Zhu- own- ▁tec- ▁stru- ▁terminat- gue- ▁rece- achi- urn- ftie- ▁opposit- ▁exa- ▁worsen- ▁sti- folding- shui- lessly- ▁marginal- ▁lob- rom- ▁crumb- bble- ▁Alon- acy- ▁Jenni- ▁spe- ▁Band- ▁spra- ▁shoo- afar- ▁ste- bak- Pie- ▁stan- ▁Ou- ime- fetched- iterate- ▁stead- ▁ferri- elecast- anna- ▁Lam- dol- ▁Bab- uhwe- mpang- ▁mindless- rman- Leste- ▁sympath- ▁ken- Clan- pad- ▁Human- atory- chai- decker- ▁cous- ▁Com- onia- ▁Bee- ▁bermuda- ▁scallop- ▁Pilate- ▁diaper- ▁pebble- ▁germ- ▁coral- ▁investor- ▁statistic- Ranger- ▁brace- ▁lyric- ▁alway- ▁zo- ▁slush- merah- ▁perk- ▁researcher- alism- stage- leen- body- ▁rab- ▁sportsman- ▁neg- Cent- make- ▁decorat- ▁certif- ▁gran- ▁oldie- Cage- ▁iden- ▁clog- ▁Chang- ality- ▁hur- ▁glam- wo- ▁Pul- ▁Julie- ▁Cal- ▁lectur- ▁Sand- west- Jobs- ▁complet- ▁achiev- tude- oup- nova- away- ▁Kee- Ban- ▁purchas- ▁esca- ▁wor- ▁Himalaya- ▁froze- ▁Sho- ▁deserv- ▁blush- ▁hoard- ▁choreograph- ▁dishearten- craft- ▁deci- ▁windsurf- ▁disco- ▁sightsee- ▁accord- ventu- ▁figur- pson- ▁schem- ▁arrang- Angel- ▁snip- icular- world- ▁ostracise- ▁chant- ▁confiscate- ▁excite- ▁elect- ▁endanger- bloc- ▁detach- atholic- ▁suspend- Network- Singapore- Woman- vious- Grande- Brigade- holder- Scott- Three- Bull- chomp- child- takraw- colli- tempered- Obama- Ninja- Ocean- attaya- restricted- Ralph- lifting- spirit- Busan- Black- Stella- ngsana- tight- different- grass- merit- queue- wak- consider- road- Maths- Ayam- boat- ondeh- Grey- Singaporean- shock- ▁greed- heard- yana- obby- ▁Ronald- Strange- clockwise- ▁suff- ▁graceful- ologist- open- ▁carpent- astle- ▁swag- ▁servic- ▁rehears- ▁millenni- vergreen- ▁submissi- hennai- enegade- esistance- ▁Mexic- ▁obstruct- ▁Aqua- ▁coincide- ▁depart- ddling- ▁celeb- ▁deploy- evio- negotia- ▁hydro- ▁protrud- ▁Comfort- ▁Disco- ▁boycott- Beckham- Bennett- Carrey- Clues- DiCaprio- Muhammad- Payne- Ramsey- Ribbon- Rowling- Solo- Uemura- arella- ligently- rrogate- ▁AddMath- ▁Adele- ▁Aidil- ▁Akbar- ▁Aloysius- ▁Anderson- ▁Anjib- ▁Anusha- ▁Bermuda- ▁Buddy- ▁Canberra- ▁Carnage- ▁Clean- ▁Colorado- ▁Coupet- ▁Daryl- ▁DeepMind- ▁Depot- ▁Donnie- ▁Durian- ▁Edusave- ▁Fiido- ▁Georgia- ▁Ghibly- ▁Gudetama- ▁Guinness- ▁Guzheng- ▁Heidi- ▁Hummus- ▁Immortal- ▁Insidious- ▁Jewel- ▁Kahshee- ▁Katherine- ▁Kelantan- ▁Kozminski- ▁Labyrinth- ▁Loann- ▁Lookism- ▁MUIS- ▁Mcnugget- ▁Millennials- ▁Mongrel- ▁Mountain- ▁Mutton- ▁Narcos- ▁Nolan- ▁Oprah- ▁Pagoda- ▁Paladin- ▁Panopticon- ▁Paramore- ▁Pochinki- ▁Raisa- ▁Rampage- ▁RedMart- ▁Rojak- ▁Rolanda- ▁Rumba- ▁Sanhok- ▁Sembcorp- ▁Shatec- ▁Shazleen- ▁Sheila- ▁Siberia- ▁Spirulina- ▁Spongebob- ▁Sugar- ▁Tiaga- ▁Tibet- ▁Tintin- ▁Toronto- ▁Umairah- ▁Vain- ▁Vegan- ▁Walter- ▁Webtoon- ▁Whatsapp- ▁Yasmin- ▁Yellow- ▁Zipline- ▁abdomen- ▁adequate- ▁adversities- ▁aftertaste- ▁aggravate- ▁armchair- ▁artefact- ▁artifact- ▁avengers- ▁averaging- ▁barnyard- ▁beloved- ▁blueberries- ▁boisterous- ▁bolognese- ▁bouquet- ▁breadcrumb- ▁brooch- ▁chamber- ▁champagne- ▁chihuahua- ▁chrysanthemum- ▁cinematography- ▁coffin- ▁coherent- ▁collarbone- ▁colloquial- ▁condescending- ▁consolidat- ▁consonant- ▁contagious- ▁contemplating- ▁contemporary- ▁coriander- ▁courtyard- ▁cynical- ▁daunting- ▁deadlift- ▁decreasing- ▁degrading- ▁dentures- ▁devoting- ▁dictate- ▁dodgy- ▁doorstep- ▁dopamine- ▁douchebag- ▁dwarf- ▁earthworms- ▁emporium- ▁enclosure- ▁entails- ▁esketit- ▁espresso- ▁execution- ▁exfoliant- ▁exquisite- ▁fingertip- ▁gizzard- ▁globe- ▁graffiti- ▁hiccups- ▁hokkaido- ▁hyperactive- ▁iModel- ▁imitation- ▁impediment- ▁indebted- ▁indomie- ▁inertia- ▁infested- ▁infinite- ▁interconnected- ▁introspective- ▁intrusive- ▁jewelleries- ▁keloid- ▁keropok- ▁knuckle- ▁liddat- ▁lychee- ▁mackerel- ▁malamute- ▁mechatronics- ▁memorabilia- ▁menacing- ▁menthol- ▁messenger- ▁migraine- ▁mortgage- ▁muachee- ▁muffled- ▁mussels- ▁narrate- ▁negotiation- ▁nitrogen- ▁obscure- ▁oriental- ▁overcooked- ▁overcrowded- ▁paitao- ▁parasite- ▁persuasion- ▁pinafore- ▁pistachio- ▁pistol- ▁predator- ▁premature- ▁preoccupied- ▁prettie- ▁profiling- ▁prototype- ▁radish- ▁reincarnated- ▁reindeer- ▁repurpose- ▁resilient- ▁retrospect- ▁revenue- ▁rhino- ▁ritual- ▁roulette- ▁salvage- ▁sandbag- ▁scorpion- ▁scrawny- ▁sculp- ▁secluded- ▁silhouette- ▁simulation- ▁simultaneously- ▁slipshod- ▁sneezing- ▁snippet- ▁sparring- ▁splatter- ▁spooky- ▁sprinkle- ▁structural- ▁strudel- ▁stylus- ▁succulent- ▁supervision- ▁tattered- ▁terribly- ▁ticklish- ▁tidbit- ▁tomollow- ▁tremendous- ▁trespass- ▁trishaw- ▁unaware- ▁uncommon- ▁uncouth- ▁underestimate- ▁understudy- ▁unknowingly- ▁unwanted- ▁upbeat- ▁username- ▁utilize- ▁wavy- ▁woodworking- ▁wurly- ▁Boost- ▁Brighton- ▁Neslo- ▁Silk- ▁abundance- ▁advent- ▁analogy- ▁calibr- ▁conscientious- ▁ingrain- ▁misjudge- ▁noisier- ▁parsley- ▁peppermint- ▁recontract- ▁smuggle- ▁spacing- ▁stomp- ▁truancy- mitten- ▁Dengue- ▁Emily- ▁Fajar- ▁Harbin- ▁Kamal- ▁Toggle- ▁abalone- ▁celery- ▁copycat- ▁dubious- ▁glare- ▁greasy- ▁hydrogen- ▁influential- ▁jeopardize- ▁laboratory- ▁perseveran- ▁reform- ▁shucks- ▁Kingsman- ▁Prive- ▁Steffi- ▁boomerang- ▁estimation- ▁eventual- ▁glamour- ▁goblin- ▁intersect- ▁mimic- ▁slimmer- Beautiful- ▁Famous- ▁Kylo- ▁figurative- ▁troop- ▁vapour- Gogh- ▁Amber- ▁Beatles- ▁Brenda- ▁Logan- ▁Nasser- ▁Ramesh- ▁avid- ▁carol- ▁flaming- ▁geese- ▁rattan- ▁sledge- ▁Nineteen- ▁Nurul- ▁Pegan- ▁apology- ▁escaping- ▁existentialist- ▁lasik- ▁mansionette- ▁masculinity- ▁percussion- ▁shards- ▁speculation- ▁template- ladder- ▁Cholo- ▁Gerpe- ▁Store- ▁Suri- ▁ambiance- ▁screwdriver- ▁shading- ▁telephone- ▁Gamebooks- ▁Valerie- ▁Zaibo- ▁antisocial- ▁carnation- ▁corpse- ▁droplets- ▁hypocritical- ▁memorizing- ▁perspiring- ▁salsa- Buloh- Patterson- ubis- york- ▁Ahkah- ▁LinkedIn- ▁babysitter- ▁battlefield- ▁censorship- ▁disruptive- ▁perfectionist- ombie- ▁backfire- ▁compact- ▁outerwear- ▁Kanye- ▁Levina- ▁diaries- ▁exclusivity- ▁indulgence- ▁intonation- ▁liberat- ▁magnetic- ▁molecul- ▁patties- ▁quotation- ▁raffle- ▁Powerpuff- ▁compatib- ▁sulk- ▁trump- ▁General- ▁Muji- ▁lulu- ▁spicie- ▁ramble- ▁stimulation- ▁Kashi- ▁thorn- ▁Colour- ▁clump- ▁dulan- ▁lazier- ▁manipulative- ▁shimmer- ▁undergraduate- logue- ▁Angelina- ▁Suzy- ▁capsizing- ▁lik- ▁psychotic- ▁understatement- ▁ventilat- Pahat- ▁bankruptcy- ▁contradiction- ▁destruction- ▁sanity- ▁Dawn- ▁Salva- ▁fluid- ▁pricy- ▁Satay- ▁frock- ▁pending- ▁restrictive- ▁scammer- ifier- ▁mingling- ▁Sapa- ▁grandchild- ▁rosy- Nun- ▁physician- ▁comprehensive- ▁kope- ▁qual- ▁rubric- ▁evade- ▁globalisation- ▁radiotherapy- ▁tripped- ▁Race- ▁denial- ▁redemption- wow- ▁anorexia- ▁displace- ▁Ashton- ▁Zeus- ▁anatomy- ▁Family- ▁Murakami- ▁Oriental- ▁dreadful- ▁glamor- ▁Damai- ▁Hogwarts- ▁billboard- ▁consumerism- ▁explosion- ▁booze- ▁cathedral- ▁pianist- ▁Shaun- ▁Freshies- ▁Lavi- ▁eeyer- ▁freight- ▁wholesome- ▁affectionate- ▁euro- ▁pussy- ▁slut- ▁twinning- ▁mellow- ▁quoting- ▁paintball- ▁primate- score- ▁Istana- ▁Kayaking- ▁affiliated- ▁blatantly- ▁dehydrated- ▁eyelash- ▁chubby- ▁hottest- ▁unproductive- ▁unrelated- ▁womanizer- endang- ▁daugh- Kheng- ▁Chronicle- ▁harmful- ▁Sakae- ▁Shoppe- ▁clipper- ▁insistent- ▁sparkling- ▁trademark- took- thical- ▁kuih- ▁diesel- ▁incest- ▁Station- arabat- ▁charac- ▁Heroes- ▁deliberately- ▁Dior- ▁discriminate- ▁zag- ▁Prudential- ▁bubbling- ▁suffocating- ▁noticeboard- ▁patrol- ▁tagged- ▁Evan- ▁wrapper- ▁Kickapoo- ▁sank- ▁Monster- ▁adaptive- ▁spillage- ▁cheongsam- ▁haram- Chamber- ▁Ella- ▁transferring- ▁Maslinda- ▁beautif- ▁Naan- ▁shaw- ▁Bosch- ▁Dash- Gandhi- ▁bodysuit- Mahal- ▁Chevron- ▁mantis- ▁trashcan- ▁utter- ▁enunciate- ▁consent- ▁guitarist- ▁Who- ▁powderful- ▁reaper- ▁rashes- ▁Conjuring- ▁Education- ▁iCloud- ▁Like- ▁propel- ▁Salvation- ▁Gula- ▁witty- ▁Keane- ▁yuan- ▁vow- ▁Evo- ▁shareholder- ▁hazel- ▁bolt- ▁changi- ▁autonomy- noya- ▁perfumery- ▁undertaker- ▁Putra- ▁Halia- ▁communist- tigate- ▁rapist- ▁zipline- dog- ▁prune- ▁bustle- ▁illustrator- ▁blurry- ▁viewpoint- ▁drawback- ▁potent- ▁repress- ▁litted- ▁disturbance- ▁treehouse- ▁Miami- ▁rework- Chuan- Wall- Depp- ▁lax- ▁Greatest- ▁formality- ▁Smoo- ▁overview- ▁validated- ▁volcanoes- Rice- ▁easel- ▁locket- ▁fluently- vour- ▁detached- ▁biasness- ▁hypo- ▁practicality- ▁elected- ▁Wood- ▁Batisah- ▁Turtle- ▁Grabfood- ▁Jovi- ▁sev- ▁cooper- ▁rundown- ▁Sedan- ▁queer- ▁kaka- ▁Stal- ▁Xbox- ▁swerve- ▁native- ▁Bowl- ▁Talk- ▁confiscated- ▁stubbornness- ▁factories- ▁jiak- ▁damm- ▁saman- ▁traumatize- ▁profitable- ▁Gmail- ▁Sakurai- ▁downfall- ▁quali- ▁percentile- ▁keng- ▁Made- ▁Factor- ▁varied- heongsam- ▁ahem- ▁signpost- ▁Biz- ▁Vista- ▁Born- ▁occasional- ▁Liang- ▁ditch- ▁crip- ▁muse- ▁Everest- ▁mainland- ▁compu- ▁denser- ▁Lagoon- ▁Utama- essert- ▁Nepali- ▁Show- ▁potion- ▁creamier- ▁Jake- ▁zipper- ▁Six- ▁Cooper- ▁Zhen- ▁pesto- ▁Guo- ▁realisation- ▁maki- ▁cheong- ▁jug- ▁restructur- chup- ▁activated- ▁minimally- ▁Chiong- ▁clone- ▁kaw- ▁crushes- ▁bender- ▁nani- ▁Minh- ▁westerners- ▁implying- ▁mustache- ▁brushes- Xie- ▁urgently- ▁tuning- ▁Sister- ▁burped- ▁eliminated- ▁strengthen- ▁doughy- ▁sizing- ▁giveaway- ▁bronzer- ▁comical- ▁disrespected- ▁beeping- ▁campaigner- wang- ▁Nara- ▁Soon- ▁Circu- ▁merely- ▁enduring- ▁exceeded- ▁standee- ▁Cass- ▁Premiere- ▁godson- ▁fleshy- ▁skii- ▁dane- ▁sketching- tiao- ▁sesh- itive- ▁tangled- Bai- Chap- ▁Gaga- ▁bir- ▁whisker- ▁Grande- ▁Post- ▁coverall- ▁distributed- ▁underlined- ▁amused- ▁adapter- ▁bouldering- ▁externally- ▁hotline- suit- ▁interrupted- ▁wholesale- ▁overwork- ▁invaded- ▁maximi- ▁Victor- ▁runway- ▁Penyet- ▁composed- ▁optimis- ▁pawn- ▁stained- ▁Kayu- ▁assessed- ▁exuberant- ▁carom- ▁kur- ▁internally- ▁worthless- ▁stopper- ▁crawled- Tee- ▁freshness- ▁insisted- ▁Jana- ▁Tik- cker- ▁bearable- ▁Puti- ▁quad- ▁dryness- ▁Dana- ▁tuba- ▁EZ- ▁absorbed- ▁Jet- ▁unto- ▁amend- ▁Dong- ▁Socr- ▁jiao- ▁threatened- ▁Taois- ▁restless- ▁outcast- ▁getaway- ▁coping- ▁additionally- ▁tasteless- ▁expanded- ▁adver- ▁jokingly- ▁dune- Brock- ▁defender- ▁gasp- Yun- ▁murdered- ▁manually- ▁desired- ▁expiring- ▁Kath- ▁fist- ▁Nur- ▁pressurize- ▁grinding- ▁traitor- ▁oopsie- ▁threading- ▁bridg- ▁stricter- ▁firsthand- ▁sucker- ▁Airy- ▁iceman- ▁ridiculously- ▁defending- ▁formally- ▁jungler- Gen- ▁Age- ▁yel- ▁applic- ▁Nadia- being- ▁sud- ▁Comm- ▁behaved- ▁damaged- ▁Sean- ▁sweeten- ▁responded- ▁Kei- langah- Dong- Guilin- Drew- ▁reviewed- ▁reminisce- fare- ▁daylight- ▁Chell- malam- ▁dozen- ▁Keds- ▁Kung- ▁tracker- ▁baht- mega- ▁retaining- ▁memorised- ▁gossipy- ▁Bosc- ▁Team- kia- ▁Cam- ▁tru- ▁screamed- Team- ▁marginalise- ▁cheeky- ▁tic- ▁puree- ▁displayed- ▁lieu- ▁slider- ▁situational- zbuy- ▁Mariam- ▁laying- ▁fru- ▁portraying- ▁Kill- ▁Jup- ▁tryout- ▁disappearing- eggae- ▁clamp- Dazs- ▁tomb- ▁filtering- ▁DJ- ▁Jacky- ▁Low- ▁beautifully- qing- ▁ghostly- ▁recalled- ▁Lucas- ▁gymnastics- ▁immigrants- ▁pellets- ▁magnets- ▁nachos- ▁glamp- ▁scorer- ▁divider- ▁sati- ▁bedding- ▁pedas- ▁responding- ▁Cambodian- ▁Live- ▁coster- ▁Pup- ▁ref- ▁Billy- ▁instruct- ▁Kal- ▁particle- ▁crushing- ▁deserved- ▁Kun- ▁misses- ▁monitoring- ▁skilled- ▁Pull- ▁Davi- Pei- ▁Tha- ▁archi- ▁inches- ▁emotionless- holster- ▁pressed- ▁curls- ▁displaying- ▁shameless- ▁conditioning- girls- ▁riddles- ▁drooling- ▁Kitte- ▁slum- ▁Malaya- ▁Cart- manship- ubby- ▁interviewed- uhwhat- ▁flavouring- ▁Ria- ▁orbit- elly- Yin- ▁Jonah- ▁stacking- ulf- ▁scrapp- ▁flowing- ▁patronis- ▁stre- ▁petals- ▁adulting- ▁poorly- irl- ▁sau- ▁pac- bati- ▁parka- ▁hanged- lendon- ▁weirder- ▁catchy- proving- ▁investors- ▁Pilates- ▁bermudas- ▁diapers- ▁germs- ▁pebbles- ▁scallops- ▁defined- yung- Reap- ▁handcuff- nut- wiping- ▁usable- diate- ▁alre- ▁doze- ▁Ande- erf- ▁beca- ▁informati- lalang- ▁centred- ▁goose- osity- ▁pete- RA- ▁suprem- ▁imme- ▁Av- ▁wrinkle- ▁pinky- ▁marr- ▁believer- ▁holi- ▁Carls- ▁realist- ▁Nav- ▁yell- ▁afro- ▁cleaned- ▁happ- ▁fractio- ▁Pen- ▁picker- sim- ▁accumulati- uge- Junction- ▁nutritional- ▁gyming- ▁forge- cho- ▁acquir- top- play- ▁luo- ▁swo- ▁plush- erome- ▁sibe- Shack- ▁Stu- entrepreneurship- aker- ▁melo- ▁optic- moo- garden- ▁wiggl- ▁memo- ▁Elf- ▁fizz- ▁Kor- ▁coloring- ▁gy- ▁Glad- anny- izard- Lamb- ▁Tur- ▁Sub- otte- ▁Baker- ▁Tora- ▁humiliat- Ringo- ▁physiologi- ▁giggl- ▁hugg- ▁Lip- ▁aimless- ▁padd- ▁Merc- addy- ggers- ilia- ▁divin- ▁minimalist- heng- ▁Za- Yeo- ▁secur- actually- Now- ▁Lol- fusing- ▁Ele- ▁dub- agging- eenage- logical- ▁gl- kay- ▁purg- ummies- hiong- fully- ▁wil- ▁downgrade- ▁coordinat- ▁walker- ▁glut- rain- oth- ▁publicise- ▁airdrop- ▁embod- ▁stor- ▁bulg- Bike- ▁perf- gui- lease- ▁committ- ▁Nest- ▁beep- ▁cripple- iction- pei- ▁bac- ▁pressur- ▁jer- ▁defi- nese- ▁Dot- ease- ▁fou- ▁Woo- lao- bur- ▁Jum- pang- roy- ▁Sia- ▁smo- ▁sel- okay- ▁pickle- ▁diagnos- izzle- media- ▁bod- ushi- ▁reme- ▁commentar- ▁indulg- ▁scrambl- ▁wag- ▁ventur- ▁sighted- ulated- Pai- ancy- pian- Gab- esar- ux- Jenner- ▁zh- ▁dial- ▁indicat- inning- ▁cran- ▁basin- ▁concur- ▁patron- ▁tackl- ▁Act- sulting- imo- arred- Kueh- erial- ▁assure- hoc- ▁apparel- Fan- ▁tantrum- ▁Resort- ▁analytic- Brother- ▁regulation- ▁congratulation- ▁Airline- ▁boob- ▁cockle- ▁frie- ▁shophouse- ▁cau- Lan- ▁fatal- ▁Soci- ▁enc- Lun- ▁clothe- ▁ela- ▁lif- ▁stin- capped- ▁eng- ▁instruc- ▁viewer- ▁conver- ▁apparen- icles- ▁feminis- ▁petal- ▁rese- abo- Por- eech- ▁Wind- Png- cination- Ten- ▁sui- ▁recreation- rmal- ▁replica- Chia- ▁quan- ▁admir- ▁Mil- ▁feng- dded- ▁appli- gba- ▁Rou- oded- Christ- kling- ▁acco- cock- ▁fir- ▁stud- ▁conti- ▁generat- ▁dab- hanger- ▁scribbl- ▁Kevi- ▁overwhelm- ▁disgust- ▁translat- learn- ▁overflow- ▁embarass- ▁enrich- ▁Zion- ▁festi- ▁eliminat- exist- ▁involv- claim- luck- ▁jade- ▁implie- shoot- ▁entitle- ▁flourish- ▁communi- axophone- abilities- fresh- ▁appoint- ▁amplifie- ▁lingui- Bueno- Campbell- Ericsson- bilis- Curry- Hardy- Possible- Waterfront- llustrator- Putra- write- cooper- College- Garfield- Kacang- clutter- Chee- Zhong- Switch- floss- Martin- Mario- Melaka- ▁Morgan- league- Audi- Royal- Museum- sufficient- South- capable- omelette- Geylang- Raffles- Secret- frame- pilot- slept- ▁autonom- Bedok- Jurong- brother- girlfriend- when- family- glory- Court- ▁enterpris- class- sports- Primary- ▁Mega- ▁procreat- Shore- stral- ▁lasagn- Katong- ▁fluff- ▁energ- arthritis- paint- balance- woman- Giant- malay- nerd- Boat- ▁meditat- ▁multiplie- Amos- ▁glide- why- ▁restore- ▁alwa- irates- ▁inherent- ▁thorough- chek- ▁especial- Center- illenials- Dark- nounce- ▁gradual- hallenger- ▁unfriend- game- erald- atural- chemic- ▁coincident- ▁judgment- ▁coincidental- ▁Michel- ormula- ▁coward- ▁explosi- ditor- ivalry- thritis- ▁enthusiast- ▁congratulat- ▁orientat- ▁assassin- ▁uncertain- linders- ▁environ- ▁subtract- latan- ▁homosexual- Huang- migrant- ▁Capital- ▁commute- ▁Casi- '3'- ▁Battle- ▁Crime- ▁Rasuk- ▁Constance- ▁Leicester- ▁Sistine- ▁dermatologi- ▁Binjai- ▁Kavis- ▁Okto- ▁Silicon- Thatcher- ▁Bohemian- ▁Dennis- ▁Raymond- ▁Taroko- ▁Whampoa- ▁bumble- ▁devotion- ▁levitat- Atkinson- Bolton- Bridge- Brule- Corden- Cumberbatch- DeGeneres- Diesel- Gambino- Garrix- Hemsworth- Heritage- Hussain- Interchange- Laundrette- Level- Negara- Neville- Pacquiao- Persie- Ramlee- Streisand- lluminati- normous- penyet- quamarine- ▁Adriel- ▁Akira- ▁Anastasia- ▁Andriod- ▁Antwerp- ▁Arizona- ▁Auckland- ▁Awaz- ▁Azkaban- ▁Beethoven- ▁Bodyguard- ▁Braddell- ▁Bruce- ▁Buzzfeed- ▁Chadwick- ▁Chandler- ▁Cheddar- ▁Chernobyl- ▁Clarins- ▁Coachella- ▁Colorpop- ▁Company- ▁Condo- ▁Counterstrike- ▁Crayon- ▁Cuisine- ▁Culture- ▁Daenerys- ▁Deekosh- ▁Digest- ▁Dillon- ▁Dungeon- ▁Durarara- ▁Esther- ▁FOMO- ▁Fajita- ▁Fieldsville- ▁Fiji- ▁Flume- ▁Hataraku- ▁Heeraj- ▁Hercules- ▁Honolulu- ▁Houston- ▁Jiufen- ▁Joakim- ▁Kadir- ▁Kasta- ▁Kindle- ▁Kitchen- ▁LMAO- ▁LaSalle- ▁Lalamove- ▁Lawrence- ▁Luqman- ▁Madonna- ▁Martial- ▁Matilda- ▁McFlurry- ▁Megazord- ▁Ministry- ▁Mississippi- ▁Mormon- ▁Morocco- ▁Napfa- ▁Nirvana- ▁Nissin- ▁Oleander- ▁Ostrava- ▁Othello- ▁Palawan- ▁Picnic- ▁Pixel- ▁Poptropica- ▁Poseidon- ▁Rabbit- ▁Radiohead- ▁Razer- ▁Redmart- ▁Reebo- ▁SOTA- ▁Sadie- ▁Sebastian- ▁Seiko- ▁Seremban- ▁Shenkuu- ▁Shiberty- ▁Shopkins- ▁Skittles- ▁Solecase- ▁Somalia- ▁Songket- ▁Spice- ▁Starfire- ▁Stomp- ▁Subsuka- ▁Sumatra- ▁Surabaya- ▁Syndra- ▁Targaryen- ▁Terraria- ▁Unfabulous- ▁Usopp- ▁Vitagen- ▁Watami- ▁Wharf- ▁Wilfred- ▁Woodleigh- ▁Xiaxue- ▁Yugioh- ▁Zidane- ▁abolish- ▁academia- ▁accommodating- ▁adjective- ▁african- ▁ahmad- ▁allegedly- ▁ambiguity- ▁anchovies- ▁appliances- ▁apprentice- ▁armskote- ▁availabil- ▁barricade- ▁believable- ▁billiard- ▁blackcurr- ▁bookshelf- ▁calefare- ▁cashflow- ▁categorise- ▁caterpillar- ▁cheapskate- ▁chief- ▁clarity- ▁clause- ▁cleave- ▁codependent- ▁commonwealth- ▁compilation- ▁concurrently- ▁conspiracy- ▁conspire- ▁corruption- ▁cottage- ▁credible- ▁crescent- ▁damaging- ▁decline- ▁declining- ▁degenerate- ▁demolition- ▁demotivate- ▁devastated- ▁devastating- ▁diaphragm- ▁dictator- ▁disgrace- ▁dispatch- ▁displeasure- ▁dystopian- ▁elitism- ▁endorphin- ▁ensemble- ▁equity- ▁estella- ▁exempted- ▁exorbitant- ▁fanciful- ▁flaunt- ▁flavourtown- ▁forefather- ▁forensic- ▁gibberish- ▁gimme- ▁gloomy- ▁glucose- ▁gratification- ▁gruesome- ▁guava- ▁gynae- ▁hammock- ▁harmonizer- ▁heaviest- ▁hibernate- ▁hickey- ▁honeydew- ▁hungrier- ▁hurried- ▁hypothermia- ▁imaginative- ▁impractical- ▁inducing- ▁inefficiency- ▁infatuated- ▁influenza- ▁infused- ▁inquisitive- ▁insecurities- ▁insignificant- ▁jaguar- ▁jinx- ▁kanken- ▁lavender- ▁lenient- ▁lilac- ▁litigation- ▁locksmith- ▁loiter- ▁longevity- ▁maggots- ▁maisonette- ▁majestic- ▁meritocracy- ▁millipede- ▁mojito- ▁monastery- ▁monorail- ▁mukbang- ▁nepotism- ▁nonchalant- ▁nonetheless- ▁obesity- ▁odac- ▁opaque- ▁origami- ▁ostrich- ▁outstretch- ▁overpopulated- ▁override- ▁parapet- ▁patriarchal- ▁persuasive- ▁phenomenon- ▁pigmentation- ▁piloxing- ▁pomelo- ▁powerbank- ▁preservation- ▁pressurising- ▁prostitute- ▁prostitution- ▁rambling- ▁recreating- ▁rectify- ▁reimburse- ▁relevanc- ▁remedies- ▁renowned- ▁reorganise- ▁reptile- ▁responsive- ▁rethink- ▁reunite- ▁revelation- ▁rosti- ▁sabotage- ▁sacrificial- ▁sanctuary- ▁saviour- ▁sidekick- ▁skinnier- ▁slapped- ▁sleek- ▁slurp- ▁smirk- ▁stellar- ▁stench- ▁storytelling- ▁stylo- ▁submarine- ▁substantiate- ▁sunbathing- ▁surcharge- ▁surmise- ▁surreal- ▁suspens- ▁swept- ▁tactful- ▁tangerine- ▁thanksgiving- ▁threadmill- ▁tortoise- ▁transmission- ▁trickshaw- ▁tumeric- ▁turmeric- ▁unbreakable- ▁unconventional- ▁unfamiliar- ▁unforgettable- ▁unfulfill- ▁unheal- ▁unpack- ▁unreliable- ▁unveil- ▁velocity- ▁vigilant- ▁volatile- ▁wacoal- ▁wicked- ▁wilderness- ▁withdrew- Ketchum- ▁Brokeback- ▁Clifford- ▁Economics- ▁Eeyor- ▁Eudora- ▁Kebab- ▁Matcha- ▁Narelle- ▁Patrick- ▁Salim- ▁berapa- ▁concuss- ▁entangle- ▁imprison- ▁inactive- ▁incinerati- ▁insured- ▁irritable- ▁juggling- ▁kerb- ▁penthouse- ▁physiotherapist- ▁posterior- ▁prosecut- ▁robust- ▁shrunk- ▁solitude- ▁turd- ▁underpass- ▁wholemeal- ▁yip- Ambeng- Kennedy- ▁Hydr- ▁Inisha- ▁Kellogg- ▁Morinho- ▁Petercrouch- ▁Reader- ▁desensitize- ▁eggplant- ▁embroider- ▁enchant- ▁fandom- ▁hamburger- ▁harmonic- ▁investigating- ▁lassi- ▁leftward- ▁miserably- ▁mistress- ▁pagoda- ▁pigtail- ▁pulpo- ▁recognising- ▁reign- ▁riffs- ▁sleepwalk- ▁tatami- ▁temptation- ▁twitch- ▁yikes- itamin- ▁Pierre- ▁bypass- ▁delegat- ▁pawnshop- Charlotte- endrick- lender- ▁Aberc- ▁Carrot- ▁Kamu- ▁Loyang- ▁Peaky- ▁Smurf- ▁Yahoo- ▁garner- ▁pressurizing- ▁simplify- Cowell- Neeson- ▁Apax- ▁Clive- ▁bloop- ▁bodied- ▁eagle- ▁jeera- ▁republic- ▁sachet- ▁witchcraft- ▁worrywart- ▁Jumper- ▁Patek- ▁Shannon- ▁Tofu- ▁Zubi- ▁airshow- ▁beacause- ▁caesarean- ▁inspiriting- ▁maximize- ▁microbio- ▁mysteries- ▁remedy- ▁saloon- ▁saucy- ▁teapot- ▁tutu- ▁Lovisa- ▁Saraca- ▁Scout- ▁arbitrary- ▁fuming- ▁ivy- ▁lollipop- ▁poetic- ▁solemn- Chaplin- ▁Carlyn- ▁Collin- ▁Gelato- ▁Kenji- ▁Merek- ▁stutter- ▁Sahana- ▁Sehun- ▁holocaust- ▁plaque- ▁Masala- ▁Pyth- ▁comedies- ▁dabbing- ▁eavesdropping- ▁frilly- ▁revolutionary- ▁uprising- ▁Yankee- ▁Melody- ▁Saku- ▁Ubergrapher- ▁obligated- ▁robbing- ▁villian- Granger- fected- ▁Peace- ▁assurance- ▁collide- ▁stubble- ▁tiresome- ologne- ▁Phisha- ▁Rasa- ▁cauli- ▁Germaine- ▁Libra- ▁Seventeen- ▁agak- ▁dividend- ▁Raned- ▁Stray- ▁detest- ▁esters- ▁froyo- ▁recollection- ▁toppled- ▁prerequisite- ▁pyjamas- ▁sacred- ▁selves- ▁Fariz- ▁Lucy- ▁Musa- ▁Davina- ▁Judy- ▁blemishes- ▁hippie- ▁porch- ▁skewe- ▁exponentially- ▁mistreat- ▁sparrow- Diaries- kram- ▁gourd- ▁horlick- ▁ascend- ▁daft- ▁subtraction- ▁maturing- ▁normative- ▁Aquaman- ▁Farid- ▁Pinang- ▁Soju- ▁parody- ▁rasp- Xiong- ▁Demi- ▁Hebe- ▁gently- ▁shameful- ▁drumlet- ertis- ▁confrontational- ▁pupa- ▁drastically- ▁guac- ▁Jared- ▁Marmalade- ▁empowerment- ▁flunk- ▁jellybean- ▁visc- Paddle- ▁Dollah- ▁Tangled- ▁bullier- ▁clapping- ▁resembles- Care- ▁Asos- ▁Moza- ▁Westgate- ▁quarry- ▁Lazuli- ▁chorus- ▁tequila- ▁wafer- ▁Jeanette- ▁SpiderMan- ▁grumbling- ▁kinship- Lapis- Madrid- ikgu- ▁coordinator- ▁dahl- ▁yoogane- ▁Kimberly- ▁Pharrell- ▁brigade- ▁forgivable- ▁dyslexia- ▁nicotine- ▁sensitivity- ▁Chick- ▁Edward- Ferrell- ▁Siva- ▁bleak- ▁Cheong- ▁civilized- ▁reciprocation- ▁Singsale- ▁elementary- ▁laloo- ▁Gear- sibility- ▁Mogu- ▁limelight- Train- ▁kakak- ▁shortlist- rped- ▁carousell- ▁footprint- Kurau- ▁globalised- ▁mower- ▁backstory- ▁monit- ▁Trans- ▁daisy- ▁hijack- ▁compass- ▁prankster- ▁Jinna- ▁transformation- ▁navigation- ▁homesick- ▁Robinson- ▁alps- ▁liability- ▁solidif- ▁whistl- ▁Luka- ▁Goro- ▁extraordinary- ▁Mollywood- ▁hobo- ▁shapeshift- ▁absent- ▁endorse- ▁exclaim- ▁tradesman- ▁Tanuki- ▁modification- ▁Asam- ▁shawl- ▁Heath- ▁chapteh- ▁Desiree- ▁alignment- ▁rollerblade- ▁grit- ▁vacancy- liath- ▁Mitchie- ▁purposeful- idle- ▁Salman- ▁cylinder- ▁supposing- ▁Dora- ▁Institute- ▁Convenience- ▁Future- ▁Gabriel- ▁Gateway- ▁Krunch- ▁Satan- ▁Schwarzenegger- ▁Technical- ▁Theatre- ▁alteration- ▁hush- ▁crayon- ▁snipe- Kardashian- ▁moonlight- ▁emit- ▁Stephenie- face- ▁aburi- ▁constipated- ▁Kurt- ▁nutri- ▁cowardly- ▁omega- ldering- ▁hopped- ▁recruitment- ▁slavery- ▁lever- ▁faci- ▁Austin- ▁rotan- ▁breathless- ▁indian- ▁swish- ▁Spartan- ▁Usman- ▁Tabata- ▁precaution- Law- ▁Anabelle- ▁Carrie- indef- ▁vary- ▁moisturize- ▁pester- ▁underdog- ▁gracefully- ▁Aquarium- ▁Caribbean- ▁Hathaway- zuo- ▁installment- ▁Shepard- ▁ladu- ▁acknowledgement- ▁affordability- ▁unfriendly- ▁tagline- ▁Camp- ▁TAF- ▁noticing- Group- ▁instantaneously- ▁roman- ▁salivating- Duck- yaki- ▁betrayal- ▁laces- ▁Fault- ▁waive- ▁Grabpay- ▁Fomo- ▁exert- ▁utai- ▁disposal- ▁unpaid- luted- liate- ▁pullover- ▁Curry- ▁Possible- ▁skillful- ▁inflated- ▁fomo- Rock- ▁Waterfront- ▁illnesses- ▁zhai- ▁uber- ▁alkali- Liu- ▁fruitful- ▁choreography- ▁jiang- ▁firewood- minal- ▁seniority- ▁Woman- ▁goatie- ▁conserving- ▁socializing- ▁sweetener- ▁speck- ▁deadass- ▁Riz- ▁trou- ▁clubhouse- Liang- Hai- ▁familiarity- ▁implied- ▁spaceship- ▁restored- ossil- ▁Semi- ▁endangered- ▁Lake- ▁Mango- Tomato- ▁Cind- ▁Smart- ▁predictable- ▁rover- ▁Huang- ▁Willy- ▁reassure- ▁Meg- ▁popper- Thanh- ▁situat- ▁Hardy- ▁Asher- ▁pushover- ▁Aqil- ▁congested- ▁ostracised- ▁shopped- cigarette- ▁blacklist- ▁appam- ▁Abba- ▁drier- ▁unfa- ▁adaptor- ▁backstroke- ▁excessively- ▁empowered- ▁worthwhile- ▁innovat- ▁Ride- ▁baton- ▁altruism- ▁Jez- ▁biases- ▁Udon- ▁epitom- ▁Dover- ▁shutter- ▁hatred- ▁poof- ▁reclaimed- ▁bitterness- ▁ushering- ▁romanticize- ▁gab- ▁smoothness- ▁songwriter- ▁Abel- oma- ▁Sota- Siang- ▁lapis- ▁firing- ▁Muk- ▁calmness- ▁interven- ▁misused- ▁crawler- ▁Stone- ▁Dew- ▁purging- ▁recharged- ▁exhi- Tsum- ▁selfishness- ▁fidgety- ▁miso- ▁Latino- ▁arrested- ringe- ▁histories- ▁Fist- ▁barrag- ▁Missha- ▁Blan- ▁deformed- ▁punches- ▁Fox- ▁doctorate- ▁kera- polis- ▁Beast- ▁Brad- ▁brainless- ▁talentless- ▁Lou- ▁masses- ▁crosster- ▁Hamza- burn- ▁specialization- ▁Tango- hmm- ▁shyness- gram- ▁Wheel- ▁Finding- ▁frowning- ▁stealth- ▁neatly- ▁lug- ▁McCartney- ▁Rex- ▁Faber- ▁deli- gana- ▁destroyer- illian- ▁homecoming- ▁raya- ▁conception- ▁betrayer- ▁nip- ▁derived- ▁kayponess- ▁Box- Candle- ▁Guy- ▁latter- Sue- ▁lun- ▁Blink- ▁headline- ▁heartedly- ctive- ▁Kasan- ▁Moon- ▁loosely- ▁versed- ▁Sci- ▁bonuses- ▁mul- ▁analyzed- ▁Haik- pize- ▁sever- ▁contradict- ▁Top- mination- lushie- ▁Ghe- fry- ▁sharper- ▁Clini- ▁desperately- ▁Dino- ▁thickness- ▁Sara- ▁Peng- ▁organizer- ▁breadth- ▁pow- icable- ▁honoured- ▁strained- ▁Hang- ▁defeated- ▁mov- ▁Tei- ▁Hary- ▁chup- ▁Fong- ▁revisi- ▁turnover- ▁establishing- Yorke- ▁polished- ▁politely- ▁befriend- ▁converter- ▁Tammy- ▁cranberr- ▁googling- ▁antagonist- ▁inconsistent- ▁Ono- ▁buffering- ▁eBay- boi- ▁sweeper- ▁Swan- ▁slowest- ▁deng- pai- ▁yawning- Gui- ▁heartless- ▁reductio- Korean- ▁Sex- ▁unle- blanc- ▁processes- ▁flavored- ▁waterway- ▁shirtless- ▁toughest- ▁speciality- ▁detected- ▁playback- ▁chicky- Food- ▁partial- ▁tolerated- ▁seng- ▁deducted- ▁teased- ▁usher- ▁resolved- ▁Bigo- ▁compl- thful- Sun- ▁tunneling- ological- ▁consumed- ▁lovingly- ▁Fann- ▁soften- ▁pate- Tian- ▁puffy- ▁rescued- Wu- ▁shoppe- ▁distressed- ▁ambi- Cai- ▁corny- otto- ▁Gilm- ▁makeover- ▁umrah- watch- ▁pref- ▁quicker- ilky- ▁conce- ▁weighing- ▁nailed- ▁roasting- ▁lec- ▁cov- ▁successor- ittle- Map- ▁filtered- Mac- ▁schoolwork- ▁Ong- ▁publishing- arments- ▁blo- ▁Zam- ▁sobbing- Dion- ▁tuned- ▁Lemak- toms- ▁Kana- ▁jailed- ▁drafting- wave- ▁Manu- ▁Tra- ▁reachable- ▁Kao- ▁guarded- ▁lightest- ▁zeroes- ▁burner- eye- ▁ou- ▁comply- ▁reduced- ▁Ibis- ▁stretchy- ▁Prat- ▁honk- ▁Bull- ▁Hali- ▁arriv- lph- ▁predicting- nstaStory- ▁pursued- ▁challenger- ▁Kris- ▁banger- ▁prevented- ▁squeezed- ▁heartlander- ▁snowed- ▁produced- ▁cram- ▁drilling- ▁spreaded- ▁treasurer- ▁imag- ▁vegeta- ▁proceeding- ▁eleg- anji- ▁racer- ▁hundredth- Phone- ▁parental- ▁planted- lding- ▁benefited- houl- ▁Barb- ▁jumper- ▁moolah- Friend- ▁mill- ▁expe- ▁deg- ▁developer- ▁contracted- ▁Schooling- ini- imbley- ▁clicked- ▁cape- ▁visualize- ▁haunting- ▁walkable- edical- ▁grilling- ▁Alar- geo- ▁worser- rinate- ▁poom- ▁Harif- most- ▁sicko- Lulu- rose- ▁bodybuild- ▁realism- itude- ▁criti- ▁handler- Ariff- ▁tramp- ▁degrade- Francis- ▁chocolatey- ▁hydrate- ▁glorif- ▁overlapp- ▁Hil- rgot- ▁asap- ▁environmentalis- AF- opper- ▁harmless- ▁curate- ▁dork- ▁chionging- ▁spank- ▁za- ▁winding- ▁blinded- ▁subside- ▁qu- ▁legi- lingual- ▁orderly- ▁lure- base- ▁Medi- ▁sleeper- ▁computerise- duh- ▁choc- curred- ▁cy- gina- ▁socio- ▁Orio- ▁Deep- ▁Yo- hildish- arro- Ah- ▁End- kul- sands- rupt- Tech- ▁earner- ▁hund- pool- ello- ▁dinn- stinate- ▁Neo- even- ▁bustl- tories- pathetic- ▁hasten- entity- oodlands- ▁Pea- Fury- eran- berg- ▁capitalise- ▁Levi- masak- ▁accumulat- inch- stand- ▁emba- oxid- gging- ▁Monte- ▁argumentati- call- bber- ▁vid- ocr- ▁Fuch- ▁backstabbe- ▁nationalis- ▁exc- ▁Zal- ▁traveler- ever- ▁eth- ▁deriv- ▁grate- ferring- ▁unfold- iation- cking- ▁Mur- rover- ▁Canton- stilled- him- ▁dime- cheng- ▁Tele- kuma- hol- ▁vin- ▁Huali- anuel- chun- eady- itis- epen- imer- ▁compe- order- ▁Myth- olla- ▁Az- ▁pul- ▁deficien- ▁matri- ulge- ▁deca- unk- With- ▁franc- lari- ▁Austra- ▁intrud- lame- ▁apologiz- Zhai- erries- utical- ego- seller- rched- lebar- emb- ▁Qu- ▁kua- uro- ▁buri- ▁circulate- lush- nial- Raw- aiyo- col- ▁kala- lang- ▁fixate- ▁cru- mati- ▁stimulat- ▁propos- ▁cel- Gao- ▁poli- Bake- ▁subscrib- Roof- Alam- Hung- zen- ▁refu- andar- ▁logge- Yung- uggle- ula- ▁jumb- nnies- erson- Cake- athon- ▁urbanis- ▁capitalist- Papa- ▁tran- ▁Vinc- ▁bul- ervic- ▁Wenh- espera- ▁capitaliz- ▁enti- ▁Aunt- ived- Boss- Bron- izer- ▁destin- ▁kisse- Maid- ▁prev- ▁angpa- ▁Juli- bab- ▁Zend- Kid- ▁interpreta- ▁gener- ▁vap- communication- ipe- anning- ▁satur- acin- Hyung- ▁advocat- ▁detaine- ▁Fin- Card- ▁labell- ▁cartoonis- ayer- ▁Web- ▁Rayna- ubbing- ▁Cho- ddler- ▁treasur- girl- ▁riddle- berry- ▁procra- oving- Girl- ▁premise- ▁wolve- ▁streak- ▁sadist- ▁disagreement- ▁flake- ▁eyeball- ▁grudge- ▁remark- ▁Mathematic- ▁Netherland- echnology- ▁Avenger- ▁Physic- ▁boomer- ▁Jame- ▁poi- ▁Father- ▁reliev- abata- lice- ruff- ▁tannin- Bare- head- utmost- wfully- lywood- ingham- ▁espe- ▁retiree- andan- ▁astig- ▁dir- ▁empha- ▁Marriot- lander- ▁expel- ▁edi- ▁catalys- ▁shou- ▁fami- ▁gif- burger- cky- ▁Wha- aggy- finity- stead- ▁dislik- tract- ryani- ▁brid- Prima- Halt- ▁twi- Sale- ▁tack- lded- ▁Gui- ▁Tae- tivating- rovi- abil- ▁regula- avier- ▁Gun- essa- shift- ▁Shape- phon- ▁instil- ▁amputat- ▁usua- ▁Gol- ▁Bur- lopp- after- ▁Havai- killers- ▁swop- oosebumps- sheet- ozy- ▁qualifi- ushed- ▁cohesi- ▁squeez- ▁smel- ▁Choo- ▁consol- ▁swerv- view- ▁schedul- ▁shiver- ▁troubl- heart- ▁ide- ▁initiat- ▁desir- ▁retir- Sua- ▁emphasiz- ▁reschedule- ▁inflate- ▁incredibl- ▁subsidise- ▁elevate- ▁Nico- ▁overrate- ▁satisfie- mother- minded- planning- science- ▁refuge- hearted- weetener- therapy- Chocolate- Health- Kingdom- curricul- xuan- Union- ▁Lyn- ▁retard- Aquarium- Caribbean- Hathaway- Tatum- fiqah- Beast- Conjuring- Education- interrupted- rapist- piece- ▁bloat- ▁financ- Academy- Davidson- Reservoir- alvation- Amri- Business- Forest- Toast- Maria- Valley- social- Mourinho- Canyon- Chew- bulb- ▁commodit- Zhou- knob- crackers- Juliet- Siti- Beauty- Cube- Keith- Lauren- Coffee- Spine- determined- ▁Anabell- Nicholas- balcony- organize- spicy- Michael- subscribe- Africa- British- professional- satisfied- typical- Cloud- married- theatre- thousand- value- written- friendly- ▁enunciat- primary- waste- drink- lemon- grown- Love- igger- ▁victor- hunter- bedok- clip- colour- tongue- ▁cemeter- ▁monopol- ▁Clair- ▁Clark- paper- ▁Tosh- upperware- metal- good- aslinda- packaged- held- butter- damn- Rod- ▁spher- ▁unconditional- Angeles- depth- anjong- Quee- ▁volcan- ▁ziplin- fringe- ▁deliberate- jack- residency- chemical- rifle- ▁clement- Polo- reasure- grapher- latform- deco- ▁firefight- ▁telemarket- ountry- riendzone- ompass- ▁carousel- ▁hawk- whitt- ▁trivia- yslexia- around- Xia- ▁measur- island- ▁communicati- enefit- ▁resembl- productive- ▁voic- ▁percepti- ▁homophob- ▁samba- ▁Burg- ▁phil- ▁squish- rigue- ejected- ▁schoo- ▁bribe- ▁rearrange- ▁exaggerati- eptical- ▁Entertain- ▁supple- ▁Bomb- ▁abili- ▁frantic- ▁transcend- ▁stagna- rank- pulsive- ▁Farooq- ▁Naru- ▁Second- ▁philanthrop- ▁repack- reckles- ▁pharma- Reptile- rocious- ▁Napoleon- ▁Wednes- ▁valentine- ▁validate- ▁Storm- bbish- constru- ▁Cecil- ▁Mastercard- ▁Sezairi- ▁Solomon- ▁hyperventilat- ▁peripheral- ':'- Alchemist- Brolin- Cavani- Converter- Defence- Exchange- Explore- Fansipan- Girlfriend- Grannis- Kerang- Lovato- Mandeb- Marbles- Marinda- Meyer- Packard- Ragnarok- Reborn- Rendezvous- Samsuddin- Spect- Tarik- Trench- Walker- appetising- appuccino- bahru- conferenc- dministration- gerrard- incarnate- iramisu- kyscraper- ntartica- ockingbird- osaurus- rangel- uhthis- '}'- '- ▁Abdullah- ▁Abraham- ▁Addam- ▁Aladdin- ▁Allyssa- ▁Anaheim- ▁Ananas- ▁Aristotle- ▁Assassin- ▁Atlanta- ▁Atticus- ▁Axel- ▁Ayden- ▁Balmain- ▁Bambang- ▁Bazaar- ▁Becka- ▁Bernice- ▁Bloom- ▁Bosphorus- ▁Brockhampton- ▁Burberry- ▁Cantho- ▁Capri- ▁Casper- ▁Chateraise- ▁Cheeketah- ▁Chipsmore- ▁Corolla- ▁Corvallis- ▁CosRX- ▁Cosrx- ▁Counter- ▁Creamier- ▁Cristofori- ▁Darrel- ▁Darwin- ▁Deathmatch- ▁Demons- ▁Design- ▁Dictator- ▁Dundee- ▁Dunkin- ▁Edgar- ▁Elane- ▁Eleanor- ▁Electro- ▁Enactus- ▁Equal- ▁Equator- ▁Eternity- ▁Ethiopian- ▁Everlast- ▁Fairuz- ▁Fatcat- ▁FavePay- ▁Favor- ▁Finsta- ▁Frisbee- ▁Front- ▁Giva- ▁Godiva- ▁Gojek- ▁Gulliver- ▁HabourFront- ▁Hanzo- ▁Harzik- ▁Hayde- ▁Hiragana- ▁Holdings- ▁Hollandaise- ▁Hologram- ▁Honestbee- ▁Hoshino- ▁Hsinchu- ▁Hunter- ▁Husserl- ▁Imperial- ▁Inktober- ▁Innok- ▁Jamaica- ▁Janabelle- ▁Jefri- ▁Jolibee- ▁Kendra- ▁Kenora- ▁Khalees- ▁Kinokuniya- ▁Kitori- ▁KouFu- ▁Leaves- ▁Leuch- ▁Lexus- ▁Libya- ▁Lilac- ▁Lontong- ▁Lorraine- ▁Luffy- ▁Management- ▁Matthew- ▁McNugget- ▁Motorola- ▁Mumbai- ▁Nebraska- ▁Nelson- ▁Nigeria- ▁Nobel- ▁Nothingness- ▁Nyx- ▁Oliander- ▁Otogi- ▁Paradise- ▁Pentatonix- ▁Petpetpet- ▁Pharaoh- ▁Poppins- ▁Portuguese- ▁Poteng- ▁Prakash- ▁Pretty- ▁Puff- ▁Qihua- ▁Reebonz- ▁Refash- ▁Remember- ▁Revlon- ▁Ribena- ▁Rooney- ▁Roxy- ▁Sabbath- ▁Sabsuka- ▁Scorpio- ▁Scramble- ▁Senibong- ▁Sennheiser- ▁Sensei- ▁Seraphina- ▁Shabir- ▁Shrek- ▁Silence- ▁Sogou- ▁Soraya- ▁Spotty- ▁Squirtle- ▁Supernatural- ▁Swarovski- ▁Syaz- ▁Sylvester- ▁Technique- ▁Thanksgiving- ▁Thosai- ▁Thriller- ▁Tigreal- ▁TikTok- ▁Transylvania- ▁Trivers- ▁Ukraine- ▁Uprising- ▁Valuetronic- ▁Vatican- ▁Velvet- ▁Wacom- ▁Wagyu- ▁Waiki- ▁Wakanda- ▁Wallace- ▁Westlife- ▁Winston- ▁Xenia- ▁Yeezy- ▁Zahirah- ▁abbreviate- ▁abbreviation- ▁abdominal- ▁abseil- ▁accessories- ▁acclaimed- ▁accompanie- ▁acutally- ▁administrator- ▁adversary- ▁adversity- ▁affluence- ▁affluent- ▁alligator- ▁alliteration- ▁anemone- ▁antihero- ▁applause- ▁apprehensive- ▁arrogance- ▁articulation- ▁ascertain- ▁asparagus- ▁bibliography- ▁bittergourd- ▁blasphemy- ▁bourgeois- ▁buckwheat- ▁bursaries- ▁cajon- ▁carbohydrate- ▁categorize- ▁catwalk- ▁caviar- ▁centimeter- ▁chameleon- ▁chauffeur- ▁chawanmushi- ▁cheddar- ▁cheebye- ▁cheerleader- ▁chimichanga- ▁chromo- ▁chrysa- ▁circumference- ▁clarinet- ▁coastguard- ▁cocoon- ▁commuting- ▁concious- ▁condolence- ▁confetti- ▁conglomerate- ▁congregate- ▁connectivity- ▁correspond- ▁coworker- ▁crisscross- ▁cuff- ▁customaries- ▁cutlery- ▁deceiving- ▁declaration- ▁deconstructor- ▁delifrance- ▁delinquent- ▁depleted- ▁digimon- ▁diminish- ▁disciple- ▁discrete- ▁discretion- ▁disparity- ▁disregard- ▁drenched- ▁droop- ▁dwindling- ▁dynasties- ▁eEcons- ▁electromagnetic- ▁enforcing- ▁entrap- ▁entrusting- ▁equilibrium- ▁euthanasia- ▁expedit- ▁expendable- ▁explanatory- ▁exploration- ▁eyebags- ▁faggot- ▁fajitas- ▁fashionista- ▁feminine- ▁fictitious- ▁florist- ▁foggy- ▁freeloader- ▁fretboard- ▁furnish- ▁fuzzy- ▁gachapon- ▁gallon- ▁gallop- ▁gonorrhea- ▁grenade- ▁griev- ▁hairpins- ▁handicraft- ▁herbivores- ▁hibernating- ▁hippopotamus- ▁hitchhiker- ▁hobbit- ▁homogeneous- ▁horribly- ▁hyena- ▁iPod- ▁identifiable- ▁ideologies- ▁igloo- ▁imperfection- ▁impolite- ▁incompetent- ▁indigestion- ▁infertile- ▁infringing- ▁instalment- ▁intricate- ▁investigator- ▁invoice- ▁iodine- ▁isolation- ▁jargon- ▁jenny- ▁jockey- ▁kicap- ▁kidnapped- ▁kinetic- ▁lechon- ▁lethargic- ▁lexicon- ▁ligament- ▁loudspeaker- ▁malacca- ▁mastermind- ▁melodies- ▁mischie- ▁miscount- ▁misguided- ▁monotony- ▁muesli- ▁multicultural- ▁multiplayer- ▁murta- ▁muruk- ▁neanderthal- ▁nihon- ▁nudity- ▁nutcracker- ▁nutritious- ▁ostracize- ▁otaku- ▁outburst- ▁outweigh- ▁overarching- ▁overcrowding- ▁overhyped- ▁overpowered- ▁paramour- ▁paraphras- ▁peacemaker- ▁perspec- ▁pessimism- ▁pesticide- ▁petroleum- ▁phenomenal- ▁phlegm- ▁physique- ▁pickpocket- ▁plural- ▁poeple- ▁precision- ▁prescribe- ▁pricier- ▁prorated- ▁pupil- ▁quantitative- ▁quarantine- ▁radius- ▁ramekins- ▁rebatch- ▁reclusive- ▁recuperate- ▁reenacti- ▁refurnish- ▁regenerate- ▁registry- ▁reinstate- ▁relativity- ▁relegate- ▁reprimand- ▁respawn- ▁retention- ▁retrac- ▁rewriting- ▁rofl- ▁rudimenta- ▁rupee- ▁scrutinise- ▁serenade- ▁shoelace- ▁shrimp- ▁shrub- ▁silhoutte- ▁skilful- ▁smudge- ▁smuggling- ▁societies- ▁spatula- ▁splinter- ▁sprout- ▁stepdad- ▁succinct- ▁sugarcane- ▁sunroof- ▁surgical- ▁surveillanc- ▁suspicion- ▁symmetr- ▁thickener- ▁titanium- ▁toothpick- ▁tornado- ▁transsexual- ▁treading- ▁trench- ▁unattainable- ▁unavailable- ▁unbeat- ▁uncountable- ▁undercover- ▁underprivilege- ▁unemployment- ▁unfrozen- ▁unleashed- ▁unopened- ▁unprepared- ▁unscrew- ▁unsustainable- ▁unwittingly- ▁utilise- ▁utilitarian- ▁vernacular- ▁vicar- ▁videography- ▁vigorous- ▁virtue- ▁voodoo- ▁waifu- ▁walnut- ▁wapiang- ▁webtoons- ▁widget- ▁workflow- ▁zebra- ▁Award- ▁Beetle- ▁Croc- ▁Easy- ▁Eeny- ▁Infocom- ▁Prize- ▁arguabl- ▁enthu- ▁inflamma- ▁misinterpret- ▁refail- ▁shrewd- ▁utopia- olitaire- ▁Burgess- ▁Cash- ▁Childhood- ▁Cinema- ▁Egive- ▁Guangzhou- ▁Hakim- ▁Johanna- ▁Laurel- ▁Merchant- ▁Miniclip- ▁Olaf- ▁Orbis- ▁Petpet- ▁Spring- ▁Talib- ▁Tuptup- ▁Zinger- ▁appendix- ▁coagula- ▁crucifie- ▁dailies- ▁demure- ▁discriminatory- ▁disperse- ▁dutch- ▁fantasies- ▁fetish- ▁gundu- ▁hairstylist- ▁hypothesi- ▁iBank- ▁imitate- ▁immigrate- ▁mangrove- ▁melanin- ▁mortar- ▁presumably- ▁rehab- ▁snitch- ▁strenuous- ▁sugarcoat- ▁tenacity- ▁theorems- ▁tutee- ▁wolverine- seido- ▁Adil- ▁Auto- ▁Battlefield- ▁Canmake- ▁Gemini- ▁Ikroh- ▁Latte- ▁Mcspicy- ▁aptitude- ▁bumblebee- ▁dismiss- ▁dissect- ▁douche- ▁generalising- ▁hairband- ▁harmonious- ▁helium- ▁kaopei- ▁nourish- ▁prophet- ▁socialising- ▁spinner- ▁swift- ▁twitter- Duxton- Golding- Monteiro- omeranian- ▁Bellerina- ▁Fernand- ▁Gareth- ▁MAN- ▁Makisan- ▁Serene- ▁Utown- ▁Work- ▁contradictory- ▁conversa- ▁farthest- ▁gambat- ▁kilogram- ▁luminous- choles- imony- ▁Barbara- ▁Goddess- ▁Protos- ▁craziness- ▁merging- ▁micromanag- ▁philanthropist- ▁pronounci- ▁retardant- ▁veteran- ▁Jonker- ▁Wingstop- ▁accomodation- ▁ailment- ▁choppy- ▁colonisers- ▁overfill- ▁ridicu- ▁serene- ▁omni- ▁stepmom- Scofield- shraf- ▁Garang- ▁Maslow- ▁Whis- ▁elongate- ▁morph- ▁motel- ▁retell- ▁revoke- ▁slouch- ▁swarm- ▁tablas- ▁uncover- ▁vegetation- ▁friendliness- ▁sociological- ridian- ▁Marshall- ▁collate- ▁fleet- ▁flim- ieved- ▁Annette- ▁Classified- ▁Mobike- ▁automobiles- ▁cider- Fuyong- ▁Meghan- ▁Yoko- ▁frantically- ▁pocky- ▁reciprocating- ▁Bombay- ▁Boston- ▁Capitalism- ▁Donkey- ▁annum- ▁colonized- ▁hedgehog- ▁intersting- ▁jacuzzi- ▁subsidiaries- alyps- ▁Theater- ▁ambient- ▁sailboat- ▁sakura- ▁Pesta- ▁breach- ▁converge- ▁counselled- ▁fluctuation- ▁hanoi- ▁staging- ▁Aiden- ▁Notebook- ▁Tasha- ▁drummer- ▁segregation- ▁Diana- ▁Reese- ▁SAR- Jackman- latoni- ▁Clare- ▁copywrit- ▁pallet- ▁variant- loating- ▁tropic- Khalsa- ▁kaput- ▁omit- ▁shredder- ▁thrones- ▁Ashley- ▁unimportant- Hwa- ▁Burj- ▁Deyi- ▁Emails- ▁Fallout- ▁bloke- ▁multimedia- ▁traction- apalang- riple- ▁BTS- ▁Laurance- ▁calisthenic- ▁profanit- ▁Zepp- ▁fertile- ▁forbid- ▁initiation- ▁Slim- ▁epita- ▁Sportslink- ▁stabbed- ▁vocalist- ▁interference- ▁opposing- commerce- ▁larva- ▁terracotta- ▁Jovina- ▁accusat- ▁countertop- ▁recollect- ▁spitball- ▁unisex- ▁yankee- osacea- ▁Dolly- ▁Heights- ▁Tapas- ▁extensively- ▁snorkelling- ▁civilisation- ▁hardwire- ▁Hazi- ▁reinforce- ▁warped- Modric- ▁Alipay- ▁campsite- ▁outshine- ▁proficiency- ▁Poland- elope- ▁Marx- ▁Zero- ▁humanitarianism- ▁marinade- ▁mentorship- ▁quirkiness- ▁Amex- ▁cooperation- ▁hydrant- ▁roving- ▁kinky- ▁Koda- ▁Radin- ▁boredom- ▁contextual- ▁swum- ▁terminolog- ▁urbanization- ▁Bengali- ▁Paper- ▁preview- ▁spectro- ▁fleshier- ▁mantou- ▁Otak- ▁tonkatsu- ▁Badang- ▁Brit- ▁mortality- Free- Russell- odyne- ▁Ginger- ▁juici- ▁drake- ▁medalist- ▁memento- ▁tolerat- ▁vapor- ▁Caroline- ▁Arthur- ▁sewage- ▁strategise- ▁suction- worth- ▁Jenga- ▁alleviate- ▁marvelous- ▁resent- ▁scrutinize- ▁termination- ▁separation- ▁neurotic- ▁viper- ▁unravel- ▁defect- ▁Complex- ▁Paradigm- ▁Singapura- ▁joving- ▁metallic- ▁punchek- ▁marries- ▁menses- ▁resourceful- rangle- ▁Subhas- ▁Milan- ▁Witch- ▁barracks- ▁evasion- upiah- ▁renegade- urgen- ▁Waken- ▁forcefully- ▁swagger- ▁tiara- ▁chapel- ▁reconnected- ▁causally- ▁habitual- ▁Bookhouse- ▁thinggy- ▁Charmander- ▁Pika- ▁friday- ▁governor- ▁newsstand- ▁subcon- eonard- ▁devour- ▁Mafu- ▁burial- ▁LiHo- ▁Redang- headed- ▁Dettol- ▁excelled- ▁glutes- Titl- ▁kennel- gedil- ▁negro- ▁radically- plish- ▁Motion- ▁dawn- ▁sunburn- uzu- ▁sedan- ▁transcendent- ▁Camry- ▁inheritance- ▁magma- ▁Inception- ▁Tepp- ▁cheeseburger- ▁prideful- ▁Hajj- ▁Orang- ▁Luna- ▁marinara- ▁Rochor- ▁Yogi- ▁hostile- ▁stepsister- ▁Tores- ▁redevelopment- ▁bidet- ▁Quek- ▁sanitizer- ▁Qiao- ▁Jackpot- ▁dampen- ▁idolise- ▁sewers- ▁crating- ▁foursome- ▁uncontrollable- ▁mailbox- ▁slipping- ▁Ashik- ▁bonobo- ▁tragically- ▁Haidi- bear- ▁iffy- ▁relearn- ▁repent- ▁Marilyn- ▁agaration- ▁civilian- ▁shrine- ▁irra- ▁concourse- ▁rubble- ▁repeti- ▁Chungha- ▁Baliza- ▁chye- ▁fantasize- ▁corp- chatting- local- ▁Skippy- ▁authorities- ▁monogamy- ▁Yoga- ▁excruciating- Luak- aksa- ▁miller- ▁Suki- ▁Glenis- Tree- ▁Pakcik- ▁vasectomy- ▁veil- ▁Escobar- ▁Francisco- ▁Shuttle- ▁Tyson- ▁scum- ▁Grill- baby- ierra- ublic- ▁ounce- ▁chemist- ▁Kardashians- comfort- interesting- ▁Atwood- Jack- ▁Jetty- ▁demoralized- ▁graciousness- ▁horrified- ▁regimented- ▁adik- ▁dependence- ▁modul- ▁repost- ▁shiba- ▁Voon- ▁organically- ▁farmhand- ▁reflective- ▁Showman- ▁prick- ▁chaperon- ▁Cuba- ▁Joann- ▁harass- ▁mindfulness- ▁prophecy- ▁chives- Steel- ▁dirtier- ▁astray- ▁submerged- ▁marley- ▁plasticky- ▁panicked- ▁punya- rief- ▁awk- ▁neutralise- ▁talism- ▁doubtful- culi- ▁Anton- ▁elev- ▁Bora- ▁treasury- ensity- ▁commodity- ddess- tweet- ▁forceps- ▁crossover- ▁Porter- ▁cordon- ▁Health- ▁Kingdom- ▁Tatum- ▁robin- ▁xuan- ▁Chocolate- ▁cupid- ▁pimp- ▁stil- ▁curricul- ▁hallucinating- ▁platelet- ▁antics- ▁Laden- thering- ▁decay- ▁Cupid- ▁mitch- acies- ▁shoul- riding- ▁Minion- ▁Take- ▁Amri- ▁Shawan- ▁bedek- ▁bloc- ▁Morgana- ▁bowel- jori- ▁heatiness- ▁Hailing- ▁jeng- ▁reese- ▁Nature- ▁cheerfulness- ▁moose- bread- ▁accountability- ▁pokka- ▁Tues- ▁hunk- ▁posing- ▁bucketlist- ▁linguist- ▁manoeuvre- ▁cyan- bury- ▁sexism- ▁Bueno- lliance- ▁Ericsson- ▁panties- ▁Campbell- ▁bilis- ▁frap- ▁thinning- ▁calf- ▁rescheduled- evolving- pagar- ▁Dude- ▁hula- ▁flailing- ▁illustrating- ▁lingering- ▁regurgitating- ▁fax- ▁ampli- ▁alrea- ▁cremat- ▁Linda- ▁brushless- ▁flatten- ▁numer- dicu- ▁voiceover- ▁Liver- miliar- ▁stopwatch- ▁optimise- ▁Buri- ▁binders- ▁MediS- ▁handcraft- erja- ▁saxophone- Pek- ▁Network- ▁colony- ▁Marrie- ▁Americanize- jang- ▁hillman- Max- ▁Shang- ▁Manny- ▁uncom- ▁astrology- Maki- ▁harshness- eletubby- ▁jaded- ▁banish- ▁rapidly- ▁Heat- ▁kwa- ▁instructed- ▁chek- bogg- ▁bloodline- ▁Summer- ▁voicemail- Stone- ▁morality- ▁gentlemanly- ▁respectively- ▁Hambr- ▁Doha- Kwan- ▁Jiu- ▁Que- ▁Deli- Kok- ▁cluttered- ▁debuted- ▁provoking- ▁bleed- ▁Tale- ▁steeper- ▁standpoint- ▁quitter- ▁policemen- ▁mili- ▁burnout- Daily- uhsorry- ▁Farhana- ▁qualifier- ▁Shaf- Shin- ▁choreographer- ▁Bike- ▁Angkat- ▁puffin- ▁taxation- ▁fiancee- ▁maxi- ▁dimensional- ▁cohesive- pour- ▁Frenchie- ▁Carri- ▁snapped- arracks- apse- hank- ▁Kip- ▁Meal- ▁scented- ▁flourishing- ▁tata- ▁mamak- ▁disrespectfully- ▁Rama- ▁Rina- ▁Botanical- ▁Buk- ▁blogger- ▁cir- ▁Taken- ▁smoothen- esco- ▁Nasa- ▁dented- ▁pasture- ▁discharged- ▁showroom- ainted- ▁trad- ▁Geo- ▁Lumpur- ▁Sweep- static- ▁Beau- ▁barang- ▁beauti- ▁siren- ▁Union- ▁blushing- ▁disheartening- ▁refresher- ▁Albom- handed- ▁bandage- ▁customized- bio- ▁blindfolded- ▁examine- ▁enhanced- ▁salesman- ▁Pound- ▁creativeness- ▁Back- ▁saltish- ▁ballpoint- ▁groomer- ▁Teck- ▁magna- ▁announcer- ▁fallout- ▁kui- Amin- ▁heroine- ▁Louise- ▁Sailor- ▁relay- ▁Sound- ▁leaked- ▁painless- Mei- ▁browser- ▁rewatched- Rex- ▁Blangah- ▁Azan- ▁bartending- ▁artificially- ▁endured- ▁Bir- ▁dif- ▁anoth- stability- ▁Irene- ▁liv- ▁Chio- ▁sexually- ▁equalise- ▁economically- ▁ponder- ▁narcissis- ▁shooked- ▁Ivy- ▁broader- ▁Gig- ▁Opeh- ▁Zionis- ▁procession- ▁Chay- Sec- ▁Imbu- jar- ▁fourteenth- ▁hiong- ▁correlate- Yen- ▁conquered- ▁tailored- rce- ▁hisses- ▁Aero- ▁Dada- avainas- chain- ▁Site- nguish- ules- ▁launched- ▁warned- ▁documented- ▁Boba- ▁Pau- ▁mutate- ▁Wani- ▁tui- ▁Lane- ▁haw- ▁Lang- eous- ▁Hard- ▁tickled- Husse- ▁choked- essie- ▁Rad- abyte- ▁Osa- ▁processor- ▁globally- ▁Full- ▁booklet- Shi- ▁chemically- ▁easter- ▁ferti- ▁frontier- ▁broadcasting- ▁clinging- ▁halve- ▁Darli- ▁soaked- related- ▁Zu- ▁classist- north- ▁Atta- ▁overlooked- ▁Achar- ▁Lai- ▁battl- ▁ceased- cord- ▁Nata- ▁detoxing- ▁betraying- ▁kee- ▁stupidity- ▁erecti- Benoit- ▁Zone- ▁seamless- ▁stealer- ▁patientuh- ▁condemned- ▁Indon- ▁emphasized- ▁rotated- Swan- ▁mengs- ▁minion- ▁Mela- ▁Date- ▁friendzone- ▁earl- ▁mandate- ▁bomber- ▁conveying- ▁showke- ▁quietness- ▁Medan- ▁reversed- ▁Dilma- ▁quieten- ▁backlash- ▁fury- ▁ranting- ▁Chou- ▁toughness- nkers- ▁formant- ▁efficiently- ▁digger- ▁Fara- ▁glorify- Fest- ▁renewed- lier- ▁Jung- ▁chairman- Sang- ▁dashing- ▁qing- ▁publisher- eacock- ▁dino- ▁highlighted- ▁polygam- ▁tighter- ▁demolishing- ▁calmly- ▁unsee- ▁awkwardness- ▁sealed- ▁Bane- ▁Cara- ▁fertiliz- ▁pap- ▁Horn- ▁relieved- Song- sebum- ▁Gar- amant- ▁Dove- ▁resigning- ▁Philipin- ▁Fred- ▁nei- Tat- ▁witnessing- ▁Kina- ▁Tange- audi- ▁compromised- ▁weeding- ▁breather- ▁Xian- ▁importing- Ali- ▁springy- ▁Sling- ▁Tell- ▁understooded- rchaeology- ▁murderer- ▁layered- Van- ▁Qin- fall- ▁hyped- ▁measured- ▁Even- ▁purchaser- ▁fainting- ▁Oman- ▁stifl- ▁scorch- ▁programmed- ▁recesses- ▁nee- ▁Choi- ▁Patta- ▁highlighting- ▁brainer- ▁dramatise- ▁bureaucra- ▁Susan- ▁braid- ▁sung- inary- ▁Check- ▁curl- alakat- ▁Chitt- entities- ▁pitcher- ringing- ▁corr- iative- ▁Rain- Unagi- ▁nin- dora- cidentally- ▁daze- ▁Kara- hepard- ▁engi- gemuk- ▁Romania- ▁Bren- erbal- moral- bike- ▁Corin- ▁Sherle- ecurity- ▁Vik- ▁rumba- urities- ▁Buck- ▁Ava- ▁Nabila- ladi- mbing- raz- ▁Westerner- oronation- ▁detain- zoning- utting- ▁confesse- ntries- ▁Sala- ▁humbl- ▁mara- ▁Halif- ▁sled- Hood- lator- ▁swank- ▁Alv- gazing- Harrison- zel- ▁strategiz- ▁Dean- ovan- umanities- untie- Ben- omer- ▁chronic- ▁Arch- ▁packer- junct- zhang- appe- ▁dabbl- ▁kato- Liars- ▁boater- ▁Wul- ▁Univers- ▁rekindle- ▁steadi- ▁rac- ▁Yao- ▁gad- amil- ▁crashe- ▁tro- anie- ▁Shaku- uppy- nite- Shopping- Baker- position- ▁Ace- ▁Magn- ▁Tubb- anner- ightful- ▁Mill- Eighty- competency- ▁legalis- impang- ▁dirtie- ▁grann- ▁Dogg- Wool- atically- ▁Mina- ▁preconce- ▁competenc- ▁boggl- ▁crippl- zed- Perr- Carlo- Chek- ▁provoke- ▁conserve- ▁Lud- caster- uted- orium- rumbling- graded- ▁cultivati- ▁nauti- shoong- ▁centralize- ▁Nestl- uchi- ▁intrude- erati- ▁optimiz- ▁reassur- ▁integra- bodies- referred- xora- ▁subtl- ridden- ▁professionalis- bbed- Dali- ▁relocat- ▁unfaithful- ltering- oller- ▁brack- ▁formulate- iggly- cialised- ▁conserv- provoked- Donut- istan- uja- ▁panick- ▁physio- zhe- ▁dependenc- haps- ▁humili- Mercy- lashes- ▁collaps- Sophia- ▁Elfi- Aini- ▁wrinkl- Name- ▁spiri- xie- logy- Pol- unned- ▁Len- contentment- Mania- yukat- ▁deteriorat- Jiang- ▁outsourc- ▁psychiatr- ▁tortur- ▁grea- ▁Thie- Simple- ompan- ▁masa- ▁Child- ador- exter- jung- ▁glen- ▁duplicat- aburi- kiang- umbling- ▁prudent- mobile- ravel- ▁educa- ▁moderat- oaky- eeper- ▁geographic- ▁Franc- ▁electrop- ▁Marg- ▁marbl- ▁ceas- flicted- ▁probab- ▁craz- ▁magnet- ▁gymnastic- ▁pellet- ▁immigrant- ▁nacho- ▁Luca- ▁defini- ▁hamper- ▁fluctuate- ▁refugee- ▁dimple- Throne- ▁comprise- ▁nutrient- ▁phonic- ▁tyke- ▁freebie- ▁Vibe- ▁utensil- ngee- ▁pilate- ▁State- ▁supplie- ▁barbecu- ▁trouser- ▁posses- ▁obviou- Nee- ▁jean- roti- ▁circ- cratic- ▁bureau- compartmentalize- conceiv- ▁Canto- ▁vol- mount- ssistant- mmoners- ifle- ▁Moham- ▁Scoo- ▁genera- ▁peda- rati- ▁reminiscen- ▁Plane- ▁impatien- ▁accep- josh- ▁buil- ▁archaeolog- ▁Horse- founded- ▁Roz- gnific- ▁fertili- ▁synchron- visible- ▁distanc- friend- ▁craw- paced- ▁statu- aiya- half- ▁revol- ▁privat- ogling- uishin- ppressed- ▁narciss- ▁Techno- opsicles- lugg- nvestigations- ▁drow- ▁Digi- enetic- etica- writers- stroke- lags- Mercie- ounce- wolf- acaroons- ▁introduc- force- ▁inclin- ▁disput- ▁collage- aholic- interest- okki- ▁professio- ▁Pearly- plit- ▁moisturiz- ▁volu- ▁candleli- ▁linger- ▁bartend- ▁illustrat- odeling- ▁regurgitat- ▁dispens- ▁Zhe- proof- ▁flail- ▁compromis- finals- ▁disciplin- ▁embarra- ▁empir- ▁bibl- perform- ▁submerge- rystal- ▁Roma- flakes- lgari- ▁apologis- ▁Jayde- ▁traumatise- akcik- ▁amaze- ▁agitate- ordinary- ▁occupie- ▁overprice- ▁fluctuat- ▁dilute- coast- fruit- collect- ▁horrifi- copy- stream- ▁demoraliz- quish- udrey- ▁constipat- ▁jumble- ambodia- ▁crook- stresses- sighted- Dogg- olution- urrender- tyrofoam- ▁impair- Buri- Escobar- Jetty- Showman- Shuttle- Tyson- ceased- aktor- ▁unexpect- Technical- Grill- Convenience- Future- Institute- Krunch- Schwarzenegger- Theatre- polished- Gabriel- antorini- Evan- Keane- Monster- ntegrated- Francisco- ▁deprive- ▁discriminat- ▁referenc- Kenny- Murder- Zhang- carriage- ▁Joan- ▁Skipp- ▁monogam- ▁prophec- Atwood- Stamford- ylvia- Akshay- Banyan- Virgin- linguistic- proportionate- founder- Music- buoy- evaluate- immortal- comparable- Jade- Miller- Friza- conditioned- innacle- Morrie- Waterway- conductor- crow- ndependence- Henry- Monkey- Nyonya- Shaw- monkeys- second- Shakespeare- catcher- organised- qualified- storage- Thomson- animate- executive- invent- starter- ▁rollerblad- ▁vacanc- Festival- Jordan- emphasis- frequent- settled- weekly- ▁Desire- college- factory- growth- organisation- profit- sentosa- Holland- Kampung- Laden- Nature- Seoul- Spirit- Tae- bridge- innocence- legend- village- Friday- Orchard- Sentosa- between- culture- decided- explore- popular- responsibility- romantic- square- studies- valuable- Great- blue- chicken- confirm- ▁cruis- akhon- album- driver- ▁regiment- Green- ▁Snoop- secondary- luckily- ppb- toast- ▁Galax- ▁demonstrat- ▁prioritiz- ▁savor- ▁vocabular- anuki- ▁voluntar- ▁temporar- heeps- ▁warehous- Gateway- ▁naught- ▁Whit- ▁itinerar- ▁ultimat- ▁ugl- Environment- ▁diverg- ▁wrestle- ▁leverag- large- cool- plus- hursday- ature- shiok- ▁Chuck- ▁sanitize- ▁suppo- ▁solemnise- usband- ▁Titani- ▁savour- chips- Paul- uesday- ▁sequential- ▁unintentional- Army- consult- ▁braise- ▁evident- ▁radical- death- dough- Comm- hicago- version- ranscendent- Mark- ropic- ▁blatant- ▁comparative- affle- Youth- rophecy- eepavali- oothpaste- welve- reserving- ▁consum- latoon- erfect- rofessor- athedral- ettol- husband- ▁Mobil- indly- ▁appetiz- iracle- ninety- erlion- urious- ragrance- flection- ▁Yog- Hyun- proper- ▁commercialise- dept- onjour- lower- rganic- ubilee- ustin- ▁delusion- ▁dysfunction- armony- dead- ulgogi- czema- lazer- utchers- xperiment- ynasty- inosaur- ▁ceter- ▁trembl- cessor- degrad- ▁misus- ▁blemish- suade- alloween- crastinating- ▁sunglass- polar- requisite- ▁evasi- ▁Project- aspberry- ▁associ- ▁pacif- wives- ▁demograph- edemption- ejection- ▁confisca- gregation- oomie- ▁Isabel- ▁Olymp- ▁satisfact- awyer- ▁pronunciat- ▁subsidiar- ▁subscript- ▁unpredictab- ngkok- ednesday- ▁challen- ▁esophag- luding- ▁typi- ▁activi- ▁arbitra- ▁opportuni- esarean- ▁transmit- eceived- ▁advan- ▁ponch- arlic- iatric- mplify- ▁Stef- ▁illumi- ▁luxuri- ▁Pontian- ▁reputa- '2'- ▁Kean- ▁Remains- cendant- rrifying- ▁desensiti- ▁jeopardi- Little- vasion- grudg- zumi- ▁Anytime- ▁Lantau- ▁Morris- ▁Niagara- ▁Preeti- ▁Qistina- ▁cerebral- ▁dhoby- ▁dysph- ▁perpetua- ckelodeon- grimage- icultural- ychology- ▁Analytic- ▁Moldov- ▁acclimat- ▁anthropolog- ▁hexagon- ▁implicit- ▁profess- ▁shrivel- ▁symphoni- '@'- Agency- Anthony- ArkBar- Atria- Brigg- Conven- Counselor- Dominique- Dracula- Effron- Fallon- Griffith- Jabba- Kinsella- Kukoh- Millionaire- Motoring- Movie- Mustachio- Mustafi- Noraini- Philipp- Regis- Robbie- Sandler- Sheares- SquarePants- Thunder- Tonic- acerbate- amgyetang- angelo- antiago- arijuana- cotta- cryptocurrencies- dchildren- deekap- dyssey- enocide- ifiable- itzer- neumonia- nspirasi- osophy- ptuous- resistible- rowana- rwegian- tête- ucerin- uddin- uhwait- umental- umentary- urgundy- ▁Abdillah- ▁Adaline- ▁Adawiyah- ▁Afghan- ▁Agnus- ▁Alfred- ▁Amirah- ▁Andorra- ▁Anglican- ▁Annalise- ▁Annyeong- ▁Applied- ▁Aravin- ▁Asmara- ▁Balenciaga- ▁Bhatoora- ▁Bibimbap- ▁BitCoin- ▁Blastoise- ▁Bleeding- ▁Boiling- ▁Bonnie- ▁Boomerang- ▁Botox- ;- .- '9'- 不- 代- 喊- 在- 沟- 钟- ','- '1'- '4'- '5'- '6'- '7'- '='- \\- à- 七- 么- 什- 们- 你- 分- 吃- 完- 样- 看- 要- 这- 苦- ê- é- '{'- init: chainerinput_size: nullctc_conf: ignore_nan_grad: truemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram20000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: fs: 16kspecaug: nullspecaug_conf: {}normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_en_bpe20000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: transformerencoder_conf: input_layer: conv2d num_blocks: 12 linear_units: 2048 dropout_rate: 0.1 output_size: 256 attention_heads: 4 attention_dropout_rate: 0.0decoder: transformerdecoder_conf: input_layer: embed num_blocks: 6 linear_units: 2048 dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.6distributed: trueLM configconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_en_bpe20000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 57264dist_launcher: nullmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 20patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 64valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_en_bpe20000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_en_bpe20000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁I- ''''- ▁the- ▁you- ▁like- ']'- ▁[- s- ▁to- ▁that- ▁it- ▁is- ▁ya- ▁a- ▁and- ▁so- t- ▁then- ▁okay- ▁what- ▁of- ▁but- ▁uh- ▁know- ▁in- ▁one- ▁my- ▁don- ▁have- ▁they- ▁we- ▁no- ah- ▁not- ▁just- ▁for- lah- ▁think- ▁can- ▁there- oh- ▁do- ▁was- ▁this- ▁your- ▁right- ▁he- '-'- ▁are- ▁me- ▁go- ▁or- ▁be- ▁very- ▁if- ▁will- _- ▁on- ▁she- ▁how- m- ▁with- ▁want- ▁about- ▁because- ▁ppl- ▁all- ▁really- ▁when- ▁also- ▁time- ▁say- ▁at- ▁why- eh- ▁would- ▁um- ▁got- ▁mean- ▁see- ▁thing- ▁as- ▁actually- ▁people- ▁cause- ▁yes- ▁two- ▁now- ▁good- ▁more- ▁get- ▁ppo- ▁maybe- ▁ppb- ▁lot- ▁from- ▁up- ▁only- ▁her- ▁already- ▁kind- ▁out- ▁some- ▁something- re- ▁who- ▁them- ▁need- ▁where- ▁three- ▁let- ▁quite- ▁yeah- ▁most- ▁even- ▁talk- ▁never- ▁after- ▁did- ▁other- ▁still- ▁feel- ▁school- ▁eat- ▁which- ▁take- ▁Singapore- ▁should- ▁food- ▁cannot- ▁first- ▁back- ▁always- ▁life- ll- ▁same- ▁next- ▁things- ▁ask- ▁last- ▁come- ▁nice- ▁person- ▁make- ▁their- ▁were- ▁work- ▁didn- n- ▁our- ▁much- ▁wait- ▁too- ▁going- ▁went- ▁him- ▁five- ▁question- ▁<- ▁guess- ▁different- '>'- UNK- ▁give- ▁had- ▁way- ▁has- ▁tell- ▁by- ▁friend- ▁place- ▁his- ▁those- ▁well- ▁buy- ▁mine- ve- ▁before- ▁day- ▁four- ▁long- ▁love- ▁any- ▁look- ▁correct- ▁mm- ▁true- ▁money- ▁try- ▁bad- ▁play- ▁everything- ▁down- ▁best- ▁remember- ▁K- ▁stuff- ▁bit- ▁many- ▁us- ▁home- ▁been- ▁huh- ▁use- ▁put- ▁wah- ▁said- ▁guy- ▁here- my- ▁anything- ▁than- ▁doing- ▁year- ▁could- ▁house- ing- ▁friends- ▁sure- ▁find- leh- ▁an- ▁someone- ▁must- ▁gonna- ▁thought- ▁ten- ▁doesn- ▁watch- ▁keep- ▁another- ▁oh- ▁every- ▁point- ▁years- ▁call- ▁family- ▁old- ▁err- ▁better- lor- ▁won- god- orh- ▁man- ▁damn- ▁around- ▁name- ▁course- ▁favourite- ▁left- ▁talking- ▁top- ▁own- ▁turn- ▁girl- ▁into- ▁twenty- ▁am- ▁over- ▁sometimes- ▁start- ▁help- ▁whole- ▁these- ▁six- ▁wow- ▁shop- ▁again- ▁important- ▁mind- ▁probably- ▁blue- ▁big- ▁colour- ▁though- ▁part- ▁end- ▁does- ▁side- ▁parents- ▁read- ▁bring- ▁being- ▁red- ▁close- ▁new- ▁yea- ▁job- ▁ever- ▁hard- ▁nothing- ▁difference- ▁interesting- ▁else- ▁together- ▁car- ▁called- ▁whatever- ▁show- ▁white- ▁sorry- ▁change- ▁pay- ▁kids- ▁basically- ▁done- ▁seven- ▁free- ▁hundred- ▁learn- ▁green- ▁fun- ▁book- ▁told- ▁small- ▁off- ▁answer- d- ▁sign- ▁usually- ▁eight- ▁few- C- ▁open- ▁wanna- ▁mum- ▁chicken- ▁myself- ▁understand- ▁A- ▁means- ▁care- ▁both- ▁describe- ▁game- ▁once- ▁saying- ▁used- ▁teacher- ▁saw- ▁inside- ▁later- ▁happen- ▁C- ▁through- ▁date- ▁yourself- S- ▁stay- ▁looking- ▁movie- ▁dollars- ▁during- ▁move- ▁live- ▁until- ▁primary- ▁least- ▁nine- ▁wearing- ▁card- ▁thirty- ▁stop- ▁alright- ▁wanted- ▁trying- ▁Chinese- ▁each- ▁everyone- ▁having- ed- ▁example- ▁enough- ▁plus- ▁s- ▁haven- ▁cook- ▁working- ▁yup- ▁away- ▁spend- ▁expensive- ▁kid- ▁might- ▁secondary- ▁since- ▁sad- ▁whether- ▁night- ▁phone- ▁children- ▁water- ▁days- ▁study- ▁S- ▁enjoy- ▁young- meh- ▁fine- ▁super- ▁door- ▁class- ▁moment- ▁wrong- ▁drink- ▁second- ▁i- ▁came- ▁week- ▁thinking- ▁sense- ▁dog- ▁made- ▁getting- sia- ▁beside- ▁walk- ▁become- ▁happy- ▁world- ▁shit- ▁partner- ▁hand- ▁minutes- ▁choose- ▁scared- ▁ball- ▁word- T- ▁front- ▁half- ▁easy- ▁anyway- ▁- ▁hour- ▁P- ▁bro- ▁meet- ▁picture- ▁cool- ▁N- ▁fifty- ▁hours- ▁rice- ▁child- ▁country- ▁pretty- A- ▁worst- ▁guys- ▁brown- ▁far- ▁funny- ▁room- ▁little- y- ▁black- ▁normal- ▁English- ▁heard- e- what- ▁looks- ▁group- ▁experience- ▁sleep- ▁near- a- ▁table- ▁story- ▁conversation- ▁weird- ▁face- ▁today- ▁exactly- ▁definitely- ▁travel- ▁type- ▁boy- ▁especially- ▁Singaporean- ▁high- ▁rather- ▁real- ▁twelve- ▁T- ▁miss- ▁brother- ▁problem- ▁without- ▁believe- ▁generation- ▁while- ▁number- ▁O- ▁finish- ▁able- ▁says- ▁yet- ▁hair- ▁playing- ▁save- ▁everybody- ▁times- ▁such- ▁supposed- ▁die- ▁sit- ▁late- ▁yours- ▁run- ▁dad- ▁everyday- ▁age- ▁meal- ▁sell- ▁M- ▁yellow- loh- ▁break- ▁area- ▁queue- ▁married- ▁took- ▁coming- M- ▁mother- ▁fast- ▁eating- ▁certain- ▁wear- ▁plan- ▁leave- ▁month- ▁collect- ▁aiya- ▁topic- ▁fish- ▁Malay- ▁anymore- ▁makes- ▁teach- ▁honestly- ▁outside- c- ▁serious- ▁father- ▁started- ▁speak- ▁pass- ▁beach- ▁bought- ▁full- ▁share- ▁character- ▁hate- B- ▁dollar- P- ▁depends- ▁morning- ▁sister- ▁B- ▁J- ▁tried- ▁special- ▁send- ▁mmhmm- ▁future- r- ▁between- ▁idea- ▁cheap- ▁company- ▁music- ▁wife- ▁thousand- ▁lady- mah- ▁dream- ▁relationship- ▁short- ▁either- ▁recently- ▁list- ▁please- ▁tomorrow- ▁listen- ▁follow- ▁bus- o- ▁level- ▁difficult- ▁isn- ▁sometime- ▁check- ▁If- ▁drive- ▁great- ▁value- ▁continue- ▁past- ▁pick- ▁suddenly- ▁hear- ▁order- ▁forty- ▁business- ▁lesson- ▁hot- ▁personal- ▁cry- ▁light- ▁famous- ▁imagine- ▁matter- ▁shoes- ▁alone- ▁taste- ▁join- ▁confirm- ▁places- ▁nowadays- ▁eleven- ▁behind- ▁ppc- ▁moving- ▁less- ▁U- p- ▁may- ▁feeling- ▁ago- ▁using- ▁million- ▁books- ▁rest- ▁floor- ▁ice- ▁bottom- ▁single- ▁complain- ▁cut- ▁almost- ▁stupid- ▁crazy- ▁sitting- ▁cute- ▁favorite- ▁E- ▁forgot- ▁asking- ▁pink- D- ▁hope- ▁agree- R- ▁below- ▁reason- ▁risk- ▁shirt- ▁stress- ▁under- ly- ▁dinner- ▁unless- ▁percent- ▁deal- ▁goes- ▁trip- ▁hello- i- ▁nobody- ▁H- ▁coffee- ▁prefer- ▁taking- ▁months- ▁perfect- ▁instead- ▁pet- ▁biggest- ▁anyone- ▁fifteen- ▁circle- ▁clean- ▁poor- ▁D- ▁stand- ▁found- ▁yesterday- ▁games- ▁points- ▁cold- ▁poly- ▁students- ▁realise- ▁clothes- ▁heart- ▁god- ▁Malaysia- ▁grey- ▁comes- ▁seen- ▁taxi- ▁song- ▁thank- ▁push- ▁obviously- ▁team- ▁write- ▁somewhere- ▁t- ▁girlfriend- ▁younger- ▁tea- ▁head- ▁sounds- one- ▁reading- ▁student- ▁hawker- ▁middle- ▁line- ▁durian- ▁wake- ▁shopping- ▁towards- ▁body- h- ▁fail- ▁sing- ▁boring- ▁legit- ▁hold- ▁win- ▁test- ▁gone- ▁girls- ▁watching- ▁local- ▁paid- ▁marriage- ▁normally- ▁road- ▁third- ▁bucket- ▁cafe- I- ▁hungry- U- ▁worth- ▁bag- ▁older- ▁knew- ▁Singlish- ▁sweet- ▁train- ▁throw- ▁dark- ▁education- ▁early- ▁toilet- ▁simple- ▁uni- ▁tuition- ▁air- ▁restaurant- ▁honest- ▁living- ▁telling- ▁p- ▁price- ▁per- ▁Japan- ▁paper- ▁uncle- ▁minute- ▁itself- ▁terms- ▁overseas- hor- ▁driver- ▁o- ▁F- ▁set- ▁childhood- ▁words- G- ▁cards- ▁hmm- ▁brand- ▁grow- ▁reach- ▁choice- V- b- ▁scary- ▁main- ▁birthday- huh- ▁China- ▁cat- ▁career- ▁somebody- ▁along- O- ▁extra- u- ▁lunch- ▁hit- ▁lost- ▁subject- ▁exercise- ▁Korea- ▁hey- ▁parent- ▁add- ▁straight- E- ▁window- right- ▁chair- ▁explain- ▁sound- ▁soccer- ▁c- ▁online- ▁drama- ▁making- ▁culture- ▁fight- ▁k- ▁literally- ▁related- ▁latest- ▁interest- ▁felt- ▁human- ▁blah- ▁cream- ▁apparently- ▁G- er- ▁tired- ▁kinda- ▁studying- ▁earn- ▁suppose- ▁bird- ▁drop- ▁fried- ▁count- ▁holding- ▁m- ▁recess- ▁dating- ▁n- ▁forget- ▁sixty- ▁movies- ▁R- ▁catch- ▁baby- ▁color- ▁smart- ▁shoe- v- ▁teh- ▁success- ▁fact- ▁embarrassing- ▁pants- ▁countries- ▁dish- ▁Indian- ▁sports- ▁shows- ▁egg- ▁mostly- ▁rich- ▁chance- ▁Korean- ▁piece- ▁truly- ▁elderly- ▁soon- ▁social- ▁Singaporeans- ▁sort- ▁meaningful- ▁general- ▁angry- ▁shack- ▁club- ▁cooking- ▁seat- ▁clear- ▁lose- ▁photo- ▁hi- ▁busy- ▁period- ▁non- ▁fair- ▁dude- ▁questions- ▁running- ▁memorable- ▁holiday- ▁item- ▁leg- ▁system- ▁un- ▁bar- ▁interested- ▁touch- ▁sea- ▁couple- ▁zero- ▁self- ▁planning- ▁post- ▁video- ▁dead- ▁ex- ▁park- ▁totally- ▁hall- ▁store- ▁weekend- ▁building- ▁loud- ▁happiest- ▁milk- ▁trust- ▁chill- ▁lobang- L- ▁common- ▁fit- ▁board- ▁cost- ▁brought- ▁case- ▁laugh- ▁situation- ▁skin- ▁power- ▁re- ▁friendship- ▁f- ▁consider- ▁fat- ▁wish- ▁fall- ▁wash- ▁event- ▁soup- ▁woman- ▁willing- ▁sec- gosh- ▁Grab- ▁faster- ▁voice- ▁L- ▁trait- ▁dance- ▁differences- ▁entire- ▁effort- ▁science- ▁waste- ▁strong- ▁meat- ▁awkward- ▁specific- ▁exam- ▁current- ▁husband- ▁son- ▁seems- ▁visit- F- ▁box- ▁centre- ▁skip- ▁expect- ▁fire- ▁draw- ▁hero- ▁teachers- ▁whenever- ▁amount- ▁often- ▁kill- ▁Japanese- ▁boyfriend- ▁space- ▁support- ▁wise- ▁kay- ▁army- ▁ready- ▁giving- ▁tree- ▁art- ▁hobby- ▁swimming- ▁shoot- ▁football- ▁comfortable- ▁jump- ▁easier- ▁control- ▁public- ▁cake- ▁low- ▁spot- ▁gym- ▁search- ▁weeks- ▁walking- ▁lazy- ▁learning- ▁speaking- ▁carry- ▁orange- ▁similar- ▁soft- ▁pets- ▁seriously- ▁health- ▁World- ▁standing- ▁compared- ▁gave- ▁bake- ▁anywhere- ▁ninety- ▁ate- ▁Friday- l- ▁New- ▁Paul- ▁socks- ▁facing- ▁view- g- ▁worry- ▁apply- ▁ability- ▁based- ▁message- ▁fly- ▁huge- ▁season- ▁bed- ▁taken- ▁lucky- ▁freaking- ▁return- ▁hell- ▁computer- ▁tend- ▁smoke- ▁others- ▁aiyo- ▁relax- ▁energy- ▁hub- ▁waiting- ▁mix- ▁daughter- ▁bottle- ▁meaning- ▁corner- ▁sick- ▁office- ▁term- f- ▁sheep- ▁sauce- ▁size- ▁city- ▁driving- ▁currently- ▁cheaper- ▁eyes- ▁crab- ▁boss- wah- ▁hang- ▁safe- ▁step- ▁advice- ▁eighty- ▁happened- ▁match- ▁deep- ▁particular- ▁impression- ▁shall- ▁pull- ▁bread- ▁possible- ▁round- ▁comfort- ▁blind- ▁ride- ▁kampung- ▁meeting- ▁wine- ▁staying- ▁internship- ▁seventeen- ▁stall- ▁longer- ▁watched- al- ▁higher- ▁training- ▁remembered- ▁Sunday- ▁signboard- ▁closest- ▁wonder- ▁project- ▁fan- ▁caught- ▁government- ▁form- ▁tough- ▁Google- ▁everywhere- ▁healthy- ▁build- ▁trend- ▁cheese- ▁hat- uh- ▁vegetable- nah- ▁within- ▁slowly- ▁market- ▁block- ▁Saturday- ▁hotel- ▁technology- ▁machine- ▁craziest- ▁whereby- ▁selling- ▁math- ▁Australia- ▁makeup- ▁sand- ▁although- ▁works- ▁mention- ▁weather- ▁Hong- ▁manage- ▁afraid- K- ▁bike- ▁easily- ▁above- ▁alive- ▁listening- ▁respect- ▁mouth- ▁eventually- ▁feelings- ▁worse- ▁smell- ▁dress- ▁party- ▁language- ▁quiet- ▁chocolate- ▁possession- ▁seventy- ▁exams- ▁tray- ▁sun- ▁amazing- ▁mom- ▁e- ▁basic- ▁songs- ▁forward- ▁cap- ▁rock- ▁splurge- ▁stick- ▁busybody- ▁define- ▁woah- ▁act- ▁b- ▁contact- ▁issue- ▁potato- ▁studies- ▁fishing- ▁empty- ▁treat- ▁sleeping- ▁decide- ▁grandfather- ▁bigger- ▁previous- ▁asked- ▁cover- ▁classes- ▁d- ▁jobs- ▁kidding- ▁slow- ▁properly- ▁con- ▁laptop- ▁balance- ▁shark- ▁everytime- ▁X- ▁met- ▁base- ▁opposite- ▁canteen- ▁design- ▁random- ▁cousin- ▁happens- ▁hands- ▁given- ▁w- ▁pain- ▁focus- ▁proper- ▁y- ▁travelling- ▁degree- ▁flying- ▁missing- ▁police- ▁total- ▁j- ▁fourteen- ▁hated- ▁chores- ▁acronym- ▁accept- ▁dry- ▁transport- ▁Taiwan- ▁stage- and- ▁Facebook- ▁h- ▁center- ▁neighbours- ▁further- ▁breakfast- ▁doctor- ▁mic- ▁band- ▁cars- ▁Monday- ▁walao- ▁nearby- ▁decided- J- ▁siblings- ▁standard- ▁except- ▁activity- ▁quality- ▁themselves- ▁romantic- ▁spicy- ▁till- ▁ghost- ▁bank- ▁lie- ▁rent- ▁fake- ▁saddest- ▁stresses- ▁feels- ▁eye- ▁fear- ▁style- ▁text- ▁happening- ▁handle- ▁tiring- ▁considered- ▁wedding- ▁fresh- clock- ▁kopi- ▁eaten- ▁nope- ▁equal- ▁beautiful- ▁became- ▁bee- ▁environment- ▁inspiring- ▁history- ▁g- ▁shape- ▁maths- ▁escape- ▁purple- ▁annoying- ▁peach- ▁somehow- ▁pie- ▁drinking- ▁compare- ▁natural- ▁drinks- ▁names- ▁East- ▁motto- ▁dislike- ▁flat- ▁closer- ▁positive- ▁Instagram- ▁double- ▁sixteen- ▁concert- ▁Thailand- ▁paying- ▁seeing- ▁camp- ▁neighbour- ▁grandma- ▁boat- ha- ▁earlier- ▁private- ▁react- ▁gold- ▁interview- ▁express- ▁charge- ▁pictures- ▁auntie- ▁timing- ▁curry- ▁friendly- ▁aspect- ▁oil- ▁popular- ▁stories- ▁mee- ▁service- ▁nevermind- ▁growing- ▁mark- ▁learnt- ▁offer- ▁phrase- ▁brain- ▁talent- ▁nineteen- ▁eighteen- ▁cross- ▁field- ▁physical- ▁technically- ▁serve- ▁thirteen- ▁ma- ▁realize- ▁admire- ▁exchange- ▁born- ▁helping- ▁usual- ▁pool- ▁settle- ▁thanks- ▁played- ▁umbrella- ▁nature- ▁valued- ▁differently- ▁fault- ▁buffet- ▁sh- ▁position- ▁account- ▁u- ▁regret- ▁buying- ▁against- ▁laughing- ▁broke- ▁lame- ▁died- ▁noodles- ▁film- ▁YouTube- ▁iPhone- ▁news- ▁dogs- ▁pro- ▁agency- ▁library- ▁hopefully- levels- ▁sugar- ▁track- ▁radio- ▁North- ▁net- ▁negative- ▁horror- ▁kitchen- ▁society- ▁boys- ▁prata- ▁street- ▁problems- ▁reply- ▁l- ▁role- ▁session- ▁birds- ▁durians- ▁star- ▁action- ▁besides- ▁taught- ▁pair- ▁crowd- ▁grab- ▁wide- ▁starting- ▁noodle- ▁louder- ▁lower- ▁awhile- ▁sport- ▁scold- ▁appreciate- ▁ground- ▁recent- ▁Tom- ▁anybody- ▁generally- ▁shorts- ▁crowded- ▁irritates- ▁photos- ▁cents- ▁wall- ▁lives- ▁homework- ▁Cup- ▁actual- ▁female- ▁chore- ▁teaching- ▁quit- ▁himself- ▁twice- ▁pack- ▁lead- ▁enter- ▁neighbourhood- ▁notice- ▁anyways- ▁joke- ▁bear- ▁plastic- ▁license- ▁bowl- ▁stinge- ▁pop- ▁dare- ▁harder- ▁prepare- ▁legs- ▁kia- ▁finding- ▁research- ▁goal- ▁roll- ▁December- ▁tennis- ▁bin- ▁skills- ▁lessons- ▁Europe- ▁ahead- ▁product- ▁rude- ▁kept- ▁minus- ▁kena- ▁direction- ▁rate- ▁playground- ▁grandmother- ▁university- ▁Mister- ▁stuck- ▁personally- ▁pasta- ▁passed- ▁burn- ▁de- ▁survive- Kong- ▁rubbish- ▁beef- ▁Asian- ▁knowledge- ▁Hokkien- ▁gap- ▁achieve- ▁bo- ▁Orchard- ▁memory- ▁putting- es- ▁McDonald- ▁cup- ▁procrastinating- ▁version- ▁recording- 'on'- ▁create- ▁model- ▁force- ▁depend- ▁opportunity- ▁sushi- ▁swim- ▁station- ▁media- ▁dishes- ▁personality- ▁shut- ▁shift- k- ▁climb- ▁ways- ▁ha- ▁needs- ▁holidays- ▁plate- ▁bye- ▁topics- ▁nasi- ▁brands- level- ▁title- ▁blood- ▁successful- ▁afford- ▁basketball- ▁hurt- ▁across- ▁dirty- ▁forever- ▁none- ▁key- ▁invest- ▁opinion- ▁land- ▁accomplish- ▁aunty- ▁farm- ▁traditional- ▁toy- ▁snack- ▁ticket- ▁fruit- ▁financial- ▁dabao- ▁Thai- ▁peng- ▁improve- ▁Sentosa- ▁fell- ▁Netflix- ▁religion- ▁weight- ▁breaker- ▁background- ▁handphone- ▁inspire- in- ▁activities- ▁seafood- ▁bored- ▁finally- ▁pre- ▁loyal- ▁changing- ▁chilli- ▁trouble- ▁episode- ▁average- ▁terrible- ▁roof- ▁sem- ▁law- ▁glass- ▁heavy- ▁slightly- ▁fries- ▁town- ▁lines- N- ▁address- ▁rare- ▁animal- ▁chat- ▁lift- ▁Indonesia- ▁apart- ▁ulu- ▁bother- ▁press- ▁industry- ▁race- ▁cleaning- ▁present- ▁feet- ▁shine- ▁issues- ▁maker- ▁Bill- ▁process- ▁excuse- ▁honey- ▁pharmacy- ▁cried- ▁passion- ▁app- ▁island- ▁spending- ▁thick- ▁memories- ▁raw- ▁duck- ▁r- ▁ended- ▁V- ▁shuffle- ▁fashion- ▁suit- ▁Tai- ▁kick- ▁Tampines- ▁skincare- ▁mini- ▁burger- ▁allow- able- ▁cash- ▁airport- ▁Changi- ▁nickname- ▁chillax- ▁Bedok- ▁items- ▁shock- ▁divide- ▁writing- ▁mindset- ▁rain- ▁sale- Y- ▁devote- ▁dangerous- ▁bowling- ▁Wednesday- ▁purpose- ▁stun- ▁singing- ▁church- ▁salary- ▁supper- ▁aunties- ▁sian- ▁artist- ▁cycle- ▁explore- ▁changed- ▁India- ▁beer- ▁competition- ▁er- ▁tour- ▁maintain- ▁identify- ▁internet- ▁similarity- ▁mid- ▁throughout- ▁fruits- ▁com- ▁attention- ▁death- ▁aircon- ▁skill- ▁page- ▁goals- ▁trash- ▁volleyball- ▁split- ▁due- ▁stressful- ▁boxes- ▁remind- ▁dustbin- ▁deck- ▁actor- ▁known- up- ▁release- ▁Vietnam- ▁juice- ▁treasure- an- ▁Sue- ▁hanging- ▁catching- ▁ship- ▁bubble- ▁gain- ▁surprise- ▁record- ▁pizza- ▁speed- ▁sky- ▁tonight- ▁washing- H- ▁toys- ▁rush- ▁raise- ▁shared- the- ▁graduate- ▁fourth- ▁score- ▁lao- ▁pray- ▁co- ▁complete- ▁afternoon- ▁series- ▁sock- ▁knowing- ▁steak- ▁written- ▁dying- ▁hide- ▁north- ▁ye- ▁stripe- ▁sibling- ▁avoid- ▁mountain- ▁stable- ▁daily- ▁weekends- ▁grass- ▁Ah- ▁fix- or- ▁state- ▁cent- ▁politics- ▁flag- ▁Joe- ▁convenient- ▁speech- ▁assume- ▁ugh- ▁halfway- ▁surprised- ▁Tuesday- ▁beat- ▁horrible- ▁sandcastle- ▁perhaps- ▁ugly- ▁information- ▁pig- ▁grade- ▁closed- ▁relate- ▁Bangkok- ▁perspective- ▁golf- ▁Megan- ▁path- ▁judge- ▁accent- ▁stone- ▁bush- ▁events- ▁western- ▁videos- ▁fighting- ▁flight- ▁court- ▁sales- ▁Y- ic- ▁wave- ▁arts- ▁pronounce- ▁invite- ▁proud- ▁player- ▁allowed- ▁goodness- ▁mistake- ▁Ang- ▁scene- ▁note- God- ▁lamp- ▁ourselves- ▁yoga- ▁Harry- ▁wind- ▁heck- ▁cab- ▁master- ▁chiong- ▁pressure- ▁practice- ▁income- ▁Thursday- ▁Jurong- ▁testing- ▁attack- ▁pointing- ▁cats- ▁link- ▁Jack- ▁diploma- ▁worries- ▁semester- ▁safety- ▁woke- ▁Man- ▁shocked- ▁zoo- ▁th- ▁birth- ▁results- ▁tables- ▁development- ▁salt- ▁engineering- ▁fully- ▁letter- ▁bicycle- ▁concept- ▁camera- ▁strange- ▁understanding- ▁animals- ▁discuss- ▁typical- ▁Christmas- ▁unique- ▁condo- ▁yep- ▁Park- ▁parts- ▁onto- ▁products- ▁nose- ▁seem- ▁ring- ▁result- ▁stomach- ▁herself- ▁spent- ▁winter- ▁male- ▁jumping- ▁rocks- ▁grades- ▁flowers- ▁cuisine- ▁habit- ▁budget- ▁casino- ▁community- ▁Year- ar- ▁challenge- ▁feed- ▁Punggol- ▁nonsense- ▁distance- ▁baking- ▁realised- ▁players- en- ▁nicknames- ▁wood- ▁moral- ▁recommend- ▁mood- ▁destress- ▁hospital- ▁tall- ▁ending- ▁badly- ▁chairs- ▁calling- ness- ▁clique- ▁la- ▁click- ▁ideal- ▁porridge- ▁original- ▁Ben- ▁lesser- ▁mall- ▁restaurants- ▁material- ▁National- ▁bikini- ▁smoking- ▁pork- ▁pause- ▁cutting- ▁provide- ▁figure- ▁variety- ▁American- ▁afterwards- ▁donate- ▁preserve- ▁affect- ▁according- ▁London- ▁Yishun- ▁freedom- ▁sensitive- ▁women- ▁shiok- ▁entertainment- ▁disgusting- ▁slash- ▁charity- ▁cycling- ▁dumb- ▁John- ▁kaypoh- ▁obvious- ▁suck- ▁dramas- ▁talked- ▁cheat- ▁channel- ▁discipline- ▁kaypo- ▁transfer- ▁Batam- ▁grew- ▁location- ▁newspaper- ▁smaller- ▁guide- ▁strict- ▁badminton- ▁indeed- ▁mask- ▁loved- ▁plane- ▁Chinatown- ▁drunk- ▁seldom- ▁knock- ▁sweeping- ▁colleague- ▁lol- ▁Woodlands- ▁enroll- ▁major- ▁seahorse- ▁final- ▁tattoo- ▁nicer- ▁chemistry- ▁lying- ▁potatoes- ▁elaborate- ▁designer- ▁previously- ▁preserved- ▁adult- ▁following- ▁takes- ▁bite- ▁repeat- ▁contract- ▁attitude- ▁curious- ▁nua- ▁program- ▁values- ▁falling- ▁genre- ▁pear- ▁trees- ▁quick- ▁Marina- ▁data- ▁pee- ▁Lee- ▁crying- ▁uncles- Q- ▁stickers- ▁report- ▁aunt- ▁extent- ▁happiness- ▁lifestyle- ▁sharing- ▁plain- ▁slippers- ▁decision- ▁customer- ▁warm- ▁pushing- ▁ran- ▁flow- ▁screen- ▁celebrate- ▁smile- ▁vision- ▁marry- ▁anyhow- ▁completely- ▁acting- ▁yay- ▁balls- ▁national- ▁Toa- ▁satay- ▁seesaw- ▁volunteer- ▁concern- ▁shower- ▁sticker- ▁shot- ▁direct- ▁swear- ▁cage- ▁Bali- ▁quickly- ▁physics- ▁square- ▁wheel- ▁areas- ▁intern- ▁gai- est- ▁luck- ▁confident- ▁security- ▁property- ▁useful- ▁received- ▁mainly- ▁raining- ▁stressed- ▁finished- ▁modern- ▁stamps- ▁batch- ▁America- ▁schedule- ▁bench- ▁hobbies- ▁literary- ▁noisy- ▁banana- ▁losing- ▁excited- ▁wallet- ▁suay- ▁dear- ▁salted- ▁stack- ▁maid- ▁se- ▁heng- ▁helps- ▁perform- ▁bringing- ▁exact- ▁alamak- ▁available- ▁gaming- ▁wooden- ▁management- ▁destresses- ▁Kim- ▁managed- ▁exist- ▁sack- ▁arm- ▁cooked- ▁courses- w- ▁lock- ▁blame- ▁practical- ▁truth- ▁Science- ▁uniform- ▁manager- ▁liked- ▁module- ▁receive- ▁recall- ▁sucks- ▁staff- ▁worried- ▁mummy- ▁characters- ▁solve- ▁buddy- Guni- mee- ▁Asia- ▁lecture- ▁tourist- ▁members- ▁grand- Bay- ▁Karang- Cup- ▁blonde- ▁strength- la- ▁disturb- ▁deserve- ▁South- ▁opening- ▁milo- ▁shore- ▁tower- ▁ear- ▁stayed- ▁accident- ▁dessert- ▁saving- ▁singer- ▁mala- W- Payoh- ▁familiar- ▁significant- ▁Pokemon- ▁thin- ▁jio- ▁fitness- ▁among- ▁king- ▁investment- ▁member- ▁influence- ▁needed- ▁shout- ion- ▁wrote- ▁filled- ▁pure- ▁covered- ▁mess- ▁butter- ▁plans- ▁cloth- ▁fill- ▁necessary- ▁skirt- ▁Day- ▁limit- ▁benefit- ▁fella- ▁email- ▁pin- ▁copy- ▁impact- ▁political- ▁emotional- ▁powder- ▁shovel- j- ▁Starbucks- ▁becomes- ▁spirit- ▁flavour- ▁cheek- ▁patient- ▁finger- ▁poster- ▁cloud- ▁develop- ▁progress- ▁remove- ▁auto- ▁guest- ▁useless- ▁whereas- ▁bags- ▁sold- ▁theory- ▁packet- ▁album- ▁arrow- ▁Mee- ▁significance- ▁earth- ▁cher- ▁gotta- ▁limited- ▁shy- ▁whose- le- ▁carrying- ▁war- ya- ▁mo- ▁magic- Seng- ▁stopped- ▁diving- ▁prepared- ▁kicking- ▁rose- ▁apple- ▁lobster- ▁flower- ▁wheels- ▁dreams- ▁shelter- ▁religious- ▁Hougang- ▁humble- ▁bunch- ▁medical- ▁gotten- ▁showing- Mo- ▁lights- ▁prawn- ▁seats- ▁paste- ▁frame- ▁uncomfortable- ▁responsibility- ▁Milo- ▁menu- ▁tank- ▁roller- ▁ok- ▁barbecue- ▁sent- ▁grandparents- ▁tight- ▁tiger- ▁prison- ▁range- ▁creative- ▁Serangoon- ▁valuable- ▁ramen- ▁dragon- ▁tickets- ▁mode- ▁aside- ▁performance- ▁pieces- ▁secret- ▁download- ▁target- Coast- ▁doubt- ▁peace- ▁salmon- ▁communicate- ▁lab- ▁Nasi- ▁gross- ▁whoever- ▁otherwise- ▁marketing- ▁guitar- ▁windows- ▁flip- ▁code- ▁drawing- ▁comment- ▁foot- ▁careful- ▁sambal- ▁massage- ▁piano- ▁mentioned- ▁marks- ▁shooting- ▁collected- ▁clearing- ▁gift- ▁commitment- ▁robot- ▁option- ▁hole- ▁carrot- ▁switch- ▁Western- ▁musical- ▁minimum- ▁vegetarian- ▁fellow- ▁Teddy- ▁zone- ▁holy- ▁extend- ting- ▁changes- ▁individual- ish- ra- ▁senior- ▁men- Park- ▁ridiculous- ▁controversial- ▁attached- ▁collection- ▁anytime- ▁October- ▁moments- ▁doors- ▁heat- ▁da- ▁dates- ▁visitors- ▁spoil- ▁vegetables- ▁yo- ▁ignore- ▁approach- ▁independent- ▁quarter- ▁chase- ▁rabbit- ▁tractor- ▁wh- ▁eggs- ▁setting- ▁row- ▁gossip- ▁introduce- ▁karang- ▁Kallang- ▁Tinder- ▁companies- ▁jacket- ▁handsome- ▁sake- ▁immediately- ▁annoyed- ▁upset- ▁owner- ▁wasted- ▁bucks- ▁towel- ▁dialect- ▁aware- ▁traffic- ▁families- ▁portion- ▁playlist- ▁rarely- ▁mad- ▁char- ▁Malaysian- ▁thingy- ▁pins- ▁rank- ▁interact- ▁mature- ▁bonus- ▁cancel- ▁leaving- ▁fifth- ▁Bukit- ▁pole- ation- ▁speaker- ▁coach- ▁kindergarten- ▁tongue- ▁peaches- ▁delivery- ▁salty- ▁caring- ie- ▁expected- ▁weak- ies- ▁attend- ▁fry- Kio- ▁sex- ▁September- ▁sergeant- ▁basis- ▁evil- ▁signage- ▁highest- ▁wherever- ▁James- of- ▁soul- ▁oral- ▁downstairs- ▁tap- ▁nicely- ▁notes- ▁W- ▁firstly- ▁enjoying- ▁website- ▁snake- ▁seagull- ▁sweat- ▁App- ▁competitive- ▁maintenance- ▁Geylang- ▁summer- ▁liao- ▁foundation- ▁bio- ▁clearly- ▁nearer- ▁wa- goodness- ▁mental- ▁regular- ▁karaoke- ▁passport- ▁medicine- ▁Club- ▁hiking- ▁ego- ▁reality- ▁bright- man- ▁sat- ▁humans- ▁touching- ▁discount- ers- ▁gay- ▁tissue- ▁loan- ▁quarrel- ▁separate- lemak- Mee- ▁asleep- ▁celebrity- ▁exciting- ▁literature- ▁Pasir- ▁nearest- ▁snacks- ▁complaining- ▁dive- ▁erm- ▁hire- ▁matters- ▁crash- time- ▁pot- ▁sentence- ▁promotion- ▁drool- ▁chop- ▁French- ▁village- ▁depression- ▁priority- ▁Tamil- ▁scenery- ▁dropping- ▁Shore- ▁chips- ▁active- ▁inspired- ▁gosh- ▁phones- ▁moved- ▁instructor- ▁Muslim- ▁Africa- ▁Bear- ▁spice- ▁exhibition- ▁bak- ▁shellfish- ▁affordable- ▁Poly- ▁Joel- ▁rental- ka- ▁noise- ▁gun- ▁sleeve- ▁essay- ▁lack- ▁large- ▁Bugis- ▁exercising- ▁fantastic- ▁facial- ▁chef- ▁cartoon- ▁enjoyable- ▁ee- ▁tag- ▁mixed- ▁tone- ▁broken- ▁pearl- ▁button- ▁flags- ▁origin- ▁keeping- ▁mod- ▁aren- ▁spread- ▁teleport- ▁package- ▁bets- ▁context- ▁mutton- ▁river- ▁tech- ▁Bishan- ▁specifically- ▁painful- ▁earning- ▁drag- ▁incident- ▁condition- ▁stretch- ▁screw- ▁leader- ▁credit- ▁extreme- ▁dancing- ▁journey- ▁neighborhood- ▁involved- ▁City- ▁jam- ▁oily- ▁painting- ▁smelly- ▁failed- ▁commit- ▁floors- ▁apps- ▁display- ▁paint- ▁upgrade- ▁pace- ▁increase- ▁enrichment- ▁Apple- ▁travelled- ▁vehicle- ▁naturally- ▁shouting- ▁content- ▁kiss- ▁reasons- ▁magical- ▁metal- ▁colleagues- ▁castle- ▁borrow- ▁route- ▁shake- ▁volume- ▁sir- ▁jeans- ▁counted- ▁ch- ▁hardly- ▁cert- ▁starts- ▁dis- ▁print- ▁tax- ▁garden- ▁looked- ▁bond- ▁max- ▁access- ▁Uniqlo- ▁definition- ▁delicious- ▁glad- ▁versus- ▁booth- ▁presentation- ▁Germany- ▁built- ▁festival- ▁symbol- ▁sum- ▁ideas- ▁sells- ▁Jia- ▁evening- ▁snow- ▁technical- ▁Paris- ▁beauty- ▁medium- ▁naughty- ▁physically- ▁failure- ▁elder- ▁slide- ▁hunt- ▁bean- ▁pour- Potter- ▁department- ▁alcohol- ▁bridge- ▁inner- ▁purposely- ▁affected- ▁upper- ▁sacrifice- ▁tie- ▁label- ▁theme- ▁ka- ▁pill- ▁lit- ▁ne- ▁retire- ▁international- ▁lonely- ▁unbelievable- ▁routine- ▁precisely- ▁section- ▁boil- ▁selfish- ▁directly- ▁bao- ▁Kai- ▁financially- ▁fishes- ▁swing- ▁solo- ▁conversations- ▁symbols- ▁suffer- ▁scream- ▁pretend- ▁keeps- ▁relationships- ▁structure- ▁prevent- ▁east- ▁shops- ▁WhatsApp- ▁argue- ▁craving- ▁irritating- ▁resume- ▁studied- ▁cruise- ▁initially- ▁pocket- ▁lean- ▁promise- ▁remain- ▁communication- ▁height- ▁cigarette- ▁options- ▁grown- ▁plum- all- guni- ▁tick- ▁bomb- ▁cancer- ▁Sembawang- ▁casual- ▁potential- ▁stunned- ▁skinny- ▁anime- ▁joy- ▁host- ri- ▁trade- ▁hamster- ▁wondering- ▁map- ▁pen- ▁modules- ▁crowds- ▁scratch- ▁Malacca- ▁impossible- ▁insurance- ▁lamb- ▁multiple- ▁ladies- ▁France- ▁horse- ▁types- ▁stock- ▁belt- ▁sis- ▁source- ▁Math- ▁stamp- ▁bill- ▁worked- ▁sheet- ▁upon- ▁Philippines- ▁answered- ▁lip- ▁resources- ▁actors- ▁stars- ment- ▁reject- ▁contribute- ▁manual- ▁Marvel- ▁insane- ▁opportunities- ▁picnic- ▁upgrading- ▁psychology- ▁industrial- ▁betting- ▁peak- ▁forced- ▁sour- ▁intrigues- to- ▁steam- ▁preference- ▁mooncake- ▁mobile- ▁oven- ▁House- ▁messy- ▁bonding- ma- ▁Kong- ▁depending- ▁steps- ▁cinema- ▁scare- ▁recipe- ▁turns- ▁enjoyed- ▁drives- ▁minded- ▁exercises- ▁forest- ▁pills- ▁cousins- ▁cockroach- ▁Adam- ▁November- ▁awesome- ▁forecast- ▁January- ▁fierce- ▁simply- ▁nowhere- ▁giam- ▁Jay- ry- ▁academic- ▁outdoor- ▁rule- ▁calm- ▁ingredients- ▁strike- ▁including- ▁phase- ▁vending- ▁fridge- ▁confidence- ▁daddy- ▁fixed- ▁counter- ▁rushing- ▁connect- ▁appear- ▁yeap- ▁groups- ▁sandals- ▁savings- ▁aim- ▁stare- ▁float- ▁foreign- ▁Crazy- ▁wrap- ▁jialat- ▁unhealthy- ▁banner- ▁chalet- ▁platform- ▁mentality- ▁toxic- ▁mountains- ▁argument- ▁crap- ▁buildings- ▁woo- ▁wing- ▁stairs- ▁prove- ▁considering- ▁carrots- ▁meals- na- ▁plant- ▁dig- ▁likely- ▁fans- ▁spell- ▁Liverpool- ▁assuming- ▁mystery- ▁necessarily- ▁dealbreaker- ▁Chicken- ▁Uber- ▁winning- is- ▁scissors- ▁di- ▁shade- us- ▁influencer- ▁factor- ▁al- te- Yi- ▁monitor- ▁fuck- ▁loving- ▁maximum- ▁smiling- ▁classroom- ▁briyani- ▁glasses- ▁moon- ▁details- ▁climbing- ▁letters- ▁wipe- ▁museum- ▁seashell- ▁adults- ▁freak- ▁steal- ▁smooth- ▁introvert- ▁brush- ▁beyond- ▁laundry- ▁pepper- ▁podcast- ▁WiFi- ▁applied- ▁hardworking- ▁roughly- ▁golden- ▁studio- ▁tiny- ▁van- ▁mop- ▁status- ▁tent- ▁added- shirt- ▁estate- ▁panel- ▁bone- ▁gas- ▁tips- ▁sweep- ▁encourage- ng- teow- ▁decent- ▁strawberry- ▁therefore- ▁watermelon- ▁Kampung- ▁edition- ▁shag- ▁curly- ▁scan- ▁emotionally- ▁expecting- ▁Sam- ▁magazine- ▁musician- ▁clothing- ▁iron- ▁wings- ▁Sing- ▁li- ▁valid- ▁basket- ▁intense- ▁plot- ▁welcome- ▁fence- ▁laksa- ▁romance- ▁Spirit- ▁slept- ▁loyalty- ▁surprisingly- ▁bang- ▁string- ▁bitter- ▁numbers- ▁atas- ▁capital- ▁bottles- ▁flats- ▁straw- ▁quote- ▁stripes- ▁picking- ▁colours- ▁grill- ▁spoke- ▁shell- th- ▁advance- goreng- ▁Venom- ▁silent- ▁surgery- ▁kiasu- ▁apartment- ▁suitable- ▁landed- ▁seconds- ▁honesty- Gates- ▁knee- ▁finance- ▁fee- ▁shoulder- ▁produce- ▁recognise- ▁joking- ▁instant- ▁Dubai- ▁enemy- ▁queuing- ▁Pasar- ▁gender- ▁Paya- ▁disappointed- ▁herbal- ▁formal- ▁chili- ▁scolded- ▁drugs- ▁throwing- ▁Christian- ▁drivers- ▁assignment- ▁director- ▁vibe- ▁collecting- ▁peeve- ▁specs- ▁wasting- ▁rules- ▁professional- ▁actress- ▁conscious- ▁neutral- ▁burden- ▁silence- ▁troublesome- ▁south- ▁toothpaste- ▁halal- ▁accidentally- ▁reaction- pop- ▁gate- ▁clock- el- ▁ang- ▁kai- ▁folks- ▁supermarket- ▁task- ▁hearing- ▁equipment- ▁classmate- ▁subjects- ▁degrees- Ma- ▁crush- ▁migrate- ▁divorce- ▁efficient- ▁sudden- ▁Agnes- ▁drove- ▁threw- ▁responsible- ▁wild- ▁workplace- ▁era- ▁One- ▁chain- ▁wonderful- ▁dust- ▁graduated- ▁created- ▁sofa- ▁stream- ▁crime- ▁experiment- ▁article- ▁Mac- ▁legal- ▁en- ▁deliver- ▁le- ▁heartlands- ▁Phuket- ▁burst- ▁combination- ▁hopscotch- ▁procrastinate- ▁survey- ▁hurry- ▁beginning- ▁warehouse- ▁logo- ▁West- ▁invisible- ▁becoming- ▁toner- ▁toes- ▁protect- ▁Hari- ▁advise- ▁seek- ▁lane- ▁benefits- ▁outlet- ▁fees- ▁pe- ▁intend- ▁adopt- ▁chose- ▁promote- ▁nah- ▁squeeze- ▁jealous- ▁jungle- ▁submit- ▁motorbike- ▁silver- ▁welfare- ▁babe- ▁bungee- ▁teeth- ▁pail- ▁European- ▁helpful- ▁convert- ▁comedy- ▁randomly- ▁overall- ▁west- ▁relaxing- ▁missed- ▁fin- ▁kite- ▁fats- by- ▁Jun- ▁genres- ▁vacuum- ▁bully- ▁peas- Lemak- Bahru- ▁toast- ▁Mandarin- ▁leisure- ▁lousy- ▁Italy- ▁multi- ▁tail- ▁angmoh- ▁crispy- ▁confused- ▁blender- ▁assistant- ▁mass- ▁branded- ▁Char- ▁wording- ▁ordered- ▁fetch- ▁centres- ▁waves- ▁clouds- ▁sponsor- ▁learned- ▁involve- ▁houses- ▁turned- ▁wanting- li- ▁pursue- ▁succeed- four- ▁additional- ▁motivation- ▁Saint- ▁Singtel- ▁mutant- ▁population- ▁knitting- ▁British- ▁luckily- ▁Raffles- ▁converse- ▁makan- ▁siew- ▁barely- ▁application- ▁prof- ▁agent- ▁riding- ▁hoping- ▁Gai- ▁youngest- ▁Ma- ▁longest- ▁bun- ▁Indonesian- ▁followed- hoon- ▁expectations- me- ▁concerts- ▁ho- ▁triangle- ▁showed- ▁fishball- ▁brothers- ▁engage- ▁smoothie- ▁helped- ▁jun- ▁ca- ▁replace- ▁adjust- ▁memorise- ▁suggest- ▁spring- ▁minor- ▁Italian- ▁serving- ▁yogurt- ▁innocence- ▁midnight- ▁lemon- ▁Hello- ▁production- ▁pissed- ▁episodes- ▁trips- ▁recommended- ▁seagulls- ▁experiences- ▁bathe- ▁soya- ▁guard- ▁mushroom- ▁review- ▁payment- ▁effect- ▁sisters- ▁hug- ▁Hai- ▁weekdays- ▁fa- ▁challenging- ▁luggage- ▁multiply- ▁staircase- ▁maroon- ▁admin- ▁drank- ▁Ikea- ▁neck- ▁regardless- ▁passionate- ▁unfortunately- ▁gang- ▁constantly- ▁ultimately- ▁anti- ▁dump- ▁extremely- ▁mate- ▁equally- ▁dining- ▁realized- at- ▁lighter- Lin- ▁neighbors- ▁mirror- ▁temple- ▁connection- ▁tear- ▁angel- ce- ▁cleaner- ne- ▁spin- East- ▁Book- ▁Canada- ▁iPad- ▁alternative- ▁destination- ▁response- ▁coffeeshop- ▁Johor- ▁embarrassed- ▁shorter- ▁volunteering- ▁core- ▁din- ▁captain- ▁relative- ▁signs- ▁lecturer- ▁Long- ▁plants- ▁punch- ▁combine- ▁register- ▁heaven- ▁breathe- ▁breast- ▁spaghetti- ▁assessment- ▁solid- ▁blanket- ▁Nike- ▁satisfied- ▁scooter- ▁bono- ▁household- ▁rackets- ▁Zealand- ▁Hui- ▁scam- ▁spare- ▁lyrics- ▁bout- ▁scolding- ▁baked- ▁difficulty- ▁joined- ▁ba- ▁pa- ▁traveled- ▁triple- ▁experienced- ▁turning- ▁sub- ▁gear- ▁advertisement- ▁cable- ▁include- ▁lies- ▁necklace- ▁collector- ▁actions- less- ▁ties- ▁grad- ▁refuse- ▁fiction- ▁author- ▁Disney- ▁easiest- ▁length- ▁Mark- ▁leaf- ▁pilot- ▁trading- ▁guilty- ▁eww- ▁Boon- ▁carpark- ▁larger- ▁mango- ▁Coast- ▁wore- ▁posted- ch- ro- ▁walked- ▁views- ▁passenger- ▁arms- ▁biscuit- ▁tape- som- ▁reflect- ▁jail- Lebar- ▁oops- ▁German- ▁blend- ▁surprising- ▁Big- ▁butterfly- ▁dropped- ▁entrance- ▁lipstick- ▁neither- ▁patience- ▁ringgit- ▁skydiving- ▁Mount- ▁scale- ▁inspiration- ▁Pete- ▁connected- ▁developed- two- ▁gen- chor- Chu- ▁staring- ▁texting- ▁Z- ▁pies- ▁temperature- ▁slice- ▁ribbon- ▁hint- ▁decisions- ▁rod- ▁Q- it- ▁fold- ▁respond- ▁encounter- ▁freeze- ▁lepak- ▁mutual- ▁recycling- ▁suicide- ▁whatsoever- ▁Mobile- ▁balik- ▁Holland- ▁irritated- ▁cheapest- ▁ends- ▁buses- ▁choices- ▁cockles- ▁workers- ▁parking- ▁languages- ▁salad- ▁motor- ▁blank- ▁Gardens- ▁lawyer- ▁butcher- ▁expectation- ▁May- ▁slack- ▁pump- ▁arrange- ▁Air- ▁rubber- ▁hook- Ris- ▁Adidas- ▁fertility- ▁Halloween- ▁profile- ▁crew- ▁truck- ▁Line- ▁God- um- ▁killed- ▁beard- mo- ▁mistakes- ▁pan- ▁pit- ▁joining- ▁sa- ▁seashells- ▁odd- ▁voucher- ▁require- ▁hay- ▁flaw- ▁neighbor- ▁cow- Z- q- il- cream- ▁stalls- ▁Manchester- ▁cereal- ▁crisis- ▁ensure- ▁happily- ▁illegal- ▁naked- ▁racist- ▁seaweed- ▁Fandi- ▁dunno- ▁jogging- ▁audition- ▁breed- ▁quiz- ▁rise- ▁calculated- ▁surfing- ▁anger- ▁held- ▁ban- ▁Anna- ling- ▁sleepy- ▁tofu- ▁econs- ▁bees- ▁hill- ▁seed- ▁passing- ▁papers- ▁traveling- ▁crack- ▁engineer- ▁owe- ▁layer- ▁irritate- ▁muscle- ▁programme- ▁drug- lo- ▁gather- ▁rap- Kang- ▁disagree- ▁Mercedes- ▁Samsung- ▁ocean- ▁oyster- ▁unfair- ▁England- ▁babies- ▁grail- ▁housing- ▁Seoul- ▁aww- ▁Carousell- ▁chasing- ▁effective- ▁pastime- ▁allowance- ▁stingy- ▁siao- ▁adventurous- ▁acceptable- ▁chem- ▁prize- ▁provided- ▁darker- ▁belly- ▁wrongly- ▁sight- ▁goats- ▁pulling- ▁agreed- ▁guessing- ▁Shi- ▁trigger- ▁unit- ▁method- ▁lips- ▁School- ▁drain- ▁sink- ▁reduce- ▁translate- ▁accurate- ▁peaceful- ▁trail- ▁stubborn- ▁Miss- ▁Tokyo- ▁nervous- ▁policy- ▁sashimi- ▁liquid- ▁petrol- ▁satisfaction- ▁depth- ▁legend- ▁void- City- ▁po- ▁origins- ▁na- ▁hike- ▁stated- ▁candy- ▁bu- ▁models- ▁seeds- ▁trays- ▁chit- ▁expenses- ▁soap- ▁computers- ▁somewhat- ▁v- gai- ▁attract- ▁pattern- ▁claim- ▁begin- ▁tier- ▁cakes- ▁officer- ty- ▁projects- ▁Su- ▁edit- ▁nurse- ▁complicated- ▁knife- ▁typhoon- ▁Iceland- ▁relevant- ▁Joyce- ▁Genting- ▁fancy- ▁thriller- ▁liking- ▁Newton- ▁planned- ▁Nun- ▁June- ▁blur- ▁rely- ▁goat- ▁holes- ▁fart- ▁nation- ssed- ▁scenario- ▁struggle- ▁image- ▁solution- ▁customers- ▁intention- ▁surrounding- ▁clip- ally- ▁abuse- ▁adapt- ▁understood- Rich- ▁answers- ▁genuine- ▁honeymoon- ▁overcome- ▁impressive- ▁queen- ▁raising- ▁Little- ▁Black- ▁clockwise- ▁mama- ▁creepy- ▁Wave- ▁housework- ate- ▁curve- ▁answering- ▁exposed- ▁Ryan- kway- ▁recorded- ▁marker- ▁coins- ▁visited- ▁watches- ▁accounting- oo- ▁counting- ▁comments- ▁diet- z- ▁bell- ▁lover- ▁script- Garden- ▁si- ▁attraction- ▁trainer- ▁chew- ▁belong- ▁delay- ▁shells- ▁pioneer- ▁calculate- ▁sharp- ▁criteria- ▁emergency- ▁precious- ▁pregnant- ▁president- ▁microphone- ▁mosque- ▁keyboard- ▁spade- ▁absolutely- ▁subjective- ▁expression- ▁capable- ▁Road- ▁kway- ▁loss- ▁bare- ▁kicked- ▁port- ▁correction- ▁plates- ▁worker- ▁cares- ▁checking- ▁jokes- ▁par- ▁chances- age- ▁handbag- ▁advantage- ▁stranger- ▁filter- ▁diff- ▁unlike- ▁flour- ▁Tiong- ▁convenience- ▁cultural- ▁flexible- ▁judging- ▁awake- ▁innocent- ▁stingray- ▁duty- ▁headache- ▁clubbing- ▁granted- ▁Star- ▁frozen- ▁overnight- ▁regarding- ▁Yew- ▁however- ▁bow- ▁sentimental- ▁malls- ▁site- ▁oi- ▁cheating- ▁sincere- ▁shed- ▁rat- ▁sustain- ur- ▁relatives- ▁oo- ▁cookies- ▁pad- ▁measure- ▁corn- ▁wire- ▁tutor- ▁acronyms- ▁perfume- ▁aeroplane- ▁idiot- ▁motivate- ▁trick- ▁weapon- ▁detail- ▁coin- ▁classic- ity- ▁surf- ▁bless- ▁stalk- ▁cough- ▁permanent- ▁rough- ▁beneath- ▁category- ▁licence- ▁nursing- ▁surface- ▁fusion- ▁steamboat- ▁texture- ▁chest- ▁educated- ▁mentally- ▁Wei- ▁motivated- ▁curse- ▁fork- ▁stronger- ▁filling- ▁monthly- ▁cons- ▁speakers- ▁picked- ▁killing- ▁onion- ▁Chris- ▁youth- ▁interests- ▁stands- ▁sending- ▁ti- ▁tin- ▁refer- ▁zip- ▁dots- ▁professor- ▁operation- ▁coaster- ▁cheer- ▁client- ▁recover- ▁purchase- ▁reveal- ▁organise- ▁freelance- ▁electric- ▁admit- ▁entry- ▁sarcastic- ▁supervisor- ▁bullshit- ▁garlic- ▁identity- ▁prank- ▁Pulau- ▁Switzerland- ▁automatically- ▁realistic- ▁theatre- ▁cha- ▁trailer- ▁sickness- ▁Maldives- ▁reasonable- ▁rejected- ▁buttons- ▁gathering- ▁packed- ▁sticky- ▁texted- ▁mu- ▁lo- ▁sheng- ia- ▁playful- ▁brings- ▁helper- ▁inter- ▁outing- ▁Si- ▁pros- ▁spoon- ▁update- ▁represent- ▁organisation- ▁attachment- ▁discover- ▁vote- Road- Zealand- three- ▁logic- ▁superhero- ▁attractive- ▁MacPherson- ▁currency- ▁elephant- ▁facilities- ▁initiative- ▁nephew- ▁thirsty- ▁Johnny- ▁itinerary- ▁desk- ▁Stella- ▁spray- ▁cope- ▁Kuan- ▁lend- ▁pity- ▁fund- ▁bloody- ▁screaming- ▁reached- ▁Ban- ▁heels- ▁chip- ▁insects- ▁schooling- ▁vibes- se- ian- ▁prices- ▁Mo- ▁foreigners- ▁disappear- ▁instrument- ▁slipper- ▁pitch- ▁participate- ▁marble- ▁polite- ▁Gerald- ▁Subway- ▁aquarium- ▁software- ▁tingling- ▁Jalan- ▁shelf- ▁puppy- ▁pluck- ▁cheesecake- ▁terminal- ▁entitled- ▁profit- ▁Rice- ▁depressing- ▁lowest- ▁princess- ▁taller- ▁mustard- ▁roomie- ▁panda- ▁suffering- ▁loudly- ▁harm- ▁accepted- ▁stores- ▁puff- ▁angle- ▁burning- ▁Art- ▁hurts- ▁semi- ▁surely- as- ▁breaking- ▁Li- ▁bla- ▁squares- sh- ▁af- ▁sawing- ▁blow- ent- ▁opponent- ▁visual- ▁dim- ▁entertain- ▁Ubi- ▁manner- ▁nail- ▁spider- ▁edge- ▁damage- ▁recycle- ▁behave- ▁delete- ▁racket- ▁audience- ▁childcare- ▁funeral- ▁generous- ▁grateful- ▁kopitiam- ▁mookata- ▁ourself- ▁prefect- ▁scope- ▁stadium- ▁straightforward- ▁throat- ▁venom- ▁cowboy- ▁ginger- ▁truffle- ▁bullied- ▁cheesy- ▁conclusion- ▁fuel- ▁strap- ▁feedback- ▁ferry- ▁portable- ▁roti- ▁sightseeing- ▁mail- ▁screwed- rice- ▁palm- ▁bothered- ▁talented- Again- ▁offered- ▁bind- ▁dai- beh- ▁scenes- ▁Jing- ▁jog- ▁har- ▁emotions- ▁commercial- ▁claw- ▁proceed- ▁twist- ▁hype- ▁veg- ▁capture- ▁expose- ▁interaction- ▁monkey- ▁boost- ▁nap- ▁companion- ▁Jolene- ▁Shanghai- ▁accommodation- ▁accompany- ▁crayfish- ▁eldest- ▁principal- ▁reservist- ▁rural- ▁barbeque- ▁fantasy- ▁Daniel- ▁Guang- ▁nanny- ▁leadership- ▁junior- ▁battery- ▁powerful- ▁committed- ▁cockroaches- ▁Parish- ▁ingredient- ▁aspiration- ▁eighties- ▁cheated- ▁counts- ▁olden- Teow- ▁loser- ▁breaks- ▁praying- X- Man- ▁boot- ▁dialects- ▁muscles- ▁consequences- ▁function- ▁hive- ▁panic- ▁traits- ▁seasons- ▁peeves- ▁poke- ▁pea- ▁formula- ▁hm- ▁rec- ▁teache- ▁enrol- ▁reward- ▁portray- ▁bias- ▁determine- ▁extrovert- ▁Maggi- ▁observe- ▁adventure- ▁superficial- Han- ▁corridor- ▁false- ▁furniture- ▁hidden- ▁ownself- ▁rectangle- ▁strategy- ▁unhappy- ▁cardio- ▁anniversary- ▁elite- ▁Spiderman- ▁popcorn- ▁lottery- ▁struggling- ▁hostel- ▁Grey- ▁bloomer- ▁Siri- ▁awareness- ▁steering- ▁spotted- ▁basement- ▁Plaza- ▁stove- ▁Haw- ▁chemical- ▁movement- ▁War- ▁childish- ▁tyre- ▁weekday- ▁fate- ▁seater- ▁waited- ▁ev- ▁risks- ▁log- ▁lor- ▁runs- ▁ears- ▁su- ▁walls- do- ine- ay- ge- ▁cases- ▁confess- ▁Yi- ▁Uni- ▁scar- law- ▁cock- John- ▁global- ▁thankful- ▁tomato- ▁Toto- ▁slap- ▁Honda- ▁ambitious- ▁geography- ▁healthcare- ▁lmao- ▁luxury- ▁nasty- ▁possibly- ▁rebellious- ▁tournament- ▁Penang- ▁stood- ▁Chelsea- ▁silly- ▁Disneyland- ▁brake- ▁referring- ▁majority- ▁teleportation- ▁statement- ▁hiding- ▁cabin- ▁roasted- ▁sniffing- ▁relatively- ▁consideration- ▁satisfying- ▁custom- ▁firm- ▁advanced- ▁Tan- ▁eraser- ▁hao- ▁turtle- ▁lizard- ▁heartland- ▁niece- ▁container- ▁workshop- ▁electronic- ▁brave- ▁cameras- ▁aspects- ▁onwards- ▁spoilt- ▁tasted- ▁robots- ton- ▁whoa- ▁Bio- ▁Al- ▁levels- ▁rub- ▁region- ▁suits- ▁tradition- ▁tip- ▁privilege- ▁request- Timah- Raya- ▁nerd- ▁teenage- ▁authentic- ▁thumb- ▁alternate- ▁broad- ▁compulsory- ▁essence- ▁furthest- ▁graduation- ▁imagination- ▁intelligent- ▁philosophy- ▁tasty- ▁Sengkang- ▁appointment- ▁jelly- ▁council- ▁frequency- ▁rooftop- ▁Perth- ▁savoury- ▁beehive- ▁tahan- ▁Audrey- ▁digital- ▁rooms- ▁retirement- ▁Mother- ▁chey- ▁dragging- ▁brownish- ▁dip- ▁particularly- ▁completed- ▁Physics- ▁intake- ▁MacDonald- ▁flash- ▁antique- ▁feeding- ▁parks- ▁jet- ▁opinions- ▁circumstances- ▁sadly- ▁aye- ▁signal- ▁timer- ▁searching- go- ▁saved- ▁shirts- ▁failing- ▁tube- ▁plank- ▁lived- ▁ta- ▁prep- ▁mac- ▁internal- ▁named- ▁hor- ▁sides- ▁antiques- ▁Da- ▁tune- ▁reserve- ▁drill- ▁ac- Yew- ▁March- Kway- ▁Night- ▁Great- ▁Esplanade- ▁Greece- ▁encouraging- ▁frustrated- ▁pavement- ▁preparing- ▁upbringing- ▁August- ▁Jesus- ▁scroll- ▁Cantonese- ▁udon- ▁Seven- ▁patch- ▁healthier- ▁harsh- ▁oya- ▁regularly- ▁bosses- ▁purely- ▁triggered- ▁retired- ▁materials- ▁matured- ▁rainy- ▁sector- ▁invited- ▁olive- ▁comic- ▁leading- ▁tire- ▁secondly- ▁couples- Di- ▁scramble- ▁roads- ism- de- ▁mates- ▁playgrounds- ▁forth- ▁coloured- ▁features- ▁fam- out- ▁pok- ▁hack- gi- ▁breath- ▁Cambodia- ▁vomit- ▁stunt- ▁Lin- Quay- Xiang- Sands- Mian- ▁logical- ▁slip- ▁April- ▁ankle- ▁economy- ▁hokkien- ▁privacy- ▁surname- ▁Brunei- ▁trolley- ▁despite- ▁pride- ▁surfboard- ▁unlucky- ▁visa- ▁Michael- ▁tourism- ▁Andrew- ▁pond- ▁located- ▁photography- ▁Xiao- ▁Cafe- ▁bushes- Par- ▁deeper- ▁mat- ance- ▁fed- ▁performing- ▁treated- ▁scoop- ▁monster- ▁challenges- ▁tender- ▁whale- ▁strangers- ▁lay- ▁talents- ▁services- am- ▁kindness- ▁supporting- ▁Ted- ▁hitch- ▁downwards- ▁Yan- ▁fingers- ▁Ali- ▁musicians- ong- ▁blocks- ▁stir- ize- ▁ill- ▁demand- ni- han- Villa- liao- ▁cast- ▁singapore- ▁bunk- ▁You- ▁Innisfree- ▁escalator- ▁mixture- ▁parcel- ▁repair- ▁sausage- ▁supply- ▁Taobao- ▁corporate- ▁hindsight- ▁scholarship- ▁atmosphere- ▁protein- ▁closing- ▁mouse- ▁electricity- ▁audio- ▁matchmade- ▁tango- ▁pineapple- ▁pile- ▁vest- ▁manga- ow- ▁hardest- ous- ▁interior- ▁focused- ▁campaign- ▁lifetime- ▁occasion- ▁supposedly- ▁relation- ▁waffle- ▁Wen- ▁calories- ted- ▁McDonalds- ▁secrets- ▁sets- ▁opened- ▁classmates- ▁central- ▁span- ▁bath- ▁factors- ▁headphones- ▁youngsters- ▁pairs- ▁partners- ▁ducks- ▁faith- ▁trains- ▁distress- ▁select- Kuan- ▁maggi- ▁bark- ▁exit- ▁external- ▁Causeway- ▁algorithm- ▁choosing- ▁describing- ▁heritage- ▁kosong- ▁military- ▁organic- ▁resort- ▁seatbelt- ▁stereotype- ▁wheelbarrow- ▁earpiece- ▁martial- ▁various- ▁alarm- ▁sexuality- ▁aggressive- ▁matchmake- ▁mopping- ▁universe- ▁breakdown- ▁whack- ▁injured- ▁cabby- ▁Yong- ▁Wild- ▁mods- ▁pioneering- ▁spa- ▁beaches- ▁safer- ▁exhibitions- ▁acknowledge- ▁disturbing- ▁spill- ▁frog- ▁tutorial- ▁cone- ▁workout- ▁foreigner- ▁et- ▁melt- aking- ▁peel- ▁snap- ▁tan- ▁Div- ▁aha- ▁fi- ▁ants- ▁debts- ise- ▁situations- ▁allows- ▁hop- ▁regrets- ▁races- ▁fur- ▁destroy- ▁load- ▁embarrass- ▁murder- ▁network- ▁concentrate- United- ▁desperate- ▁arrogant- ▁immediate- ▁object- ▁Batman- ▁Myanmar- ▁Sephora- ▁Suntec- ▁certificate- ▁cliche- ▁coconut- ▁dealmaker- ▁diabetes- ▁exposure- ▁marathon- ▁pencil- ▁thief- ▁unnecessary- ▁vintage- ▁outcome- ▁Telok- ▁fisherman- ▁importance- ▁Alvin- ▁giant- ▁gangster- ▁cupboard- ▁straightaway- ▁bunny- ▁college- ▁sunset- ▁waving- ▁paiseh- ▁abilities- ▁Ayam- ▁plug- ▁dependent- ▁mince- ▁sunny- ▁Service- ▁Burger- ▁York- co- ▁nails- ▁blessed- ▁factory- ▁shave- ▁aiyah- ▁compromise- ▁chick- ▁diamond- ▁producer- ▁textbook- ▁pancake- ▁error- ▁subscribe- ▁assignments- ▁circles- ▁wha- ▁Wan- ▁Play- ▁panels- ▁pears- ▁bound- ▁Wi- ▁predict- ▁conduct- ▁annoy- et- ▁bump- ▁puke- Point- Wei- ▁engine- Lay- ▁agencies- ▁airplane- ▁chendol- ▁concrete- ▁controversy- ▁excellent- ▁gravy- ▁hashtag- ▁helmet- ▁remote- ▁renovation- ▁tampines- ▁vessel- ▁yolk- ▁Dhoby- ▁choir- ▁improving- ▁virus- ▁Timothy- ▁hipster- ▁itchy- ▁Vietnamese- ▁shuttle- ▁netball- ▁perception- ▁pillow- ▁omelette- ▁slang- ▁shipping- ▁obsessed- ▁Force- ▁equality- ▁fictional- ▁Chong- ▁Dance- ▁storyline- ▁combing- ▁install- ▁matches- ▁Seng- ▁cure- ▁locked- ▁concerned- ▁rides- ▁spoken- ▁served- ▁perfectly- ▁Mall- ▁lately- ▁highly- ▁fired- ▁trained- King- ▁veggie- ▁oversea- da- ▁visiting- ▁peer- ▁chilling- ▁glitters- ▁wei- ▁sticks- ▁rid- ▁burnt- ▁propose- ▁speaks- ▁correctly- ive- ▁cells- ▁artists- ▁compete- ▁meter- ▁economics- ▁blog- ik- ▁films- ak- ▁highlight- ▁retail- ▁retain- ▁command- ▁psych- ▁official- ▁jia- ▁Vivo- ▁Power- ▁Kopitiam- ▁Krabi- ▁advertising- ▁animation- ▁bungalow- ▁comparison- ▁description- ▁hygiene- ▁intelligence- ▁introduction- ▁qualify- ▁qualities- ▁rojak- ▁strawberries- ▁technician- ▁upstairs- ▁practise- ▁orientation- ▁McSpicy- ▁Taipei- ▁vacation- ▁Golf- ▁Pizza- ▁beige- ▁judgement- ▁Pub- ▁vase- ▁Choa- ▁retake- ▁grandpa- ▁craft- ▁cherry- ▁skipping- ▁promo- ▁balloon- ▁laughter- ▁micro- ▁whichever- ▁treatment- ▁transportation- ▁pampered- ▁kana- ▁nun- ▁practically- ▁impatient- ▁fulfilling- ▁Jie- ▁Bak- ▁generic- ▁anchor- ▁aiming- ▁kin- ▁fairy- ▁Malam- ▁Gen- ▁wo- ▁tub- Legend- ▁instruction- ▁boxing- ▁economic- ▁motorcycle- ▁file- ▁requires- ▁debt- ▁reaching- ▁shocking- ▁documents- ▁smoothies- he- ▁clubs- ▁fare- ▁bears- ▁bones- Ting- line- ▁sue- ▁streets- ▁programs- ▁sail- ▁recognize- ▁secure- Chou- Airport- Ubin- Wen- ▁fortunate- ▁consistent- ▁ultimate- ▁gentle- ▁forgive- ▁Robin- ▁Middle- ▁Contest- ▁Filipino- ▁Hokkaido- ▁MacRitchie- ▁Turkey- ▁forehead- ▁garbage- ▁juicy- ▁Melvin- ▁racial- ▁accessible- ▁foam- ▁confusing- ▁materialistic- ▁Golden- ▁pasar- ▁ouch- ▁distresses- ▁productive- ▁Old- ▁distracted- ▁rack- ▁discussion- ▁keen- ▁gao- ▁Square- ▁percentage- ▁stepping- ▁hitting- ▁possess- ▁Bean- ▁attended- ▁bi- ▁Qing- ▁spices- ▁meetings- ▁rolling- ▁pimple- ▁checked- ▁ruin- ▁ra- ▁eyebrow- ▁cafes- ▁Lim- ▁necklaces- ▁ver- ▁spectacles- ai- ▁pounds- ▁Ba- iness- ▁sp- 'no'- ▁cigarettes- ▁comm- ▁slim- ▁fulfill- ▁Mala- ▁Ha- ▁vertical- ▁constant- ▁Botanic- ▁branch- ▁journal- ▁Circle- ▁Downtown- ▁Jeju- ▁Khatib- ▁Norway- ▁circular- ▁evidence- ▁excluding- ▁grammar- ▁insecure- ▁procrastination- ▁segment- ▁sword- ▁syllabus- ▁flew- ▁happier- ▁oxygen- ▁Huawei- ▁twenties- ▁Spotify- ▁documentary- ▁applicable- ▁independence- ▁outfit- ▁vice- ▁Clarke- ▁haunted- ▁Four- ▁motion- ▁chess- ▁tries- ▁Lion- ▁Cai- pa- ▁actively- ▁Rich- ▁difficulties- ▁sailing- ▁slower- ▁hoon- ▁softer- ▁bullying- ▁ironing- ▁oldest- ▁repeating- ▁meme- ▁farming- ▁emotion- ▁mannequin- ▁pub- ▁improvement- ▁posting- ▁hardship- ▁flaws- ▁footballer- ▁locals- ▁Yu- ▁flavours- ris- math- ▁cooling- ▁prompts- ▁dirt- ▁standards- ▁sessions- ter- ▁waffles- ▁pant- ▁taxis- ▁groom- ▁exclude- ▁renew- ▁aspirations- '['- Pop- ▁loose- ▁Insta- ▁courage- ▁compliment- ▁Arnold- ▁Earth- ▁Eatigo- ▁Energ- ▁FIFA- ▁Melbourne- ▁commission- ▁cushion- ▁fool- ▁frappe- ▁funniest- ▁gambling- ▁pleasant- ▁presence- ▁puddle- ▁recognition- ▁squad- ▁goodbye- ▁pronunciation- ▁priorities- ▁Michelle- ▁Deepavali- ▁applies- ▁Social- ▁construction- ▁operating- ▁sentosa- ▁cemetery- ▁Nicholas- ▁balcony- ▁Food- ▁clay- ▁tentage- ▁trial- ▁Earl- ▁Briyani- ▁July- ▁icon- ▁lime- ▁secondhand- ▁Beach- ▁cleanser- ▁Theme- ▁demon- ▁leftover- ▁growth- ▁sang- ▁pinkish- ▁mud- ▁historical- ▁rating- ▁someday- ▁trousers- ▁poop- ▁medication- ▁smarter- ▁stretching- ▁raised- ▁Avengers- ▁understandable- ▁sweating- ▁prawning- ▁debate- ▁specially- ran- ▁gig- ▁accepting- ▁bend- ▁pale- ▁venture- ▁procedure- ▁mission- ▁border- ▁blessing- ▁requirement- ▁chapter- ▁mile- ▁tr- ▁ski- ▁heal- ▁prawns- ▁honours- ▁rates- ▁lovely- ▁dated- ▁fame- ▁praise- tic- ▁bat- ▁pointed- ▁readings- ▁eyebrows- ▁Sun- ▁Indians- ▁mis- ▁haste- ▁slides- ▁King- ▁backpack- ▁guarantee- ▁initiate- ▁expand- Hui- ▁labour- ▁unexpected- Lao- Lee- ▁sandwich- ▁mosquito- ▁affects- ▁fever- ▁FaceBook- ▁Sweden- ▁antenna- ▁barrier- ▁behaviour- ▁caramel- ▁empathy- ▁fibre- ▁franchise- ▁lantern- ▁offence- ▁password- ▁stamina- ▁twentieth- ▁underneath- ▁humour- ▁managing- ▁February- ▁Rachel- ▁narrow- ▁concealer- ▁attempt- ▁celebration- ▁sunglasses- ▁Pills- ▁programming- ▁convo- ▁unagi- ▁Claire- ▁overrated- ▁Two- ▁greedy- ▁moisturiser- ▁depressed- ▁festive- ▁indie- ▁Victoria- ▁seventies- ▁Simon- ▁attracted- ▁duh- ▁organize- ▁catalyst- ▁booking- ▁educational- ▁separated- ▁parties- ▁reminded- ▁blowing- ▁operate- ee- ▁spit- ▁ethics- ▁seller- ▁focusing- ▁covering- ▁hearted- ▁sticking- ▁quest- bah- ▁pol- ▁Din- ▁lion- ▁coat- ▁disease- ▁ad- ▁award- ▁idol- ▁slot- ▁prompt- ▁headphone- ▁youngster- ▁Woodland- ▁stones- Asians- ▁analyse- ▁Asians- ▁lectures- ▁Vans- ▁wanton- ▁hu- ▁sting- ▁intro- ▁stays- ki- ▁Shop- ▁motorcycles- ▁bills- ▁centers- ca- ▁costs- ▁festivals- ▁jack- ▁deduct- ▁tai- World- Village- ▁essential- ▁excel- ▁Aaron- ▁Mediacorp- ▁Peggy- ▁Scotland- ▁Texas- ▁allergic- ▁avocado- ▁banquet- ▁ceiling- ▁concession- ▁monetary- ▁shampoo- ▁cliff- ▁complex- ▁hometown- ▁roommate- ▁drew- ▁kimchi- ▁bounce- ▁lens- ▁appropriate- ▁Xavier- ▁swimsuit- ▁Zara- ▁punishment- ▁appearance- ▁waterfall- ▁pathway- ▁occasionally- ▁magician- ▁similarities- ▁polar- responsibilities- ▁forcing- ▁addicted- ▁Jane- ▁equivalent- ▁stopping- ▁Point- ▁tricky- ▁detailed- ▁included- ▁combined- ▁Island- ▁extended- ▁erase- ▁greenish- ▁Bay- ▁strongly- ▁shifted- ▁gel- ▁transparent- ▁clients- ▁Me- ▁certainly- ▁lau- ▁camping- ▁worrying- ▁genes- ▁objective- ▁seniors- ▁superpower- ▁inform- ▁elective- way- ▁prayer- ▁Garden- ▁conflict- bu- ▁Pet- ▁leaves- ▁cleaners- ▁chi- ▁marking- ▁ve- ang- tending- ▁stages- ▁hats- ap- ▁bra- ▁environmental- long- ▁faint- ▁donation- ▁rescue- ▁skate- Eleven- Island- ▁gamble- ▁frequent- ▁humid- ▁confront- ▁Bintan- ▁Cheryl- ▁Nutella- ▁Southeast- ▁comparing- ▁devil- ▁gloss- ▁grocery- ▁integrity- ▁zombie- ▁curriculum- ▁thigh- ▁Candy- ▁Good- ▁creating- ▁millionaire- ▁humor- ▁rendang- ▁Jordan- ▁wreck- ▁granny- ▁transition- ▁academically- ▁cities- ▁consist- ▁trap- ▁scheme- ▁controlling- ▁dedicated- ▁crave- ▁Koi- ▁colourful- ▁greyish- ▁shitty- ▁grilled- ▁breathing- ▁mild- ▁spoiled- ▁folding- ▁relieve- ▁pho- son- ▁Pro- ▁overtime- ▁celebrated- ▁chin- Cha- ▁dreamt- ▁packing- ▁Courts- ▁nicest- ▁newer- chat- ▁My- ▁theater- ▁stops- ex- Lim- ▁pleasure- ose- ▁reference- ▁disaster- ▁slave- ▁pound- ▁politic- ▁toward- yum- ▁cell- ▁keeper- ▁reviews- led- ▁adding- men- ▁seal- ▁articles- ▁emails- ▁finances- ▁nuts- ▁shown- cu- ▁tab- ▁upload- ▁im- ▁literal- ▁purposes- Fi- ▁Maths- ary- ▁Van- ▁She- ▁Jo- ical- ▁facts- ung- ▁Russia- ▁satisfy- ▁detect- ▁threaten- ▁thir- ▁dimension- ▁civil- ▁Joseph- ▁Ferrari- ▁Pavilion- ▁Twitter- ▁anxiety- ▁blouse- ▁clever- ▁conservative- ▁elderlies- ▁groceries- ▁jeep- ▁lesbian- ▁possibility- ▁Econs- ▁Northern- ▁beneficial- ▁holistic- ▁justify- ▁foresee- ▁phobia- ▁mainstream- ▁flies- ▁wolf- ▁Crystal- ▁countdown- ▁deny- ▁battle- ▁lake- ▁weakness- ▁University- ▁billion- ▁supportive- ▁combo- ▁inspirational- ▁inclined- ▁essentially- ▁Sheng- kong- ▁emo- ▁impressed- ▁Jimmy- ▁selected- ning- ▁handling- ▁fif- uhI- ▁engaged- ▁laws- ▁guni- ▁sadness- ▁coma- ▁mole- ▁spelling- ▁hip- ▁ranking- ▁developing- ▁greater- Ning- ga- ▁chim- ▁forms- ▁Red- ▁attractions- ▁Bar- red- ▁mathematics- ▁bitch- ▁Rui- ▁towels- ▁bars- ▁desire- ▁ju- ▁slope- ▁brick- ▁cups- ▁artiste- ▁resting- ok- ▁nag- ut- ▁nut- ▁booked- ▁messages- ▁desserts- ▁Zi- ▁drums- ▁abs- ▁La- ▁pages- ver- ▁driven- maths- ▁outdoors- ▁powers- ▁burgers- ▁doll- ▁input- ▁piss- ▁Ka- ▁refresh- ▁draft- York- like- India- Kitty- ▁sexual- Gai- ▁recruit- ▁Android- ▁PayLah- ▁PayNow- ▁detention- ▁flirt- ▁french- ▁graduating- ▁horizontal- ▁relatable- ▁turkey- ▁Tekka- ▁rainbow- ▁sesame- ▁scrub- ▁filial- ▁sunblock- ▁computing- ▁several- ▁pram- ▁sunrise- ▁Festival- ▁membership- ▁bedroom- ▁therapy- ▁Merlion- ▁pageant- ▁Katong- ▁Museum- ▁pian- ▁disk- ▁Gong- ▁destroyed- ▁unable- ▁sponsored- ▁greatest- ▁enjoyment- ▁heaty- ▁boom- Chan- ▁pandan- ▁Fort- ▁matcha- ▁tricks- ▁strands- ho- hi- ▁risky- ▁picky- ▁applying- ig- ▁sc- ▁generations- fi- ▁includes- ▁fr- ▁danger- ▁flavor- ▁peanut- ▁supplement- ▁achievement- ▁vendor- ▁feature- ▁tears- ▁novel- ▁drum- ▁resource- ▁states- ▁engages- ▁piranhas- ▁signed- ▁albums- ▁Teh- ▁bikes- ▁worms- ▁needy- ▁norm- ▁finishing- un- ping- ▁friendships- ▁recipes- ▁liver- ▁heights- ▁Malays- ▁trends- x- ▁info- ▁absorb- ▁stole- ▁bald- ▁consume- ▁convince- ▁cramp- Plaza- New- ▁mash- ▁vague- nua- ▁merge- ▁Eddie- ▁Labrador- ▁Argus- ▁circuit- ▁explanation- ▁fountain- ▁helicopter- ▁matchmaking- ▁mischievous- ▁necessity- ▁polytechnic- ▁rectangular- ▁squash- ▁surgeon- ▁wavelength- ▁desktop- ▁orchard- ▁spouse- ▁biology- ▁rugby- ▁squiggly- ▁Finland- ▁Justin- ▁furthermore- ▁retarded- ▁sufficient- ▁assist- ▁William- ▁posture- ▁Pearlyn- ▁stroller- ▁flu- One- ▁River- ▁cashless- ▁Central- ▁canvas- ▁tide- ▁Iron- ▁Sushi- ▁frequently- ▁Street- ▁chio- ▁Siew- ▁genuinely- ▁authority- ▁Singa- ▁reserved- ▁goreng- ▁horn- ▁nest- ▁existed- kan- ▁charger- ▁entered- ▁noises- ▁noticed- ard- ▁balanced- ▁Men- ▁mice- ▁rep- ▁crossing- ▁rings- ▁em- ▁Maya- ▁archetypes- As- ▁Kay- ▁Clementi- ▁cu- ▁aging- ▁Don- ▁pose- ▁regards- ▁mint- ▁nightmare- ▁organization- ▁mi- ▁spec- ▁Swensen- ▁indoor- ▁effects- ▁nugget- ▁citizen- ▁buck- ▁Hua- ▁sia- ▁voices- pe- ▁x- ▁sided- ▁banks- ▁Far- ▁We- ▁vi- ▁doctors- ▁tracks- ▁hates- ▁sup- ▁comics- ▁teams- kut- ▁planet- be- ▁cos- ▁chee- ▁prince- ▁resolve- ▁associate- eight- ▁arrive- ▁abandon- Ahmad- ▁Alex- ▁cringe- ▁artificial- ▁Rome- ▁economical- ▁Arab- ▁volcano- ▁graph- ▁cheerful- ▁transit- ▁Charmaine- ▁Chemistry- ▁Eurasian- ▁Hindu- ▁History- ▁Literature- ▁ancient- ▁bluff- ▁continuing- ▁courtesy- ▁deposit- ▁heavily- ▁hilarious- ▁irrelevant- ▁ketchup- ▁mahjong- ▁oriented- ▁poverty- ▁premium- ▁sponge- ▁spontaneous- ▁superior- ▁suspicious- ▁swallow- ▁thieves- ▁varieties- ▁wheelchair- ▁ignorant- ▁Tekong- ▁thirties- box- ▁Universal- ▁fiber- ▁boundaries- ▁Michelin- ▁scoreboard- ▁sensor- ▁subway- ▁dread- ▁league- ▁Giant- ▁Busan- ▁Autumn- ▁tuna- ▁reflection- ▁Snow- ▁humanities- ▁mister- ▁electrical- ▁nineties- ▁dried- ▁highway- ▁Nex- ▁yummy- ▁bakery- ▁splash- ▁politically- five- ▁talkative- ▁appeared- ▁selfie- ▁op- ▁sixth- ▁internships- ▁fucking- ▁el- ▁striped- ▁chosen- ju- ▁Ya- ▁settled- ▁killer- ▁attacking- ▁grave- ▁str- ▁touched- ▁spam- ▁ri- ▁interpret- bao- ▁banking- ▁weekly- ▁ding- ▁Sha- ▁dolls- ▁abit- ▁partly- ▁butchers- ▁dr- Foo- ▁mentor- ▁dinosaur- ▁strip- ▁technique- ▁cabinet- ▁alien- ▁cultures- Jun- ▁gu- ▁eco- ▁millennials- ▁Ru- ▁Sim- ▁sorts- ▁tastes- har- ▁ni- ier- En- ▁whales- ▁finals- ▁vehicles- ▁pi- ▁condemn- ▁suspect- League- Wave- Wild- ▁impress- Wan- ▁insist- ▁urgent- ▁clinic- ▁saliva- ▁champion- ▁Excel- ▁Geography- ▁Spencer- ▁armpit- ▁aspire- ▁capacity- ▁carefree- ▁classify- ▁english- ▁existence- ▁leather- ▁lounge- ▁portfolio- ▁refill- ▁replied- ▁sarcasm- ▁scenic- ▁scientific- ▁specify- ▁television- ▁underground- ▁wrestling- ▁skating- ▁mineral- ▁Head- ▁macaroni- ▁vulgarities- ▁junction- ▁companionship- ▁vulgar- ▁papaya- ▁Sylvia- ▁marine- ▁bodies- ▁moisturizer- cuba- ▁subsequently- ▁Zoo- ▁miserly- ▁replacement- ▁bruh- ▁digest- ▁insert- ▁suggestion- ▁Kovan- ▁roadside- Tai- ▁alert- ▁Coke- ▁cherish- ▁Feng- ▁manpower- ▁beast- ▁Hub- ▁Hotel- ▁hong- ▁contractor- ▁considerate- ▁shaking- ▁proof- ▁dye- ▁conditions- ▁How- Shan- ▁Taylor- ▁maggie- ▁sweater- ▁associated- ▁United- ▁strongest- ▁twen- ▁ballet- chi- ▁Dion- ▁determined- ▁Lay- ▁swap- ▁teen- ▁contented- ▁shitting- ▁richer- ▁cave- ▁entirely- ▁costly- ▁outline- ▁sim- ▁dressed- ▁Ho- ▁wished- ▁pricey- ▁rational- ▁alias- ▁stats- ag- ▁neat- ▁han- ▁needle- ▁officers- ized- ▁crabs- ▁layers- ▁contacts- wan- ▁inch- ▁foodie- ▁kit- ▁jo- ▁Chan- ▁dealing- ▁bullet- ▁spike- ▁aesthetic- ▁sole- ▁costume- ▁squat- ▁farmer- ▁goodie- ▁audit- ful- light- ▁accumulate- ▁citizens- ▁tourists- ▁slots- ▁owl- ▁kor- ▁academics- ▁gr- ▁meters- ▁pancakes- ▁tho- Wet- ▁electronics- ▁publish- ▁brief- ▁consult- ▁poison- link- Penyet- ▁wealth- Malam- ▁absolute- ▁initial- ▁spiritual- ▁pau- ▁boots- ▁crawl- ▁villa- ▁tragic- ▁automatic- ▁Ganesh- ▁Jollibee- ▁MacBook- ▁Police- ▁Spain- ▁Spanish- ▁Toyota- ▁apron- ▁bastard- ▁cabbage- ▁carnival- ▁defense- ▁disabled- ▁dungeon- ▁elsewhere- ▁metaphor- ▁monsoon- ▁octopus- ▁parallel- ▁philosophical- ▁reputation- ▁technologies- ▁thirtieth- ▁Bandung- ▁Potong- ▁coding- ▁favour- ▁kanchiong- ▁Laneige- ▁Nanyang- ▁autistic- ▁counselling- ▁decorative- ▁shortcut- ▁trekking- ▁tummy- ▁turquoise- ▁Jason- ▁translation- ▁Temasek- ▁carpet- ▁Winnie- ▁ceremony- ▁Hollywood- ▁shield- ▁waist- ▁executive- ▁Arsenal- ▁spinning- ▁partially- ▁priest- ▁fluffy- Batok- ▁Audi- ▁steady- ▁speechless- ▁David- ▁racing- ▁nick- ▁cutlet- ▁strive- ▁shallow- ▁rebel- ▁offended- ▁condensed- ▁takeaway- ▁Romeo- ▁timetable- ▁Yuan- ▁Joy- ▁fryer- ▁warning- ▁temper- ▁rallying- ▁heavier- ▁haha- ▁cai- ▁heroes- ▁hunter- ▁spiders- ▁required- ▁loop- ▁fastest- ▁bathing- ▁Xin- ey- ▁ongoing- ▁instruments- ▁tied- ▁toddler- ist- ▁incorporate- ▁Ray- ▁Chi- ▁led- ▁lied- ned- ▁tooth- ▁cooler- ▁habits- ▁tested- ▁pushed- ▁Shu- ▁concepts- ▁lotion- ▁eve- dy- ▁Tim- ▁urban- ▁figurines- ad- ant- ▁bl- ▁redo- ▁trunks- ▁Egypt- ▁beliefs- ▁Jian- ▁lecturers- ▁beats- ▁root- ▁poem- rry- ▁contain- ▁pigeon- ▁scholar- ▁twin- ▁logistic- ▁described- ▁novels- ▁magazines- ▁fo- ▁practic- ▁museums- ▁stab- ▁soil- ▁instructions- ▁roles- ▁ji- ▁pr- ▁rag- king- cause- pan- ▁pun- ▁accounts- ▁nor- ▁drown- ▁reverse- ▁assess- ▁drift- ▁desert- ▁punish- ▁millions- ▁bulk- ▁intellectual- ▁frank- ineapple- Tau- ▁prime- ▁advertise- ▁Beijing- ▁BreadTalk- ▁Koufu- ▁Mookata- ▁Telegram- ▁alpha- ▁dialysis- ▁embrace- ▁heirloom- ▁irresponsible- ▁navy- ▁nuisance- ▁exclusive- ▁genius- ▁hardcore- ▁swipe- ▁faux- ▁Suzuki- ▁Superga- ▁diverse- ▁spectrum- ▁reliable- ▁Sharon- ▁assistance- ▁hopping- ▁pinpoint- ▁bacon- ▁macam- ▁mingle- ▁ordinary- ▁distinction- ▁tendency- ▁Coffee- ▁Sierra- ▁oval- ▁nursery- ▁cashier- ▁underwear- ▁coke- ▁simi- ▁cardboard- ▁regretted- ▁fatter- ▁rape- ▁memorize- ▁Airport- ▁beforehand- ▁individually- ▁folded- ▁malay- ▁bonded- ▁touristy- ▁mold- ▁delaying- ▁pinch- ▁released- ▁scored- ▁frying- rs- ▁attachments- ▁graded- ▁cl- ▁African- ▁storey- ▁gum- ▁worthy- ▁rounds- ▁rats- Gardens- ▁backup- ▁Lei- dai- ▁seasoning- ▁Mel- per- ▁treats- ▁prob- saw- ko- ▁noted- ▁Le- ▁dreaming- ▁winner- ▁recommendation- ▁criminal- ▁classical- ▁lap- ▁pamper- ▁employee- ▁tarts- ▁millennial- ▁differ- ▁worm- ▁logistics- ▁queueing- ▁pas- ▁st- ▁knees- ▁equals- ▁starter- ▁nuggets- ze- ▁whe- cy- ▁Ping- ▁outer- ▁scares- ▁stocks- ▁ooh- ba- ▁olives- ▁beans- ▁tattoos- ▁biting- ▁defend- ▁shoots- ▁imp- ▁whoo- ▁vege- ▁appeal- ▁tolerate- ▁renovate- ▁confuse- ▁implement- ▁invent- Silver- Bean- <- ▁newspapers- ▁stain- ▁overlook- ▁latte- ▁bronze- ▁unfortunate- ▁critical- ▁buff- ▁juniors- oreal- ▁Jonathan- ▁Microsoft- ▁Nokia- ▁Okinawa- ▁Starhub- ▁asthma- ▁cholesterol- ▁conducive- ▁contributing- ▁differentiate- ▁distant- ▁division- ▁duration- ▁emperor- ▁enemies- ▁exotic- ▁immature- ▁investigate- ▁jersey- ▁piercing- ▁prioritise- ▁sardine- ▁tolerance- ▁Buddhist- ▁Doctor- ▁Prime- ▁hammer- ▁reddish- ▁subscription- ▁terrorist- ▁venue- ▁wrist- ▁Osaka- ▁compound- ▁niche- ▁Duel- ▁defence- ▁unicycle- ▁Puma- ▁indecisive- ▁Lisa- ▁Bollywood- ▁Macau- ▁Oreo- ▁numb- ▁comfortably- ▁recap- ▁Geraldine- ▁fought- ▁amazed- ▁apologise- ▁Spine- ▁wireless- ▁Jessie- ▁dairy- ▁stability- ▁promoting- ▁mechanic- ▁shiny- ▁photographer- ▁slight- ▁hotter- Panther- ▁League- ▁tilted- ▁Gold- ▁lian- ▁Mary- ▁alot- ▁agreement- ▁requested- ▁poker- ▁torn- ▁Kitty- ▁carefully- ▁thicker- ▁ranger- ▁campus- ▁herring- ▁spine- ▁entertaining- ▁paddle- ▁chewing- ▁shouted- ▁supplies- ▁vacuuming- ▁sporty- ▁ticking- ▁accomplished- ▁expressed- ▁appreciated- ▁sharks- ▁pressing- ▁import- Fung- ▁lotus- ▁torture- ▁treating- ▁te- ▁rage- ▁obstacles- ▁deeds- ▁tilt- ▁parenting- ▁caps- ▁courts- ▁ow- ▁Ku- Wong- ▁bug- ▁placed- having- ▁hut- ▁owning- ▁lighting- ▁lag- ▁elements- ▁spark- ▁ponytail- ▁clue- ▁crocodile- ▁composition- ▁deadline- ▁bundle- ▁qualification- ▁sample- ▁dolphin- ▁Lao- ui- ▁fasting- ▁Uh- ▁singers- va- ▁minimal- ▁tart- nce- ei- ▁chart- ▁ke- cted- ▁swee- day- ▁peers- ▁pic- ▁De- ated- ke- ▁Sec- ▁indicate- ▁witness- ▁roast- ▁neglect- ▁tee- Ghaut- Simon- ▁distinct- ▁expert- ▁Ngee- ▁Adobe- ▁Amsterdam- ▁California- ▁Dakota- ▁Teochew- ▁Vegas- ▁acapella- ▁agenda- ▁altogether- ▁arguing- ▁dementia- ▁experiencing- ▁horoscope- ▁housewife- ▁immune- ▁injury- ▁pincer- ▁preparation- ▁protagonist- ▁remedial- ▁supernatural- ▁underrated- ▁viral- ▁wisdom- ▁withdraw- ▁yishun- ▁abroad- ▁committee- ▁hectic- ▁microwave- ▁stagnant- ▁tactic- ▁Tanglin- ▁orphanage- ▁vanilla- ▁railway- ▁Phantom- ▁interchange- ▁pasir- ▁stewardess- ▁parade- ▁Islam- ▁Somerset- ▁blade- ▁visible- ▁Thomson- ▁temporary- ▁animate- ▁Cube- ▁cruel- ▁Prison- ▁speechlessness- ▁monk- ▁villain- ▁du- ▁iconic- ▁medal- ▁overhead- ▁assembly- ▁naan- ▁Studies- ▁tete- ▁Lady- ▁kidney- ▁Kelly- ▁compo- ▁freezing- ▁binge- ▁humanity- ▁surrounded- ▁polo- ▁chatting- ▁passive- ▁bumper- ▁sci- ▁peo- ▁Song- ▁fallen- ▁biased- ▁Peter- ▁bid- ▁promoter- ▁privileged- ▁Steven- ▁remem- ▁broth- ▁Dan- ▁asset- ▁Russian- ▁flavoured- ▁weaker- ▁Sarah- ▁smallest- ▁ethical- ▁softly- ▁judged- ▁gardening- ▁lacking- ▁divided- ▁guessed- ▁weights- ▁soci- ▁attending- ▁dressing- ▁backwards- ▁nat- ▁confirmed- ▁followers- ▁methods- uhthe- ▁bass- ised- ▁masters- ▁stigma- ▁Re- ▁web- ▁overly- ▁qua- ▁camps- ster- ▁stations- ▁commitments- ▁soak- ▁gi- ▁ab- ▁tablet- ao- Yai- ▁Fa- bi- ▁fundamental- ▁bins- ▁characteristic- ▁candle- ▁element- bo- ▁insect- ▁intrigue- ▁nowaday- yu- ▁cookie- ▁aliens- ▁Go- ▁accidents- ▁ships- ▁ki- ▁Hill- ▁weddings- ial- ▁ro- land- ▁weigh- yo- ▁Lit- ▁bands- ying- ▁shots- ▁flop- ▁ga- di- iest- ▁gana- ▁ed- ▁chemicals- ▁resign- made- ▁thread- ▁brows- ▁polish- ▁Chu- ▁profession- Barrage- prata- ▁staple- Hong- ▁coast- ▁Captain- ▁Channel- ▁Adventure- ▁Bitcoin- ▁Claudia- ▁Ernest- ▁Internet- ▁Kanken- ▁Nintendo- ▁Standard- ▁alumni- ▁anxious- ▁automated- ▁calendar- ▁celebrities- ▁creativity- ▁cubicle- ▁facility- ▁gesture- ▁hummus- ▁mandatory- ▁parasol- ▁rewind- ▁rinse- ▁shadow- ▁tertiary- ▁unknown- ▁vampire- ▁Belgium- ▁Benjamin- ▁hotpot- ▁psychological- ▁abusive- ▁maturity- ▁tedious- ▁Friends- ▁fifties- ▁Thomas- ▁crystal- ▁scientist- ▁Anonymous- ▁juggle- ▁tempted- ▁Genki- ▁laser- ▁acne- ▁selection- ▁species- ▁static- ▁stationary- ▁litter- ▁protection- ▁sustainable- ▁hangout- ▁hind- ▁carbs- ▁Story- ▁fatty- ▁Silver- ▁cutter- ▁wana- ▁Five- Ann- ▁Village- ▁standby- ▁mock- ▁outfield- ▁credits- ▁kayaking- ▁lull- ▁Bank- ▁pointless- Yum- ▁trans- ▁wisely- ▁invested- ▁tryna- ▁represents- ▁achieved- ▁proven- ▁alley- ▁safest- ▁noob- ▁kaya- ▁creamy- ▁lifting- ▁Care- ▁inspires- ▁Bo- ▁thousands- ▁drying- ▁wat- ▁bull- ▁comp- ▁mixing- ▁turner- ▁Jen- ▁continued- ▁importantly- ▁explaining- ▁blast- ▁user- ▁gifts- ▁sin- ▁The- ▁mon- ban- ▁smells- Ming- book- ▁warrior- ▁examination- ▁Game- ▁affair- ▁device- ▁rhyme- ▁earring- ▁Pa- ▁piranha- ▁En- ▁prayers- ▁des- ▁tele- ▁falls- ▁chapters- ▁compet- ▁machines- ber- ▁mug- ▁hotels- ▁Ris- ▁aid- ▁Xi- lly- ▁zi- ▁sacrifices- ▁kan- ana- ji- ▁linked- ul- ▁gem- ▁temp- ▁grind- ▁greet- ▁rail- ▁align- ▁defeat- ▁strain- Loong- Heng- Yuan- ▁creep- ▁definite- Long- ▁fond- ▁Stephen- ▁Zouk- ▁Bhutan- ▁Khao- ▁Kosong- ▁Lazada- ▁Messi- ▁Pakistan- ▁Tribute- ▁Uncle- ▁ambiguous- ▁ambulance- ▁asshole- ▁assumption- ▁categories- ▁century- ▁cleanliness- ▁climate- ▁cluster- ▁disadvantage- ▁earthquake- ▁fattening- ▁foresight- ▁gigantic- ▁haystack- ▁inflation- ▁libraries- ▁milkshake- ▁multitask- ▁paragraph- ▁plenty- ▁reservoir- ▁seminar- ▁syrup- ▁themself- ▁transaction- ▁transcript- ▁wardrobe- ▁Samuel- ▁boast- ▁clap- ▁gauge- ▁granddaughter- ▁trimming- ▁unsure- ▁Skype- ▁Tony- ▁brunch- ▁relief- ▁unemployed- ▁receptionist- ▁stiff- ▁Bayfront- ▁harmony- ▁meditation- ▁analysis- ▁muddy- ▁obligation- ▁popiah- ▁scariest- ▁cohort- ▁illness- ▁prior- ▁rising- ▁Wanton- ▁cancelled- ▁zao- ▁Beauty- ▁Keith- ▁preferably- ▁recce- ▁serial- ▁Alice- ▁console- ▁dual- ▁personalities- ▁peop- ▁Angel- deciding- ▁pillar- ▁Cold- ▁Xuan- ▁Parade- ▁merit- ▁prone- ▁Wang- ▁overthinking- ▁tension- ▁doggo- ▁Dota- ▁Tru- ▁discovered- ▁secretly- ▁outgoing- ▁jealousy- ▁Raya- ▁suggested- ▁converted- rilyn- ▁sexy- ▁barking- ▁upside- ▁stem- ▁stalking- ▁positively- ▁hired- ▁pipe- Rangers- ▁announce- ▁floating- ▁cartoons- ▁existing- ▁warming- ▁marinate- ▁respectful- ▁shaped- ▁rounded- La- ▁advocate- ▁hence- ily- ▁seated- ▁mistaken- lin- ▁Bu- ▁returning- ▁ted- ▁glue- ▁cows- ▁prelims- if- ▁Girls- char- ▁listeners- ▁creatures- ▁tu- ▁handed- ▁charm- ▁believed- ▁Eve- ▁forum- ▁penguins- ▁lasted- ▁gong- ▁beg- ▁careless- ization- ▁zoom- ▁directions- ▁digg- ▁posters- ▁apa- ▁squirrel- ▁tale- ▁beginner- ▁drone- ▁aged- ▁kitten- ▁ambition- ▁honour- ▁folk- ▁Philippine- ▁YouTuber- tion- ide- ▁visitor- op- Ho- ▁Or- ▁dancer- ▁gram- ▁Las- ▁packs- ▁tool- Pa- ▁ko- ▁miles- peh- eo- ▁cam- ▁format- ▁concerns- cha- fun- ▁ty- rebus- ▁pri- ▁Glen- ▁z- park- ▁emphasize- Clinton- ▁flesh- Parade- Square- English- Year- Master- ▁Premier- Lian- ▁stitch- ▁Hawaii- ▁dang- ▁contest- ▁Amanda- ▁Lamborghini- ▁Marsiling- ▁Mooncake- ▁Munafik- ▁Vivian- ▁blossom- ▁breeze- ▁broccoli- ▁charcoal- ▁dictionary- ▁exploring- ▁extension- ▁google- ▁grandchildren- ▁hierarchy- ▁invisibility- ▁kallang- ▁lettuce- ▁outstanding- ▁palace- ▁principle- ▁savvy- ▁trombone- ▁unlimited- ▁virtual- ▁whisper- ▁workload- ▁Pacific- ▁Robert- ▁Taurus- ▁luxurious- ▁northern- ▁Alicia- ▁Sony- ▁architecture- ▁ninth- ▁padlock- ▁probability- ▁StarHub- ▁tekan- ▁Mexican- ▁rollercoaster- ▁identified- ▁batak- ▁certification- ▁miserable- ▁vocabulary- ▁Marine- ▁Novena- ▁dwell- ▁storage- ▁Tanjong- ▁impactful- ▁landmark- ▁Kimchi- ▁mike- ▁Jerome- ▁attendance- ▁Primary- ▁spiderman- ▁Ocean- ▁pax- ▁wiping- ▁yolo- ▁caption- ▁Emma- ▁Mission- ▁Royal- ▁bleeding- ▁Jenny- ▁vegan- ▁Poke- ▁Prata- ▁overwhelming- ▁Light- ▁forgotten- ▁Jerry- ▁frankly- ▁accomplishment- ▁tuck- ▁Goreng- ▁preferred- ▁employed- ▁barefooted- ▁handmade- ▁bulky- ▁Cher- ▁malaysia- ▁artistic- ▁abandoned- ▁renovated- ▁Marche- ▁reciprocate- ▁expired- ▁Nine- ▁disappeared- ▁Mao- ▁combat- ▁darkness- ▁cargo- ▁backside- ▁signing- Men- ▁Appa- ▁lemak- ▁recognised- ▁compensate- ▁Shen- ▁manners- ▁weirdest- ▁seventh- ▁epic- Glory- ▁Kang- ▁Po- ied- ▁catcher- ▁fighter- ▁heater- ▁Sri- ▁improved- ▁Bob- ▁drawer- ▁spy- ▁estimate- ▁charged- ▁wi- ▁rim- ▁relaxed- ack- ▁siam- ▁Lau- Ying- ▁timeline- ac- ▁cater- ▁generate- ▁sneakers- ▁belongs- ▁gloves- ▁trainers- ger- ▁Ross- ▁Australian- ▁ironic- mi- ▁jars- ▁Jan- ▁flights- gong- ▁collectors- ir- ▁Ro- ▁acts- ▁gadgets- ▁malam- ▁pigs- cal- ries- ye- ating- ▁Cha- ▁thr- ▁stake- ▁storybook- ▁puzzle- ▁passage- ▁employer- ▁kaki- ▁grape- ▁belonging- ▁spectacle- ▁misunderstand- Asian- ▁alter- ▁hah- ities- ▁pla- ▁caused- ▁Sal- ach- ▁gamer- ▁carbo- war- ▁melts- ▁Kit- sha- ▁swings- ▁elders- ▁sip- ▁hap- ▁shame- ▁fits- lu- ▁colors- ▁expir- ▁surround- ▁Leo- ▁tidy- ▁emcee- ▁rally- ▁Tang- ▁attach- ▁educate- cetera- Jackson- Junior- Xuan- Chong- Zhi- Poly- ▁Nepal- peng- ▁continent- ▁wok- ▁Swee- ▁excess- ▁neuro- ▁Airbnb- ▁Annabelle- ▁Argentina- ▁Fila- ▁GoPro- ▁Marcus- ▁Neopets- ▁Rihanna- ▁Sanchez- ▁Seletar- ▁Volkswagen- ▁adorable- ▁aerospace- ▁avenue- ▁bargain- ▁bathtub- ▁behavior- ▁cocoa- ▁comprehension- ▁diarrhoea- ▁energetic- ▁kiosk- ▁multiracial- ▁negativity- ▁puberty- ▁pyramid- ▁receipt- ▁repetitive- ▁reunion- ▁singlish- ▁testimonial- ▁trampoline- ▁tribute- ▁unreasonable- ▁unstable- ▁vinegar- ▁Chope- ▁Silat- ▁Zalora- ▁floral- ▁nuclear- ▁scanner- ▁Safra- ▁consistency- ▁Greek- ▁haircut- ▁riot- ▁steel- ▁Akash- ▁Grace- ▁Queen- ▁cumin- ▁laziness- ▁serum- ▁Scandinavia- ▁survival- ▁Lorong- ▁Running- ▁tinder- ▁detective- ▁restart- ▁savory- ▁bojio- ▁Shakespeare- ▁stray- ▁naive- ▁Taiwanese- ▁couch- ▁lump- ▁woohoo- ▁legitimate- ▁cotton- ▁lava- ▁xiao- ▁Ralph- ▁qualified- ▁fox- ▁bible- ▁Sonia- ▁skyline- ▁hiring- ▁Republic- ▁Kids- ▁hassle- ▁epok- ▁bathroom- ▁ashes- Panjang- ▁clan- ▁hugging- ▁Wall- ▁Market- ▁classified- ▁parasailing- ▁Fei- ▁motivational- ▁thankfully- ▁catered- ▁remembering- ▁Mid- ▁deserted- ▁Yang- ▁Wee- ▁upcoming- ▁mage- ▁convinced- ▁fulfilled- ▁Fish- ▁pastry- mail- ▁Hip- ▁organised- ▁accordingly- ▁porn- ▁introverted- ▁kiap- ▁topless- ▁breakup- ▁union- ray- ▁businesses- ▁editing- Tan- ▁Joey- ▁introduced- ▁punching- ▁blindly- ▁stealing- ▁Mile- ▁guns- ▁comb- ▁swinging- ▁Americans- ▁fairly- ▁colder- ▁coaching- mack- ▁targeting- ▁rented- ▁solar- ▁jumped- ▁pon- ▁sized- ▁filming- ▁Fai- ▁prim- wa- ▁fields- ▁br- ▁regional- ▁eighth- ▁brains- der- ▁disc- ▁chao- ▁rows- ▁diagnose- ▁cupcakes- ▁beng- ▁earphones- ▁Gu- ▁metres- ▁units- ▁codes- ▁sheeps- ▁Min- ▁smokers- ▁basics- ▁plump- ▁tools- ▁Sea- kio- ▁complaints- ▁earrings- ci- ▁outlets- ley- ▁Be- ▁investments- ▁scout- ▁curtain- ▁decoration- ▁negotiable- ▁document- ▁gadget- ▁penguin- ▁Boy- ick- ▁expense- ▁joker- ▁clo- ▁smoker- ▁idols- ▁pat- ▁requirements- ina- ▁entrepreneur- istic- ▁acquire- ▁Do- gu- master- ▁blond- ▁MacDonalds- ▁heel- ▁eater- Li- ▁toilets- ▁bonds- ▁sentiment- ▁interrupt- ▁Steve- ▁Shaw- ▁demolish- ▁compose- food- ▁kayak- ▁emphasis- ▁assign- ▁launch- ▁barefoot- Smith- Stadium- Goreng- Street- ▁Grand- Hill- ▁crunch- ▁Latin- padi- Dai- ▁steep- Link- ▁witch- ▁confide- ▁Super- ▁ethnic- ▁Alaska- ▁Avenue- ▁Croatia- ▁Eunos- ▁Joshua- ▁Mecca- ▁Sabrina- ▁Samantha- ▁Takoyaki- ▁Water- ▁aluminium- ▁arcade- ▁bacteria- ▁bazaar- ▁billionaire- ▁capsule- ▁caravan- ▁controversies- ▁deodorant- ▁domestic- ▁engaging- ▁escort- ▁eyeliner- ▁fraud- ▁frisbee- ▁impromptu- ▁inclusive- ▁instagram- ▁jurong- ▁messaging- ▁modify- ▁motive- ▁nevertheless- ▁occupation- ▁possibilities- ▁pretentious- ▁receiving- ▁reservation- ▁showcase- ▁stereotypical- ▁substitute- ▁tempura- ▁therapeutic- ▁timid- ▁unusual- ▁versatile- ▁comedian- ▁dialogue- ▁earliest- ▁summon- ▁attire- ▁Blackshot- ▁Blue- ▁clown- ▁kiwi- ▁virgin- ▁Andy- ▁plaster- ▁Jakarta- ▁bankrupt- ▁compile- ▁Coca- ▁election- ▁bluish- ▁lucid- ▁Nicole- ▁Venice- ▁aloe- ▁Charlie- ▁Wendy- ▁capabilities- ▁modified- ▁Charles- ▁banned- ▁favor- ▁urine- ▁layout- ▁Henry- ▁legacy- ▁mocha- ▁laid- ▁Superman- ▁washroom- ▁overpriced- ▁ease- ▁Halal- kali- ▁wax- ▁Missus- ▁Mitch- ▁capability- ▁sleeveless- ▁floorball- ▁blink- ▁Tiger- ▁pores- ▁rejection- ▁flush- ▁Trump- ▁Siti- ▁progression- ▁assam- ▁retriever- ▁consistently- ▁Cheng- ▁hai- ▁bookshop- ▁wealthy- ▁cui- ▁visually- ▁Forty- ▁naps- ▁obedient- wen- ▁Eleven- ▁hyper- ▁Sang- ▁mindful- ▁Bang- ▁bitten- ▁separately- ▁dresses- ▁Val- ▁pao- ▁delayed- ▁Bad- ▁deleted- ▁registered- ▁pastel- ▁bay- ▁yellowish- ▁arranged- ▁promoted- ▁migrated- ▁Land- ▁contributed- ▁downloaded- ▁directed- ▁windy- ▁solved- au- ▁cease- ou- ged- ▁calming- ▁ob- ▁wasabi- ▁designs- ▁lu- ▁contacted- ita- ▁Bears- ▁supporter- ▁investing- ▁cleared- ▁Nan- siew- ▁ancestors- ▁tackle- fan- ▁renting- ▁smelling- ▁Per- six- ▁def- ▁begins- ▁circled- ata- ▁ram- ▁glu- mation- ▁boarding- ▁tiles- Asia- ability- dey- bit- les- Pok- ▁revis- ▁biscuits- ten- ▁heading- ▁rappers- ▁Boys- her- ▁Han- ▁storm- zz- ▁Qi- ▁involves- tro- ▁candles- ▁vet- ▁holds- ▁efforts- ▁Ed- ▁originate- ▁limits- ▁Bel- our- ▁vera- ▁fe- ▁tease- ▁expire- ▁vendors- ▁milestone- ▁landscape- ▁ano- side- ▁Master- ice- ▁alphabet- ▁statue- ▁minister- ▁Legend- ▁airline- ▁consumer- ▁lastly- ▁rapper- ▁teenager- ▁belief- ▁Tu- ging- ▁downstair- ▁occur- ▁shades- ku- ▁Christ- ▁backstab- ▁defer- mai- ▁arguments- ▁writer- ▁flap- while- ▁memes- cai- ▁He- use- ▁sigh- fe- ▁volunteers- ▁sources- ▁San- ▁dri- ification- ship- ▁Mos- ▁Co- ▁tunnel- ▁Break- ▁employ- ▁choke- ▁explode- ▁perceive- ▁conquer- ▁discard- ▁approve- ▁manipulate- Pooh- ▁transcribe- ▁disrespectful- Kee- ▁shove- ▁trauma- Kai- ▁addition- ▁athletic- ▁Admiralty- ▁Digimon- ▁Eighteen- ▁Eminem- ▁President- ▁Sydney- ▁WeChat- ▁accommodate- ▁aglio- ▁attentive- ▁coleslaw- ▁congrats- ▁consumption- ▁cringy- ▁deaf- ▁district- ▁drumstick- ▁evaporate- ▁expenditure- ▁gantry- ▁hummingbird- ▁hypocrite- ▁inconvenient- ▁instinct- ▁intuition- ▁irrational- ▁policies- ▁pricing- ▁purplish- ▁servant- ▁skeptical- ▁surviving- ▁syndrome- ▁terrace- ▁turret- ▁wedges- ▁Angkor- ▁Ellen- ▁Hanoi- ▁Ofo- ▁Rebecca- ▁increasing- ▁outdated- ▁pursuit- ▁Heartland- ▁association- ▁psychologist- ▁unpredictable- ▁Yates- ▁manufacturing- ▁index- ▁botak- ▁quantity- ▁Marco- ▁runner- ▁memorising- ▁obsession- ▁ferment- ▁lamppost- ▁balm- ▁Tuas- ▁Frank- ▁announcement- ▁penalty- ▁Nyonya- ▁leverage- ▁Monkey- ▁stroke- ▁font- ▁token- ▁massive- ▁chopping- ▁wheat- ▁kiasi- ▁optimistic- ▁mochi- ▁subtle- ▁embarrassment- ▁secretary- ▁smartphone- ▁wives- ▁Arabic- ▁bold- ▁popping- ▁sync- ▁curb- ▁summary- ▁kacang- ▁Catholic- ▁continuously- ▁Mio- ▁reuse- ▁colorful- ▁problematic- ▁Tower- Centre- ▁Hsien- ▁Jackie- ▁fussy- ▁counsellor- ▁koi- ▁wastage- ▁countryside- ▁worn- ▁longkang- ▁Junior- ▁Clinton- ▁revolve- ▁cetera- ▁Rong- ▁Eastern- Schooling- Tong- ▁quitting- ▁handful- ▁Eric- ▁sewing- ▁knowledgeable- Tay- ▁walkway- ▁petty- ▁outlook- ▁disappointing- ▁monkeys- ▁Mama- ▁instantly- ▁Breaking- ▁Maggie- ▁smoothly- ▁Pong- ▁tailor- ▁Lord- ▁payout- ▁encountered- ▁updated- ▁refreshing- ▁typically- ▁warmer- ▁intended- ▁protected- ▁Potter- ▁ideally- ite- ▁shorten- ▁dull- ▁checkup- ▁borrowed- ▁tougher- ▁sheltered- ▁reported- ▁tau- ▁removed- ▁hoop- ▁tenth- ▁prisoner- pped- ▁pearls- ▁dough- Hut- ▁placement- ▁figures- ▁chewy- ▁dash- ▁coasters- tuk- ▁hurting- ▁sentences- ▁promotions- ▁lorh- ▁undergo- let- ▁loans- ▁expressing- ▁opt- ▁cult- ▁pest- ▁meow- ▁Ar- ▁cuisines- ▁mentioning- ▁fireworks- ▁teammates- ▁shi- ▁epi- ▁kang- ▁claims- ▁patterns- ▁programmes- ▁Got- ▁engineers- ▁props- ▁donut- iel- ▁vouchers- ▁overload- ▁watery- ue- ▁interviews- iao- ▁rea- lan- ▁owners- ▁extract- ▁So- ome- ▁systems- ▁faced- ara- ▁metre- can- ▁yearly- ▁terminate- ▁connections- ▁joint- ▁exception- ▁drip- ▁scrape- ▁cre- ▁listing- ▁Fun- ▁scrap- ▁lan- ▁questioning- ▁Mar- ythic- ▁scholars- hipped- hu- ▁reader- ▁col- ▁quotes- ▁strengths- ery- ▁calculation- ▁feather- ▁muffin- ▁restriction- ▁slaves- ▁downward- ▁Bun- ▁handles- ▁sandal- ▁shoulders- ▁exists- od- ▁lac- ▁que- ec- ▁Wu- ▁Ice- ring- ▁Dad- ▁ter- id- ▁Fat- ▁rob- ▁pointer- ▁min- ▁wan- ▁sy- ▁Roman- ▁sua- tai- ▁gut- ▁nieces- uhyou- ▁hun- School- ▁overthink- ▁execute- scape- ▁pierce- Kayu- ▁Louis- America- club- House- ▁rotate- Hao- ▁singlet- ▁gracious- ▁Taufik- ▁Mickey- ▁Beyblade- ▁Clara- ▁Donald- ▁Drake- ▁Eiffel- ▁Kelvin- ▁Natalie- ▁Nigel- ▁PlayStation- ▁Porsche- ▁Sundram- ▁Tamarind- ▁Tamiya- ▁Watson- ▁Zumba- ▁allergy- ▁ambience- ▁balancing- ▁belacan- ▁bimbo- ▁bisque- ▁bouncy- ▁carried- ▁clarify- ▁climax- ▁condominium- ▁decrease- ▁diversity- ▁efficiency- ▁eyelid- ▁fascinate- ▁feast- ▁fickle- ▁filtration- ▁forklift- ▁fortune- ▁increment- ▁infrastructure- ▁mattress- ▁nostalgic- ▁packaging- ▁pollution- ▁pregnancy- ▁prominent- ▁redundant- ▁revenge- ▁scandal- ▁shrink- ▁sneeze- ▁violent- ▁welcoming- ▁Avatar- ▁George- ▁Harvey- ▁Shakti- ▁cyber- ▁enforce- ▁palette- ▁shelves- ▁thinner- ▁vulnerable- ▁Conan- ▁Shangri- ▁creator- ▁Langkawi- ▁cosplay- ▁farewell- ▁literacy- ▁annual- ▁eczema- ▁Simei- ▁typing- ▁collar- ▁variation- ▁impose- ▁miracle- ▁sojourn- ▁hairstyle- ▁journalist- ▁snowball- ▁theories- ▁bedsheet- ▁lasting- ▁digit- ▁injection- ▁foil- ▁supplier- ▁charging- ▁prioritize- ▁refund- ▁gassy- ▁spur- ▁reception- ▁nagging- ▁vain- ▁occupied- ▁revision- ▁signature- ▁flute- ▁cancerous- ▁papa- ▁Harley- ▁squatting- ▁grandson- ▁pathetic- ▁measurement- ▁Melaka- ▁Hitch- ▁subconsciously- ▁ladder- ▁footage- ▁Bible- ▁consecutively- ▁hung- ▁fishcake- ▁Baby- ▁retrenched- Ondeh- anakan- ▁Jeremy- ▁patches- ▁Mario- ▁bookstore- ▁mangoes- ▁Scrabble- ▁affection- ▁investigation- ▁Tsum- ▁snorkeling- ▁relive- ▁restricted- ▁officially- Hall- ▁ballad- ▁cosy- ▁underage- ▁publication- ▁fainted- ▁pang- ▁possessed- ▁Abu- ▁Bao- ▁catering- ▁jie- ▁buyer- mark- ▁ramp- ▁poisoning- ▁dusty- ▁marvel- ▁carton- ▁setup- ▁adopted- ▁shaker- ▁hose- ▁sweaty- ▁vine- ▁pastor- ▁cheering- ▁repeated- ▁pumping- ▁Dim- ▁passes- city- ▁tearing- ure- ▁sooner- Balance- ▁figured- ▁lifted- ▁commonly- ▁printing- ▁Arts- ▁oppose- ▁retrieve- ▁Sundays- ▁caus- ▁essays- ▁organisations- ▁moderate- ▁tri- ▁camel- ▁funds- ▁warn- ▁para- ▁Muslims- ▁wool- ▁statistics- ▁shooter- ▁subtitles- ▁motivates- ▁alpacas- ▁Ji- ▁sounded- ▁morals- ▁tissues- ▁saver- ▁mart- ative- ▁Hall- ug- ▁intentions- ▁lively- ▁comforting- ▁matching- ▁Ne- ▁arc- ▁Chin- ▁covers- ake- ew- ▁Ja- ▁thi- ▁Hwa- ▁mute- ▁mar- ▁sam- ▁reasoning- ▁forces- ▁rot- ▁grapes- ▁dancers- ▁tha- ▁ordering- ▁Tuesdays- ▁devices- ▁rhymes- ▁coun- ▁chocolates- ▁Dee- ▁vo- ▁wordings- ▁dolphins- ▁packets- ▁rebu- ▁pigeons- vert- ▁pl- ▁fellas- ase- ▁whi- sion- po- den- ▁lar- wi- hai- ▁bowls- ▁clothings- con- ▁clam- ▁Scoot- ▁chunk- ▁incentive- ▁rope- ▁attribute- ▁Caucasian- ▁Alia- ▁bud- ▁acquaintance- ▁participant- ▁graphic- ▁electives- ▁earphone- ▁creature- ▁trunk- ▁females- ▁grandparent- ▁flyer- ▁awards- ▁sl- ▁instance- ▁nutrition- don- ▁tra- ▁prom- ▁Sa- ala- ▁tons- ▁Lu- ▁hamsters- ▁touche- chu- ▁swan- ▁relations- ▁via- ▁monsters- lie- ▁poo- ▁Teo- ▁ir- min- ▁hoo- ▁nets- ▁Pin- ▁High- ▁containers- ▁dan- ▁ratio- ▁disappoint- ▁Panda- wood- ▁distribute- ▁cultivate- ▁sneak- ▁exceed- Faber- McCartney- Fingers- Padang- tarik- Hotel- screen- centre- ▁dense- wei- Gaga- ▁swam- ▁fade- Wang- ▁underline- ▁interfere- ▁Sherlock- Soto- ▁Alibaba- ▁Benedict- ▁Cambridge- ▁Dylan- ▁Eunice- ▁Florence- ▁Gordon- ▁Kraken- ▁Kranji- ▁Oliver- ▁Rolex- ▁alarum- ▁autumn- ▁backyard- ▁beancurd- ▁brisk- ▁burrito- ▁butterflies- ▁collaboration- ▁concubine- ▁denim- ▁envelope- ▁esteem- ▁eyesight- ▁frivolous- ▁guidance- ▁heartbroken- ▁intensive- ▁kettle- ▁khaki- ▁lemonade- ▁liberal- ▁magenta- ▁mousse- ▁mundane- ▁muscular- ▁necessities- ▁negotiate- ▁obsolete- ▁prejudice- ▁providing- ▁raccoon- ▁resolution- ▁rhythm- ▁scotch- ▁sequence- ▁slaughter- ▁snail- ▁snatch- ▁staycation- ▁victim- ▁violin- ▁vocab- ▁abnormal- ▁collab- ▁dribble- ▁export- ▁hardware- ▁hollow- ▁jackfruit- ▁permission- ▁royal- ▁unconscious- ▁Brooklyn- ▁Hindi- ▁bouncing- ▁communicating- ▁kebab- ▁romcom- ▁Gucci- ▁Roti- ▁armrest- ▁carbonara- ▁Harbourfront- ▁Kuala- ▁inspect- ▁excitement- ▁Amazon- ▁Coney- ▁convertible- ▁grace- ▁beware- ▁biological- ▁saint- ▁galaxy- ▁inequality- ▁jewelry- ▁proposal- ▁Laksa- ▁Shopee- ▁cement- ▁disappointment- ility- Blyton- ▁Alps- ▁lobby- ▁planner- ▁disability- tinous- ▁chainsaw- ▁paragliding- ▁rapping- ▁Morrie- ▁craze- ▁relating- ▁conventional- ▁Lego- ▁Zul- ▁bullies- ▁impaired- ▁thoroughly- ▁Waterway- ▁unlock- ▁Jess- ▁q- ▁techno- ▁diary- ▁underwater- ▁opinionated- ▁engagement- ▁whine- ▁meditate- ▁specialise- ▁encouragement- ▁bride- ▁Haji- ▁institution- ▁seaside- ▁agar- ▁teamwork- ▁singaporean- ▁conductor- ▁vanish- ▁Loreal- ▁macaroon- ▁Secondary- ▁checkpoint- ▁acceptance- ▁marksman- ▁clingy- ▁eastern- ▁judgemental- ▁popularity- ▁Safari- ▁pastries- ▁brighten- ▁established- ▁intellectually- ▁amuse- ▁dramatic- ▁Holy- ▁Stadium- ▁grasp- ▁becau- ▁mono- ▁policeman- ▁tribe- ▁Rose- ▁Ahmad- ▁carries- ▁Tay- ▁fireman- ▁Lily- ▁mansion- ▁peeping- ▁peep- ▁manageable- ▁expresses- ▁guaranteed- ▁Mike- ▁interactions- ▁drowning- ▁briefing- ▁momentum- ▁trader- ▁consulting- ▁begging- ▁Shawn- ▁captured- ▁herbs- ▁strictly- ▁Kok- ▁fullest- ▁circl- ▁stolen- ▁Ash- ▁successfully- ▁painted- ▁commented- ▁impacted- ▁usage- ▁wider- outhern- ▁leaders- ▁delivering- ▁gown- ▁deeply- ▁safely- ▁positions- ▁disciplined- ▁scratching- ▁Ubin- ▁pronounced- you- ▁freshie- ▁socially- ▁timers- ▁spoiling- ▁siap- ▁tickle- ▁locally- ▁orangey- ▁paints- ▁viewers- ▁Ju- Mall- ▁simpler- ▁forties- ump- ▁Ki- ▁stepp- ▁braces- ▁seeking- ▁processing- ▁laughed- ▁cheapo- ▁boxer- ▁Home- lian- ▁simplest- ▁rumours- ▁dope- mian- ▁darts- ▁Xing- ▁serves- ▁mommy- ▁struggles- ▁Mu- ▁cracks- ▁stinks- ▁Maps- ▁branding- ▁weed- ▁graphics- ▁hints- ▁ribbons- ▁slices- Nila- ▁musicals- ▁alight- nia- Xue- ▁homely- ▁Mer- ▁apologize- fa- ▁chun- ▁sha- halia- ble- ▁kenn- ▁kites- fu- ▁Kan- ▁Na- ▁pampers- ▁differs- ▁decorate- ▁nan- ▁pu- ▁Sum- ▁twins- ▁experiments- ▁scores- nine- ▁Kat- ▁directors- ▁ration- ▁sons- com- Go- ▁estates- ▁crow- ▁notebook- ▁worksheet- ▁Guardian- ▁contribution- ▁Olympic- ▁hotdog- ▁cocktail- ▁regard- ▁headlight- ▁cupcake- ▁ray- ▁filler- ▁Girl- ▁chu- ▁influencers- ▁afterward- ▁jar- ▁tablets- ▁va- ▁appears- ▁listener- ▁realis- ▁fl- ▁Mr- ▁ache- ▁rains- ▁maps- ▁Eni- ▁trades- ▁Harri- aga- oon- ▁markets- ▁cen- ▁communications- ▁econ- Xin- ▁Ring- ▁hits- lving- ▁fro- ▁islands- ▁lizards- ▁turtles- house- ▁sen- point- Jia- ▁convey- ▁lick- ▁allocate- ▁evolve- ▁tangle- ▁dedicate- ▁disrespect- Kiat- ▁addict- carte- Theme- ▁excessive- ▁Sakura- ▁diagonal- Ayer- Xian- Siew- ▁truthful- Your- ▁vocation- ▁Spider- ▁rash- ▁proportion- ▁Carol- Hawk- ▁smash- ▁Alexandra- ▁Antarctica- ▁Balestier- ▁Barcelona- ▁Bryan- ▁Davon- ▁Domino- ▁Elizabeth- ▁Madinah- ▁Maplestory- ▁Mitsubishi- ▁Mountbatten- ▁Odac- ▁Ovaltine- ▁Pioneer- ▁Qatar- ▁Shazlin- ▁Siloso- ▁Spurs- ▁Takashimaya- ▁Under- ▁Uzbek- ▁athlete- ▁bachelor- ▁baggage- ▁beggar- ▁believing- ▁bridesmaid- ▁brilliant- ▁bursary- ▁caffeine- ▁candidate- ▁churros- ▁column- ▁culinary- ▁curfew- ▁curiosity- ▁deviate- ▁diabetic- ▁distinguish- ▁dormitory- ▁grasshopper- ▁handwriting- ▁invitation- ▁jalebi- ▁mandarin- ▁overweight- ▁portrait- ▁premier- ▁producing- ▁pursuing- ▁reputable- ▁sacrificing- ▁shredded- ▁skydive- ▁slanted- ▁societal- ▁spiciness- ▁steroid- ▁stool- ▁superstitious- ▁survivor- ▁syntax- ▁transcribing- ▁transgender- ▁tteokbokki- ▁uncultured- ▁uneasy- ▁unnatural- ▁Valentine- ▁coincidence- ▁eligib- ▁multiplication- ▁outward- ▁starving- ▁Ariana- ▁Jessica- ▁brim- ▁pronouncing- ▁redeem- ▁undeveloped- ▁Chingay- ▁FoodPanda- ▁duties- ▁merchandise- ▁excla- ▁grid- ▁coordination- ▁dynasty- ▁conversion- ▁enthusiastic- ▁flashback- ▁Catherine- ▁Kolo- ▁Samyang- ▁Cameron- ▁consultant- ▁pharmaceutical- ▁Quran- ▁Subaru- ▁Tori- ▁pumpkin- ▁representative- ▁screenshot- ▁Lush- ▁stew- ▁tropical- ▁Xiaomi- ▁cursing- ▁jamming- ▁mysterious- ▁patty- ▁slam- ▁acid- ▁coupon- ▁Karen- ▁daring- ▁permit- ▁voluntary- ▁Cherry- ▁philo- ▁armour- ▁Wicked- ▁bugis- ▁narrative- ▁foster- ▁aircraft- ▁grain- ▁admitted- ▁interpretation- ▁sceneries- ▁Jean- ▁Etude- ▁Hawaiian- ▁flick- ▁progressive- ▁arrangement- ▁indirectly- ▁lorry- ▁dispenser- ▁confession- ▁torturing- ▁wander- ▁Obama- ▁Ramly- ▁explicitly- ▁advancement- ▁Nathan- ▁workforce- ▁Lola- ▁adoption- Yan- ▁weightage- ▁warmth- ▁brag- ▁fuss- ▁Jayden- ▁White- ▁alcoholic- ▁achieving- Day- ▁laze- ▁Padang- ▁tarik- ▁specialist- ▁lightning- ▁flame- Hua- ▁sotong- ▁sixties- ▁presentable- ▁implemented- ▁Heng- ▁punished- ▁relaxation- Simpson- ▁Pris- ▁Nick- ▁hopeless- ▁cleanse- ▁freezer- ▁cop- ▁Chuan- ▁Your- ▁downside- ▁hoc- ▁vomited- front- ▁fling- Jin- ▁businessman- ▁lord- ▁preach- ▁missus- ▁wishes- ound- ▁struggled- ▁postpon- abi- ▁divorced- ▁superman- ▁sling- ▁crashed- ▁coolest- ▁funding- ▁switched- ▁draining- ▁artsy- Highland- ▁donkey- ▁former- ▁tense- ▁blown- ▁Fen- ▁fourty- ▁server- ▁cur- ▁suited- ▁tuk- ▁poorer- ▁Kate- ▁pur- ▁interacting- ▁gossiping- ▁copying- ▁survived- ▁Ann- ▁swearing- ▁screening- ▁verbal- ▁congratulations- ▁regulations- ▁sleeves- ▁blocked- ▁milky- uhso- ▁supported- ath- ▁shifting- ▁weapons- ▁cooker- mun- ▁earned- ▁tracking- ▁hanger- ▁competitors- ▁laptops- ▁Mc- ▁carbon- ▁brownies- ▁tak- ile- ▁shred- ▁baller- ▁neh- ▁trending- ▁crane- ▁solutions- ▁surroundings- ▁snakes- ▁hatch- lon- ▁listed- truck- ▁freely- ▁clash- ▁Ling- ▁phrases- ▁organs- ▁keys- ▁newly- ▁Times- ▁Malaysians- ▁shook- ▁instances- ▁participants- ties- ▁bing- ▁drawn- ▁laz- ▁perm- ▁individuals- ▁brat- ▁cal- ▁captains- ▁stressing- kar- ▁barb- ▁Lan- ▁grams- An- ▁mushrooms- ock- fish- ▁ce- ob- jo- ▁corners- ky- ▁fights- ▁rela- ell- ister- ▁Exo- ▁squats- ▁med- ▁Des- ▁complaint- rus- ▁pal- fault- izing- ▁shapes- ▁functional- tered- ▁emoji- ▁kilo- ▁vlog- ▁pudding- ▁liar- ▁highlighter- ▁prelim- ▁glitter- shit- ▁stink- ▁Map- ▁Hi- ugh- ▁ea- urf- ▁An- ▁dia- ▁deed- over- read- Legends- ▁upright- isation- vin- ▁textbooks- za- ▁cul- ▁pens- ▁lunche- ox- ▁occasions- ▁promises- Sing- ▁yum- ishan- Fu- ▁tires- ▁ov- uhbut- work- Co- ▁rum- ▁sto- sum- ▁El- ▁beak- ▁insta- back- hur- ▁excuses- ▁medic- ▁tram- ▁kindly- ▁burp- ▁flood- school- ▁analyze- ▁Yue- ▁restrict- ▁rewatch- ▁invade- Serai- padang- Bond- Express- Hsien- ▁verse- bean- Star- Canning- Yong- Kun- ▁bloom- Nine- Shop- Cola- ▁dispos- Yang- Chang- ▁Walk- ▁urge- ▁quirk- ▁Sports- ▁Buona- ▁Wolf- ▁Buangkok- ▁Dorcas- ▁Dutch- ▁Encik- ▁Eugene- ▁Farrer- ▁Fedex- ▁Gallery- ▁Giselle- ▁Gossip- ▁Israel- ▁Liechtenstein- ▁Malcolm- ▁Mustafa- ▁Northshore- ▁Phyllis- ▁Pokka- ▁Predator- ▁Pringles- ▁Sarawak- ▁Sepak- ▁Tioman- ▁Turkish- ▁Ustad- ▁absence- ▁appraisal- ▁asterisk- ▁beachcombing- ▁bluetooth- ▁calculative- ▁choosy- ▁civic- ▁claypot- ▁clutch- ▁crucial- ▁darling- ▁declare- ▁fairytale- ▁footstep- ▁fracture- ▁futsal- ▁haywire- ▁hypebeast- ▁inconsiderate- ▁invalid- ▁jewellery- ▁karma- ▁karung- ▁lanyard- ▁mayonnaise- ▁paranoid- ▁phantom- ▁placing- ▁poetry- ▁pokemon- ▁positivity- ▁replies- ▁reshuffle- ▁rooster- ▁satellite- ▁treadmill- ▁tuxedo- ▁undergrad- ▁universities- ▁unsafe- ▁yoghurt- ▁BoJack- ▁Brandon- ▁Queenstown- ▁abstract- ▁mould- ▁parrot- ▁wagyu- ▁Pontianak- ▁Stitch- ▁ZoukOut- ▁hustle- ▁vacant- ▁valley- ▁conversing- ▁crop- ▁dentist- ▁discrimination- ▁residential- ▁sperm- ▁whiny- ▁Redhill- ▁barrel- ▁distilled- ▁koala- ▁soothing- ▁recreate- ▁sauna- ▁innovation- ▁chincai- ▁citizenship- ▁keychain- ▁Melissa- ▁bubbly- ▁indicator- ▁reckless- ▁translator- ▁Nightcrawler- ▁Rudy- ▁polyclinic- ▁Christine- ▁Kenya- ▁etcetera- ▁sensible- ▁Meetings- ▁platoon- ▁Richard- ▁Chiang- ▁purse- ▁abang- ▁ledge- ▁intensity- Horror- ▁vulgarity- ▁Ramen- ▁Keaton- ▁Josh- ▁Friza- ▁blusher- ▁Joanne- ▁pantry- ▁fulfillment- ▁capitalism- ▁Saudi- ▁Sabah- ▁bloated- ▁interactive- ▁buried- ▁incredible- ▁reborn- ▁madam- ▁Martin- ▁repay- ▁Ninja- ▁accountant- ▁jalan- ▁nationality- ▁retro- ▁Body- ▁archery- ▁thrice- ▁ballroom- ▁conjur- ▁Gina- ▁Yusof- ▁biz- ▁recited- ▁maple- ▁misery- ▁traveller- ▁barbie- ▁Lynn- ▁trace- ▁sprint- ▁Way- ▁junk- ▁Angmoh- ▁Place- ▁Anne- ▁waterfront- ▁stating- ▁entertainer- ▁evolved- ▁fortunately- ▁assigned- ▁acad- ▁arrogantly- ▁latch- ▁benches- ▁commando- Chai- ▁cringey- ▁lining- ▁emphasise- ▁Love- ▁drifted- ▁Yio- ▁greenery- ▁tempered- ▁commander- ▁primer- ▁growling- ▁adrenaline- ▁decently- ▁eel- ▁Hor- ▁feeder- ▁padi- ▁tenant- ▁recorder- ▁irony- ▁freaky- ▁wired- ▁shortest- ▁healing- ▁chope- ▁united- ▁Skin- ▁reaches- ▁loading- ▁provider- ▁Mian- ▁conditioned- ▁negatively- ▁Qua- ▁approached- ▁structured- Sat- ▁coughing- ▁Kway- ▁onboard- ▁Jin- ▁bento- ▁pilates- ▁utensils- ▁Ron- ▁States- ▁otah- Hop- ▁spoiler- kueh- ▁edges- ▁protecting- ▁Jim- ▁aw- atic- ▁pressured- ▁Juliet- ▁fave- ▁Mathematics- ▁Netherlands- ▁deer- ▁marbles- ▁farting- ▁photoshop- ▁Ven- ric- ▁interning- ▁boobs- kin- ▁willingly- ▁richest- ▁Farm- ▁duplicate- ▁shortly- ▁mayo- ▁operations- West- ny- ▁settl- ▁kim- ▁Nat- ▁researching- ▁mag- shop- ▁deco- ▁tutors- ▁holder- ▁offering- ▁yawn- ▁Zac- ▁tock- ▁Ren- Lanka- ▁opener- ▁headed- thing- ified- ▁Straits- ▁beating- ▁wahseh- bay- ▁upsize- ass- ▁genetics- ▁Incredibles- ▁images- ▁Time- ▁arch- ▁viewing- wor- ▁Pes- ▁moths- Ling- seng- ▁crackers- ology- gan- ▁leak- ld- ▁offers- ▁headlights- ▁anot- Yu- ▁sno- ▁ping- gen- ▁guts- Wat- ▁teenagers- ▁Cove- ▁sch- Bo- ▁temples- ▁accents- ▁affairs- ▁characteristics- nam- ▁ku- ▁Te- ▁Joo- ▁samples- ▁Fan- ▁Pop- ▁girly- ▁patients- yi- ▁Ming- ▁equipments- eng- bar- log- ▁tit- ▁ops- ▁stu- ▁socialise- ▁influences- ▁straws- ▁ge- econs- ▁ham- ▁indi- ▁hum- uck- ▁pirate- ▁meatball- Chef- ▁prospect- ▁sunflower- ▁cosmetic- ▁intimate- ▁Euro- ▁sitcom- ▁vocal- ▁dynamic- hand- ▁obstacle- ▁cracker- ▁figurine- ▁consequence- night- ▁organ- iz- ▁Ai- ▁prop- ▁stacks- ▁bob- Mai- ▁veggies- ▁ghosts- nna- ▁Mont- uhokay- ▁sheets- ▁tutorials- ani- ipping- ▁ja- Gi- bed- ▁Cola- ▁hacks- ▁sta- ▁traditions- pao- Xi- bing- ▁workshops- ▁customs- ▁erasers- ▁cri- ▁betray- ▁detox- ▁skateboard- ▁sniff- ▁Ye- ▁canoe- ▁buffer- ▁confine- born- ▁censor- Albom- cheong- ▁nurture- Place- ▁fidget- Beach- Burger- Service- hundred- Blangah- Neo- Town- ▁hypothetical- ▁technological- ▁continuous- ▁awful- ▁selective- tete- ▁Coop- ▁gentleman- Cheng- ▁portrays- ▁manifest- ▁fav- ▁offend- ▁inferior- ▁regime- ▁quota- ▁compassion- ▁architect- ▁prac- ▁Asean- ▁horizon- ▁persevere- ▁pivot- '0'- Civic- Rebus- ▁Amoy- ▁Brussels- ▁Canadian- ▁Converse- ▁Decathlon- ▁Deloitte- ▁Engineering- ▁Kindergarten- ▁Mongolia- ▁Norman- ▁Sophie- ▁SpongeBob- ▁Taichung- ▁Tumblr- ▁accessibility- ▁algebra- ▁bonnet- ▁buggy- ▁cheerleading- ▁critique- ▁deejay- ▁disguise- ▁faculty- ▁flexibility- ▁frustrating- ▁gimmick- ▁giraffe- ▁glimpse- ▁handicap- ▁housekeeping- ▁idiom- ▁injuries- ▁intangible- ▁intolerant- ▁intriguing- ▁jelak- ▁jovial- ▁kranji- ▁liquor- ▁lontong- ▁mediocre- ▁morbid- ▁offensive- ▁operator- ▁orchestra- ▁parachute- ▁rapport- ▁sengkang- ▁soggy- ▁striking- ▁supervise- ▁thunder- ▁tolerant- ▁ungrateful- ▁unhappiness- ▁upwards- ▁vibration- ▁worldwide- ▁Pikachu- ▁abort- ▁cheque- ▁compensation- ▁impart- ▁inbound- ▁invincible- ▁jagged- ▁rigid- ▁Maroon- ▁encik- ▁fascinating- ▁Biology- ▁attain- ▁crude- ▁edible- ▁jazz- ▁moderation- ▁trek- ▁Hawker- ▁isolated- ▁mechanism- ▁rotten- ▁Ethan- ▁blister- ▁expedition- ▁fondue- ▁humility- ▁motivating- ▁personnel- ▁Sivaya- ▁Omar- ▁accuse- ▁blazer- ▁database- ▁revive- ▁sew- ▁shaggy- ▁admirable- ▁chaotic- ▁fulfilment- ▁rust- ▁mumbling- ▁oats- ▁stomachache- ▁trivial- ▁Aljunied- ▁Nemo- ▁Sunway- ▁buzz- ▁confinement- ▁flea- ▁Canon- ▁borderline- ▁Maple- ▁swimmer- ▁Liho- ▁sideways- ▁echo- ▁Flame- ▁Lucky- ▁legendary- ▁Nakhon- ▁Pentagon- ▁observing- ▁Chanel- ▁swimwear- ▁Sein- ▁innate- ▁copper- ▁mount- ▁stout- ▁Sophia- ▁inherently- ▁respective- formed- ▁baseball- ▁Creed- ▁scatter- ▁charred- Thai- ▁properties- ▁casing- ▁arthritis- ▁glory- ▁artwork- ▁detector- ▁guideline- ▁Oppo- ▁consuming- ▁trance- ▁Hannah- ▁gaze- ▁Mirror- ▁weaknesses- ▁prolong- ▁biryani- ▁workaholic- ▁werewolf- ▁sunlight- ▁hunger- ▁bury- ▁stranded- ▁Shepherd- ▁manufacturer- ▁Perry- ▁kart- ▁thrifty- ▁Siglap- ▁tomatoes- ▁intentional- ▁Astro- ▁modelling- ▁flipped- ▁Dragon- ▁puncture- ▁yelling- ▁starch- ▁Muse- ▁whiteboard- ▁Kevin- ▁resell- ▁barber- ▁southern- ▁taxes- ▁saga- ▁stretches- ▁kith- ▁booster- ▁roaming- Jie- Zi- ▁hou- ▁pek- ▁logically- ▁formulas- ▁Meng- ▁priceless- ▁nev- ▁sincerely- ▁slimy- ▁Mei- ▁Jade- ▁chemo- ▁Chen- ▁brighter- ▁rationale- ▁transform- ▁slippery- ▁genie- Flyer- ▁loaded- ▁smartest- ▁sunk- ▁initiated- ▁charming- ▁largely- ▁striker- ▁twisted- ▁sumo- ▁Lebar- ▁concentrated- ▁sweetness- ▁participated- ▁unzip- ilda- ▁voted- ▁teow- ▁toasted- ▁delivered- ▁lessen- max- ▁interviewer- ▁Choon- ▁mai- ▁steamed- Five- ▁demanding- ja- ▁pickup- ▁vomiting- ▁recreational- hell- crabble- ▁discounted- ▁widely- ▁Chem- Kim- ▁gifted- ▁tutoring- ▁moody- ▁peck- ▁kueh- for- ▁paced- ▁Vibes- ▁freebies- ▁slacking- ▁fuse- ▁strangest- ▁chased- ory- ▁tally- ▁Jon- ▁pes- Teh- ▁adopting- ▁similarly- ▁challenged- ▁grant- ▁sweeter- ▁trim- ▁pouring- ▁kissing- ▁Shah- ▁quarreling- ▁thesis- ▁melon- ▁rider- ▁commenting- ▁marked- ▁trendy- anese- ▁slime- ▁designed- ▁Airlines- ▁Max- ▁cared- ▁updates- ▁bites- ▁reminding- ▁undo- ▁professors- ▁expen- ▁formation- ▁Ko- ▁rumors- ▁litre- ▁yu- esh- ▁superb- hal- tter- ▁orca- ▁loo- ▁weirdly- ▁chap- ▁fu- ▁tile- ▁Aisha- ftee- ▁starve- ▁linguistics- itty- Besar- ▁complained- ▁fishy- ▁handphones- ▁sites- ▁clips- ▁Shak- siam- ▁Popeyes- ▁attracts- pok- ▁lungs- unch- ▁indulge- Vinci- ▁earns- tary- ▁rem- ▁Shin- ▁soba- lyn- gie- ▁memori- ▁settings- ▁acquaintances- zi- ▁Hat- ▁Les- ▁restrictions- ▁stimulate- eth- ▁rev- ▁writers- ▁bot- ▁cr- ▁Nas- aving- ▁angels- ▁waiter- ▁ambitions- ▁hash- ▁cer- ▁payments- ▁div- fro- ▁Un- ▁Sat- ▁lobsters- buy- ▁Laos- ▁bundles- ▁qualifications- ▁employees- ▁amen- ▁decor- ▁contains- ▁Macs- ▁costumes- ▁fla- ▁strips- ▁Goh- ▁mal- ▁specialize- ▁supplements- ▁achievements- ▁Happ- ▁Mas- ▁Tri- ▁til- ith- ppl- ▁conflicts- ▁Car- ▁Shan- ▁certifi- ▁borders- ▁sacks- ▁cucumber- ▁rifle- ▁Ame- ▁photograph- ▁cube- ▁accelerat- ▁soldier- ▁chopstick- ▁interval- ▁moth- ▁physic- ▁pane- ▁bas- ▁competitions- ▁ph- ▁lung- ▁gene- ▁limb- ▁maids- ▁tours- ▁cinemas- ▁rip- ▁Wednesdays- ▁Hu- ▁influenc- ▁sk- ▁oth- ▁shu- zan- The- ▁remains- sided- ▁spil- ▁Di- ▁overlap- aw- ▁marina- ▁Cat- ▁liter- ▁Fri- ▁planks- ▁dine- ▁ala- ▁opera- Kut- ▁failures- ▁scor- Oh- ▁Zoey- ▁chai- ▁establish- ▁presentations- ▁broadcast- ▁gardens- ▁Mi- sale- ▁Tam- ▁contra- ▁condense- ▁blindfold- ▁construct- Lumpur- Bird- Opera- Minister- Safari- Tower- Market- Young- economics- Cafe- white- ▁Bangladesh- ▁incline- Khalifa- ▁lee- ▁charit- ▁builds- eteor- ▁suburb- ▁navigat- ▁exhibit- ▁jewel- ▁lang- ▁knit- ▁mortal- ▁charisma- ▁orphan- ▁humanitarian- ▁Jeff- ▁kidnap- ▁Class- ▁chalk- ▁Alexander- ▁Champion- ▁Isaac- ▁Jeffrey- ▁Swiss- ▁spiral- Rudolph- Siong- uhbecause- ▁Abby- ▁Adelaide- ▁Allied- ▁Amirul- ▁Dancing- ▁Doraemon- ▁Elaine- ▁Gundam- ▁Herschel- ▁Kenneth- ▁Kopi- ▁Louvre- ▁Neutrogena- ▁Saizeriya- ▁Sapporo- ▁SingPost- ▁SkillsFuture- ▁abrasion- ▁acoustic- ▁admission- ▁algae- ▁amateur- ▁antibiotic- ▁appetite- ▁bitcoin- ▁bruise- ▁chickpea- ▁clerk- ▁collaborate- ▁complement- ▁conform- ▁democracy- ▁descriptive- ▁despair- ▁diarrhea- ▁dignity- ▁exploit- ▁foremost- ▁frustration- ▁gallery- ▁grandkid- ▁handicapped- ▁improvise- ▁industries- ▁inefficient- ▁insomnia- ▁intestine- ▁jasmine- ▁keyword- ▁librarian- ▁loaf- ▁loophole- ▁lucrative- ▁manicure- ▁mascara- ▁mascot- ▁maternity- ▁mushy- ▁nostalgia- ▁offense- ▁outspoken- ▁paramedic- ▁partition- ▁paternal- ▁piggy- ▁pitiful- ▁pleasing- ▁prestigious- ▁primarily- ▁psychopath- ▁quinoa- ▁reducing- ▁registration- ▁reluctant- ▁sembawang- ▁spacious- ▁spectacular- ▁squarish- ▁strapped- ▁suitcase- ▁takoyaki- ▁tandoori- ▁trophy- ▁tsunami- ▁tumour- ▁ultra- ▁unnecessarily- ▁unwind- ▁Chendol- ▁Feb- ▁Lukaku- ▁Wisma- ▁WolfTeam- ▁dengue- ▁determination- ▁evolution- ▁geez- ▁observation- ▁raft- ▁aisle- ▁guiding- ▁inverted- ▁radiation- ambeng- ▁Coach- ▁Evelyn- ▁Greenland- ▁Monaco- ▁demographic- ▁masala- ▁quack- ▁Grail- ▁compatible- ▁Alfa- ▁compassionate- ▁dimsum- ▁fragrance- ▁gravity- ▁skipped- ▁Penguin- ▁appreciative- ▁dominant- ▁segregate- ▁Mattar- ▁splurging- ▁taiwan- ▁versa- ▁Sambal- ▁poisonous- ▁sociology- ▁dangling- ▁gentlemen- ▁Shakira- ▁Shilin- ▁firefighter- ▁Sherry- ▁communism- ▁Titanic- ▁goalkeeper- ▁ripped- ▁uneven- ▁napping- ▁dedication- urai- ▁comparable- ▁VivoCity- ▁remake- ▁savage- ▁cashback- ▁cozy- ▁gradually- ▁Chicago- ▁haiya- ▁Danish- ▁Liam- ▁victory- ▁multiplier- ▁zai- ▁Zhou- ▁Northpoint- ▁goldfish- ▁plateau- ▁addiction- Qian- ▁Zack- ▁tweet- ▁procreate- ▁villagers- ▁haji- ▁hoarder- ▁Polo- ▁Troy- ▁laonua- ▁pique- ▁severe- Bao- ▁overwhelmed- ▁Youth- ▁crust- ▁takraw- ▁blueberry- ▁fillet- ▁blackshot- ▁hover- ▁Terry- ▁fearful- ▁Cruise- ▁monopoly- ▁lenses- ▁mosquitoes- ▁knob- ▁Lauren- ▁Dory- ▁login- ▁Green- ▁diagonally- ▁adaptable- ▁Impossible- ▁Palace- ▁edu- ▁bodybuilding- ▁enlisted- ▁hopeful- ▁losses- ▁handball- ▁Minister- ▁endure- ▁tyres- ▁romantically- Pang- ▁briefly- ▁contrast- ▁solely- ▁labor- ▁trainee- ▁vaguely- ▁scribble- ▁Centre- ▁Tuk- ▁facebook- ▁meaningless- ▁Santa- ▁Zhi- ▁Balik- ▁psycho- ▁Liu- ▁neglected- ▁behalf- ▁hood- ▁driverless- ▁Jap- ▁dean- ▁unlikely- ▁wage- ▁approved- ▁ayam- ▁specialised- ▁pong- ▁accountancy- ▁Mong- ▁arrived- ▁featured- ▁crosses- ▁Pang- ▁cling- ▁eleventh- ▁comeback- ▁puked- ▁Pandan- ▁comma- ▁kao- ▁coldest- ▁Gates- ▁ashame- ▁Dai- ▁wand- ▁Maki- ▁infinity- ▁folder- ball- ▁conducting- ▁Job- ▁num- ▁raped- ▁jobless- ▁choreo- ▁disturbed- ▁sinking- ▁furious- ▁trashy- ▁quietly- ▁attacked- ▁stumble- ▁diam- ▁dryer- ▁presented- ▁seemed- Kosh- ▁leech- ▁grounded- ▁Daru- ▁incidents- ▁filmed- ▁Payoh- ▁lego- ▁mayb- ▁mil- ▁planting- ars- ▁planes- ▁rom- ler- ▁insult- ▁rated- ▁arise- ▁soupy- ▁noble- stop- ▁suite- ▁souffle- ▁baker- az- ▁Googled- ▁Nets- ▁Yum- ▁toggle- Theory- ▁heated- ▁boo- ▁Hut- ▁rounder- ▁rode- ▁onions- ▁jap- ▁interviewing- ▁constraints- Gate- ▁oldies- ▁mor- ▁advantages- ▁pots- ▁Sin- ▁discounts- ▁Vin- ▁Los- ▁Stan- ▁scripts- ▁likewise- ▁nam- ervin- ▁ble- hy- ▁openly- ▁beers- ▁hua- ▁dynamics- Qi- ▁bicycles- eries- ▁Ni- ▁hills- ▁Hot- ▁Ra- era- ▁beret- ▁Ga- ▁Mars- ▁Hal- Scooter- ▁airlines- ▁consumers- ▁widen- ▁advertisements- ▁cables- Pagar- shi- act- ▁coloni- ▁kakis- ▁informal- ▁exco- ney- ▁grabb- ▁Mari- ▁Games- ▁examinations- ▁tights- ▁tigers- ▁Phi- ▁gaps- Ping- ▁coordinate- ▁compositions- ▁crocodiles- ▁fins- ▁sca- ▁roots- lee- 'off'- eat- ▁cheeks- ▁Se- ▁exceptional- ▁Sims- reme- ▁pil- ▁professionals- ▁graduates- ▁indoors- ▁analys- ▁aft- ▁instill- pay- zing- ▁peanuts- ▁explains- ▁flavors- ▁critic- ▁insight- ▁owned- Mi- shirts- che- ▁wipes- ek- ▁Met- ▁stuffy- ▁fer- ▁hardships- ▁thrill- ▁politician- ▁Studio- ▁Popeye- ▁sailor- ada- ▁calorie- ▁scissor- ▁Clement- hill- ction- ▁diamonds- ▁bae- zone- ▁Mon- ▁sac- ▁pita- San- ▁Saturdays- wn- xi- Ki- ▁Par- ▁scoops- going- terior- ▁stuffed- uring- agon- erie- ▁signals- mor- xin- ▁Sem- ▁actua- ▁Ap- Merah- ▁mega- Korea- ▁tar- ▁distract- ▁contour- ▁simpl- ▁manipulat- ▁celebrat- ▁Chua- You- ▁arrest- ▁Zoe- flower- Cheong- Lagoon- Utama- Crab- Willows- Dragon- White- Light- Central- Club- ▁guilt- ▁batter- Hub- ▁rapid- ▁consecutive- ▁precise- Sushi- ▁fluent- ▁raisin- puteh- ▁inject- ▁drastic- ▁worship- migrating- ▁punctual- ▁empathi- ▁Fifty- ▁Fantastic- Kinabalu- fieri- thyroid- ▁Alpha- ▁Aurora- ▁Cathay- ▁Christopher- ▁Cineleisure- ▁Dunman- ▁Expo- ▁Heaven- ▁Hitler- ▁Kumon- ▁Kylie- ▁Kyoto- ▁Lavender- ▁Learn- ▁Major- ▁Maybelline- ▁Mentaiko- ▁Micheal- ▁Mitsuba- ▁Nescafe- ▁Orchestra- ▁Oscar- ▁Pablo- ▁Pepsi- ▁Punita- ▁Radiant- ▁Ramadan- ▁Smule- ▁Snape- ▁Snorlax- ▁Sperry- ▁Swedish- ▁Wolverine- ▁Wreck- ▁administrative- ▁autobiography- ▁bicep- ▁brinjal- ▁brulee- ▁calculating- ▁calculator- ▁chimpanzee- ▁cloudburst- ▁communal- ▁correlation- ▁cricket- ▁crypto- ▁daydream- ▁dilemma- ▁disclose- ▁dizzy- ▁enlighten- ▁epitaph- ▁excursion- ▁extinct- ▁facilitator- ▁fragrant- ▁gastric- ▁geog- ▁guppies- ▁handbrake- ▁hurricane- ▁hygienic- ▁imaginary- ▁imagining- ▁immunity- ▁inappropriate- ▁jigsaw- ▁kingdom- ▁knives- ▁migration- ▁mobility- ▁moustache- ▁obnoxious- ▁offshore- ▁offspring- ▁organising- ▁paradise- ▁pedestrian- ▁platonic- ▁practising- ▁rebond- ▁safari- ▁salaries- ▁shepherd- ▁shuffling- ▁somersault- ▁stereotyping- ▁subordinate- ▁subsidies- ▁subsidy- ▁superstition- ▁swollen- ▁tamarind- ▁telepathy- ▁tentacle- ▁testament- ▁thrash- ▁tricep- ▁trophies- ▁trustworthy- ▁vibrate- ▁vicinity- ▁violence- ▁volley- ▁zinc- Hartono- ▁Aisyah- ▁Beyonce- ▁Mazda- ▁Mongkok- ▁People- ▁Yoshi- ▁android- ▁bliss- ▁bracelet- ▁cabbie- ▁output- ▁sassy- ▁sensation- ▁signify- ▁terrifying- ▁translucent- ▁Arjun- ▁Discovery- ▁Faizal- ▁Fiona- ▁Hafiz- ▁Indie- ▁Volde- ▁bangkok- ▁circus- ▁doggy- ▁esophagus- ▁hockey- ▁overheat- ▁participation- ▁sliding- ▁ColourPop- ▁Denmark- ▁Oxley- ▁botox- ▁bunnies- ▁crappy- ▁interface- ▁Joker- ▁aroma- ▁downtown- ▁empathize- ▁exaggerating- ▁orchid- ▁pixel- ▁tasting- ▁thosai- ▁trapped- ▁whiskey- Khan- ▁Reyes- ▁corporation- ▁Madam- ▁eager- ▁mercury- Bieber- ▁potluck- ▁Agent- ▁Note- ▁newbie- ▁substance- ▁Gongcha- ▁Ariel- ▁International- ▁Polytechnic- ▁Vijay- ▁Yuji- ▁productivity- ▁subset- ▁Life- ▁bartender- ▁deem- ▁pardon- ▁Ezra- ▁mhm- ▁grammatical- ▁educator- ▁arrival- ▁judgmental- ▁scarier- ▁telemarketer- ▁Face- ▁humorous- ▁stale- ▁Haj- ▁baba- ▁Llao- ▁bakso- ▁clementi- ▁overturn- ▁referee- ▁Chucky- ▁haze- ▁roundabout- ▁sinus- ▁buoy- ▁evaluate- ▁immortal- Mile- ▁visualise- ▁voting- ▁divert- ▁shatter- ▁salon- ▁probation- ▁agitated- ▁cashew- ▁expelled- ▁realistically- ▁jetty- ▁lifespan- ▁trafficking- jio- ▁Jem- ▁competent- ▁Joanna- ▁goggles- ▁Canyon- ▁pouch- ▁roar- ▁Shafiq- ▁Andrea- ▁braised- ▁whoops- ▁minority- ▁Kaka- ▁wound- ▁Christianity- ▁softball- paid- chap- ▁Chew- ▁jaw- ▁bulb- ▁fringe- ▁minimize- ▁bait- ▁Jude- ▁Nerf- ▁Brun- ▁luge- ▁Boat- ▁Aldo- ▁gland- ▁Chomp- ▁sabo- ▁panicking- ▁Angsana- ▁dispute- ▁technologically- ▁twe- ▁Storage- ▁sharpen- ▁warranty- ▁skies- ▁Train- ▁barley- ▁Thrones- ▁editor- ▁paul- ▁Dick- ▁embarassing- ▁enriching- ▁pestering- ▁Willows- ▁Secret- ▁bland- ▁Princess- ▁bobo- ▁windsurfing- ele- ▁browse- ▁waitress- ▁cray- ▁actresses- ▁Sky- Bang- ▁Chef- ▁Fingers- ▁Gary- ▁scratches- ▁bingo- ▁crunchy- ▁Smith- ayam- ▁vertically- ▁sai- ▁Athen- ▁shining- ▁intent- ▁bitchy- ▁Uno- ▁gist- ▁faded- ▁optional- ▁rooted- Cove- rrow- ▁adventures- ▁churches- ▁movements- hristian- ▁bagel- otton- ▁deepest- Sheeran- ▁blackout- ▁nerdy- ▁Chai- ▁Tian- ▁specialty- ▁predicted- Fun- ▁emceeing- ▁yacht- ▁Er- ▁somemore- ▁Nai- ▁fitting- ▁Sir- ▁skid- ▁onsen- Armour- Jian- ious- ▁forgetting- ▁Transformers- ▁mannered- ▁appealing- ▁sparkle- ▁wiper- ▁rear- ▁raging- ▁lin- ▁gathered- ▁flawed- ▁hooked- ▁Tham- ▁hesitate- ▁purchased- olio- ▁conflicting- Ji- ▁strangely- ▁backpacking- ▁skiing- ▁bodoh- ▁Pan- ▁goodnight- ▁wink- ▁Tamp- ▁tame- ▁compartment- ▁crumble- ▁pager- ▁explorer- ▁lookout- win- ▁spirited- ▁phonics- ▁tykes- ▁upgraded- ▁Call- sua- ▁fright- ▁discussed- ▁feminist- Panda- ▁blueish- heck- rmit- ▁processed- ▁untangle- ▁inconvenience- ▁spreading- ▁grudges- ▁burned- ▁retirees- ▁cycled- ▁shuffled- ▁peed- ▁titled- ▁geographical- ▁Get- ▁daytime- ▁reporting- ▁shophouses- ▁meaty- ▁escaped- atch- ▁butler- Le- ▁Bea- ▁Bon- ese- ▁justice- ▁lifts- ▁washed- ▁chilled- ▁trusted- ▁motherly- ▁pains- ink- ▁provides- ill- ▁fated- ▁topping- ▁replying- ▁instructors- uk- ▁idiots- Boys- ▁beverages- ered- ▁weirdo- ▁Eli- person- ▁cliques- ▁contacting- ▁Ri- Wars- ▁gays- ▁ques- wear- ▁drops- ▁residents- ▁chomp- roll- Peach- ▁outsider- lisa- ▁Ros- ▁Maris- ▁backgrounds- ▁Pi- ▁chopsticks- ▁intervals- ▁photographs- ▁peek- ▁panes- ▁spaces- ▁saturat- ▁trusting- ▁ew- pong- ▁triggers- ▁sober- ▁vocals- ▁acc- ▁conclude- lick- ▁poles- ▁liars- ▁highlighters- ▁Pu- ▁endless- ▁cocktails- ▁occurr- how- ▁mover- ▁criticis- ▁lawyers- ▁clams- ▁Mal- rk- ▁gory- ▁practices- ▁passengers- ▁ec- ▁farms- kai- set- ▁negotiables- ▁curtains- ▁decorations- ▁chaos- ▁shifts- ▁flooring- ▁employers- ▁boats- ▁flipp- ▁buyers- ▁defines- ▁drawings- ▁mirrors- appy- books- ▁gra- ▁guards- ▁Link- ▁warriors- ▁judges- ▁creates- ▁ser- ▁fishballs- ▁gir- nan- ▁bre- ▁deadlines- ▁clues- ▁inculcate- ▁hon- ▁Den- anti- ▁criminals- Teng- ▁lanes- ▁rant- ▁gin- ▁users- ▁farmers- Lua- ▁tasks- ▁supermarkets- ▁cabinets- ▁techniques- ▁cor- ingly- ▁smokes- ▁Swensens- ix- ▁Mua- ▁grip- ▁norms- ▁hydra- ▁bou- ically- ▁mist- ▁systematic- ▁disasters- dding- ▁surprises- ▁sho- ▁superpowers- wal- ▁Eight- ▁cho- ▁decks- ▁diseases- ▁outright- ▁procedures- ▁Che- ▁managers- ▁rug- ▁Koreans- cou- ▁sculpture- ▁nerve- ▁Aston- ▁honor- ▁dumpling- ▁resident- War- ▁Incredible- ▁genetic- ▁teammate- ▁firework- ▁backward- ▁onward- ▁reminder- ▁Starbuck- ▁Roa- ▁strategi- ▁errors- ▁producers- ▁chicks- ▁audi- iff- eddy- ▁bestie- ▁workouts- ▁dorm- ▁follower- ▁ticks- ▁notification- wer- ▁fabric- Huan- lance- ham- board- ▁astro- cake- ▁sap- dication- rich- ▁Cheese- Story- soto- ▁Philip- ▁firms- wee- ▁pai- ▁duet- ▁hyp- Kart- ▁boulder- ▁Bra- print- ▁ignor- ▁exfoliat- ▁activate- ▁enhance- ▁spots- ▁customise- Chen- ▁deform- ▁derive- ▁Xia- ▁paralys- Everest- Vista- ▁speci- Talent- Impossible- Palace- ▁Pek- Trump- Studies- River- Force- Pasir- ▁thrift- ▁Jerem- ▁Farhan- ▁assembl- ▁fiance- wash- Jerry- ▁husk- eww- Born- Lane- ▁explicit- Teck- makase- onopoly- Sheng- erminal- ouble- Peng- ▁Steph- ▁damp- ▁oblig- ▁Thom- ▁rival- ▁Brazil- ▁inherit- ▁compress- ▁symbio- aneous- ▁Felicia- ▁Ajisen- ▁Phillip- ▁Upper- ▁dismantl- ▁occupy- ▁singular- Educators- ▁Adeline- ▁Andak- ▁Bizhub- ▁Brisbane- ▁Burmese- ▁Cisco- ▁Deadpool- ▁Deliveroo- ▁Edinburgh- ▁Giordano- ▁GrabHitch- ▁Hamilton- ▁Horlicks- ▁Hyuna- ▁Jaguar- ▁Jewish- ▁Kaohsiung- ▁Kembangan- ▁Kyushu- ▁Lisbon- ▁Lynette- ▁Migros- ▁Murtabak- ▁Outram- ▁Prawn- ▁Reddit- ▁Ritz- ▁Rosyth- ▁Timberland- ▁Vikram- ▁Yakult- ▁Yvonne- ▁afterlife- ▁ambassador- ▁appreciation- ▁aqua- ▁autograph- ▁bamboo- ▁bibimbap- ▁bolster- ▁botanic- ▁cactus- ▁carrier- ▁catapult- ▁ceramic- ▁chandelier- ▁clumsy- ▁cognitive- ▁conference- ▁continuation- ▁corporal- ▁cursive- ▁defensive- ▁delicacies- ▁delicacy- ▁detergent- ▁disastrous- ▁dissolve- ▁distribution- ▁elevator- ▁elitist- ▁endurance- ▁equator- ▁equipped- ▁excellence- ▁extravagant- ▁freestyle- ▁gerpe- ▁grumpy- ▁havoc- ▁heartbeat- ▁hybrid- ▁illusion- ▁inflatable- ▁insensitive- ▁institute- ▁interrogate- ▁intimidate- ▁liberty- ▁lodging- ▁mermaid- ▁metabolism- ▁minimise- ▁motivator- ▁muslim- ▁naval- ▁neigh- ▁nightlife- ▁obtain- ▁oxy- ▁pajamas- ▁paranormal- ▁parliament- ▁philosopher- ▁pontianak- ▁postcard- ▁protocol- ▁provision- ▁puppet- ▁puppies- ▁quadrant- ▁recyclable- ▁releasing- ▁resurrect- ▁sampling- ▁sepak- ▁skeleton- ▁snowskin- ▁spendthrift- ▁summit- ▁synopsis- ▁teriyaki- ▁ulcer- ▁underwhelming- ▁unglam- ▁untouch- ▁vicious- ▁violet- ▁wharf- ▁wrapped- ▁Clarence- ▁Eileen- ▁Football- ▁Oxford- ▁Tesla- ▁Twilight- ▁affiliation- ▁ample- ▁brunette- ▁hulk- ▁ninja- ▁oblivious- ▁skull- ▁soundtrack- ▁terrain- ▁twilight- ▁utility- ▁Regina- ▁Risotto- ▁Taxi- ▁empathetic- ▁hormone- ▁impulsive- ▁lodge- ▁pessimistic- ▁racism- ▁truant- ▁Adrian- ▁Civil- ▁fragment- ▁torchlight- ▁Daiso- ▁Maidy- ▁Midnight- ▁Spy- ▁vitamin- ▁digress- ▁robbed- ▁Celine- ▁Glasgow- ▁Java- ▁Jews- ▁entitlement- ▁ignorance- ▁taekwondo- ▁terrorism- ▁puking- ▁rabak- ▁Yole- ▁whining- ▁contestant- ▁organism- ▁pegro- ▁pedal- ▁Valak- ▁disruption- ▁shotgun- ▁tangible- ▁troubleshoot- ▁Government- ▁Hundred- ▁conscience- ▁feasible- ▁makcik- ▁thrive- ▁Howard- ▁bedridden- ▁expat- ▁soundproof- ▁swine- ▁Debra- ▁lawsuit- ▁Angeline- ▁establishment- ▁Zilong- ▁batteries- ▁candies- ▁debatable- ▁accessory- ▁distraction- ▁analytical- ▁siva- ▁Panic- ▁cruelty- ▁complication- ▁component- ▁photoshoot- ▁aura- ▁humidity- ▁treetop- ▁Faith- ▁Galaxy- ▁presume- ▁shady- ▁egoistic- ▁fellowship- ▁lighthearted- ▁Kiri- ▁suc- ▁waterproof- ▁Bangla- ▁surrender- ▁warden- ▁banter- ▁scanning- ▁bali- ▁coincidentally- ▁Totoro- ▁storeroom- ▁confidential- ▁squishy- ▁pension- ▁Danny- ▁diluted- ▁Asus- ▁stationery- ▁posh- ▁westernised- ▁Valley- ▁deprived- ▁Mandai- ▁Wanna- ▁gymming- ▁submitted- ▁secretive- ▁Shuan- ▁hangover- ▁Switch- ▁floss- ▁introducing- ▁Nancy- Mars- ▁autis- ▁Baba- ▁existent- ▁corgi- ▁Ireland- Shiong- ▁Amos- ▁Rover- ▁Suria- ▁punk- ▁spize- ▁paperwork- ▁Liao- ▁Liz- Meng- Out- ▁expressway- ▁sniper- ▁leap- ▁idiotic- ▁lingo- ▁dent- ▁clinical- ▁Sega- ▁elf- ▁Fuji- ▁Leona- ▁specialisation- ▁intentionally- ▁quitted- ▁Cody- ▁bedok- ▁chanting- ▁cyst- ▁decorating- ▁competitiveness- ▁Lok- ▁upsetting- ▁integrated- ▁transcriber- ▁gray- ▁censored- ▁munch- ▁portal- ▁vast- ▁budd- ▁sloth- ▁stopover- ▁publicity- ▁Music- ▁approachable- ▁strolling- ▁confined- ▁Jones- ▁Singap- ▁coaches- ▁allocated- ▁escalate- ▁backstage- ▁Opera- ▁Barrage- gro- ▁executed- ▁Jackson- ▁suppress- Musk- ▁labourer- ▁invented- ▁downhill- ▁replay- ▁bash- ▁ikan- ▁projection- ▁breakout- ▁accountable- ▁heavenly- ▁bumpy- ▁tortured- ▁mian- ▁merged- ▁projector- ▁raid- ▁discovery- ▁greeting- ▁crown- ▁Quay- ▁ruler- ▁legally- ▁quarterly- ody- ▁perfection- ▁router- ▁Yen- ▁combi- ▁Hell- ▁troll- ▁grooming- Mulan- ▁networking- ▁melting- ▁locker- ▁casting- ▁distinctive- Ishak- ▁encouraged- ▁printer- ▁farted- ▁wary- ▁promised- ▁sacrificed- ▁freshly- ▁Ram- ▁nutrients- ▁Ant- ▁Zai- ▁miser- ▁adjusting- ▁Pe- ▁Kar- ▁clearer- ▁homeless- ▁awfully- ota- ▁reset- ▁winded- ▁kno- ▁quant- ▁deter- ▁maintained- ▁openness- ▁steaming- ▁began- ▁rejecting- ▁faulty- ▁Arm- ▁cheater- ▁boomers- yer- ▁pisse- ▁wiser- ▁opponents- ▁performer- ▁taxing- ▁Out- ▁Sen- ▁causeway- ▁Taman- ▁delight- ▁boundar- ▁defin- Ru- seven- ▁guides- ▁procrasti- ▁directing- ▁greener- Brothers- ▁snoop- ▁ubi- ▁replac- ▁recommending- ▁lobangs- ▁touchy- ▁lightly- ▁wrinkles- ▁Ying- ▁fri- mort- ▁Mai- mary- ▁banker- ▁researchers- ▁Jolin- kuah- gate- ▁bothering- chan- ▁Timb- ▁smoked- ▁formed- ▁cheers- phy- nto- ▁Pai- ▁clogg- Studios- ▁kilometers- ▁syllables- ▁aeroplanes- ▁perfumes- ▁measures- ▁Pola- Got- ▁dragg- ▁lea- ▁beetles- source- ▁cuter- ▁handbags- ▁Timah- ▁founder- ▁partying- ▁Bras- ▁Nov- ▁donated- ▁thrills- ▁scenarios- ▁meantime- ency- ▁Lab- ▁soldiers- ▁tiers- Wala- ▁Poo- ▁cosmetics- ▁Euros- tory- ▁classy- ▁trib- ▁ming- ▁Kin- ▁Rim- ater- ▁loc- ▁lunches- ▁hotdogs- ▁rays- ▁fillers- ▁hays- ▁collapse- inda- 'On'- ching- Board- ▁shin- ▁rubb- ▁sys- ▁muffins- ique- gh- ette- ▁hais- ▁cabs- ator- ▁recon- ▁bef- ▁persuad- ▁gamers- ▁Ta- ▁Dal- ▁kn- ▁kittens- ▁guitars- lated- ▁faithful- end- ▁performances- chou- ▁Bing- ▁sponsors- ille- Del- ▁roses- que- ▁apples- ▁Lo- ▁Teen- ▁laps- ▁poems- ▁je- ▁sciences- ▁Bi- ▁aesthetics- ▁arrows- ▁streams- ▁crimes- ▁Ez- ▁Del- ▁hal- ▁advis- ▁Ting- ▁lis- ▁sw- ▁concentrat- ▁planets- ium- ▁sal- ▁bricks- ▁Maria- ▁Xu- lter- Ko- ▁controlle- ▁donations- ▁Pets- bell- ▁protecti- ▁balling- Basah- ▁Raj- ogging- este- stance- arry- pol- ▁Sh- ▁pom- dan- ▁footballers- ▁Ke- ▁ruins- ▁connects- wise- ▁lim- ▁san- ica- ▁limitation- ▁robotic- Time- ▁cyclist- ▁decade- ▁beetle- ▁rib- ▁linguistic- ▁Strait- ▁dart- ▁yuck- ▁glove- ▁archetype- ▁mathematic- ▁circumstance- ▁Court- ▁Lad- ▁cra- ck- ▁dick- Bell- ▁canal- uffle- ▁impor- ▁exp- ▁frogs- ▁belts- ▁Dog- ▁startup- ▁dep- ▁Cel- Kia- yang- lash- ▁flexi- ▁sectors- ▁Carl- eba- een- iding- sai- Tea- ▁jets- Bar- ▁gia- ▁reciproc- we- ▁depress- ▁sketch- ▁Indo- hold- ▁heartbreak- ▁march- ▁roam- ▁glow- ▁demo- phone- ▁whisk- down- ▁exaggerate- ▁customize- ▁integrate- ▁enlist- ▁scent- ▁considerations- ▁reclaim- ▁eliminate- lapis- Factor- iglap- Guan- Shui- Swift- Crush- High- puff- Plus- Secondary- Fuji- Premier- University- coaster- ▁manufacture- Bear- North- generation- briyani- ▁warrant- ▁matte- jiao- ▁Iraq- personal- ▁scoot- ▁indirect- ▁subsequent- ▁Leonard- ▁fulfil- utdoor- ommunity- ▁Carousel- Box- ▁Drag- ▁depict- ▁Fresh- ▁Hero- ▁absurd- ▁coop- ▁terror- ▁resist- quid- ▁proficien- ▁Heart- ▁Arctic- ▁Dempsey- ▁Jamie- ▁continual- ▁intellect- ▁prescripti- ▁render- ▁ulti- Anatomy- Azhar- Buffet- Dhabi- Holmes- Mirza- Ramsay- Takraw- tsuka- zealand- ▁Austria- ▁Barbecue- ▁Britney- ▁Caleb- ▁Chapteh- ▁Chihuahua- ▁Chivas- ▁Chloe- ▁Citibank- ▁Commonwealth- ▁Crescent- ▁Desmond- ▁Diwali- ▁EXO- ▁Exco- ▁FairPrice- ▁Freedom- ▁Grinch- ▁Hyundai- ▁Ibiza- ▁Illusion- ▁Jurassic- ▁Keppel- ▁Maniac- ▁Mauritius- ▁Minesweeper- ▁Mohammad- ▁Normal- ▁Olivia- ▁Photoshop- ▁Popular- ▁Queensway- ▁Ringgit- ▁Scarlet- ▁Serena- ▁Shirley- ▁Slurpee- ▁Snapchat- ▁Society- ▁Supper- ▁Tiffany- ▁Ultra- ▁Vasantham- ▁Vishnu- ▁Wales- ▁Wikipedia- ▁Zendaya- ▁abuden- ▁academy- ▁accustom- ▁affirmation- ▁altitude- ▁apocalypse- ▁apostrophe- ▁articulate- ▁assertive- ▁avatar- ▁beansprout- ▁bhutan- ▁bodyguard- ▁bollard- ▁calcium- ▁chapati- ▁colourblind- ▁comfy- ▁complacent- ▁connotation- ▁crumpled- ▁deluxe- ▁detriment- ▁duff- ▁dyslexic- ▁encyclopedia- ▁enthusiasm- ▁envision- ▁envy- ▁eternal- ▁eternity- ▁folklore- ▁foreground- ▁forgiving- ▁gecko- ▁gladiator- ▁glaring- ▁gratitude- ▁gullible- ▁handkerchief- ▁handshake- ▁hologra- ▁horrendous- ▁iKon- ▁inaccessible- ▁infection- ▁innuendo- ▁intimidating- ▁judgy- ▁loneliness- ▁macchiato- ▁mankind- ▁maternal- ▁mentaiko- ▁ministry- ▁misconception- ▁misunderstood- ▁moisturising- ▁nipple- ▁notorious- ▁nudge- ▁outskirt- ▁pavilion- ▁paycheck- ▁persistent- ▁pilgrimage- ▁pledge- ▁punggol- ▁reckon- ▁recluse- ▁reincarnation- ▁retreat- ▁risotto- ▁satisfactory- ▁scalp- ▁squeak- ▁suicidal- ▁threshold- ▁tobacco- ▁twelfth- ▁unattended- ▁unfollow- ▁verify- ▁vinyl- ▁waveform- ▁widow- ▁youself- ▁Azmi- ▁Becky- ▁Drive- ▁Javanese- ▁Khairul- ▁Monica- ▁Parkinson- ▁Pasta- ▁Skyview- ▁Wonder- ▁brutal- ▁flask- ▁glitch- ▁harvest- ▁loner- ▁psychiatrist- ▁smoky- ▁spelt- ▁superstar- ▁updating- mbian- ▁Coldplay- ▁Maxwell- ▁Sungei- ▁kampong- ▁slipped- ▁stern- ▁Belinda- ▁Casino- ▁Shenyang- ▁Urban- ▁astronaut- ▁canopy- ▁melody- ▁moisture- ▁sickening- ▁sidetrack- ▁unrealistic- ▁guacamole- ▁hereditary- ▁hougang- ▁teaspoon- kerang- ▁Sasi- ▁amenities- ▁garang- ▁platter- ▁Buddhism- ▁Jazz- ▁cino- ▁drizzle- ▁elevation- ▁implication- ▁plaza- ▁reliant- ▁carbonated- ▁Luke- ▁Taco- ▁disabilities- ▁steward- ▁twinkle- ▁Barbie- ▁shisha- ▁thumbprint- Ngah- ▁Infinity- ▁mediator- ▁Brian- ▁addictive- ▁Pawan- ▁Tarte- ▁completion- ▁barrow- ▁bobian- ▁jellyfish- ▁entice- ▁Code- ▁Mahathir- ▁adverse- ▁basil- ▁Jasper- ▁eff- ▁Bradley- ▁concede- ▁populated- ▁womb- ▁comparatively- ▁complimentary- ▁hoodie- ▁resistance- Piece- ▁chute- ▁spinach- ▁pinball- ▁astronomy- ▁rivalry- ▁employment- ▁Miya- ▁courageous- ▁clueless- Dahl- ▁journalism- ▁peacock- ▁Gardenia- ▁fartsy- ▁spear- ▁Fir- ▁liais- ▁demonstrate- ▁ironically- ▁Orto- ▁documentation- ▁lagging- ▁patronize- ▁Akshay- ▁Laura- ▁Virgin- Tuk- ▁Halong- ▁Santorini- ▁mannerism- ▁Bella- ▁styrofoam- ▁disposable- ▁deja- ▁iceberg- ▁salivate- ▁preschool- ▁cherries- ▁foie- ▁proportionate- ▁invention- ▁dental- ▁jumbled- ▁modernised- ▁glider- ▁tempting- ▁moist- ▁halfhearted- ▁sphere- ▁Business- ▁Halimah- ▁irri- ▁nuance- ▁batman- ▁punny- ▁symbolise- ▁empire- ▁deduction- ▁hardwork- ▁installation- ▁fanatic- ▁conceive- ▁layman- ▁Center- ▁stitches- ▁Dark- ▁Johnson- ▁broom- ▁codeine- ▁meteor- ▁disgusted- ▁faraway- ▁gelat- ▁maze- ▁Navy- ▁Scott- ▁Three- ▁Miller- ▁adjustment- Fong- ▁involvement- ▁jab- ▁Belle- ▁continental- ▁Fanny- ▁suspended- ▁brotherhood- ▁buttock- ▁setback- ▁harness- ▁collagen- ▁deliveries- ▁healthily- ▁hospitality- ▁Colo- ▁hypothetically- ▁branches- ▁bandung- ▁vaping- ▁Peru- ▁despi- ▁plantation- ▁disbanded- ▁disconnected- ▁husky- ▁Rosa- ▁Ronaldo- ▁consciousness- ▁Bread- ▁duckling- ▁Talent- ▁knots- ▁overflowing- ▁Deb- ▁superheroes- ▁controller- 'Off'- ▁Benga- ▁Bangladeshi- ▁forgetful- ▁Law- ▁chatty- ▁sane- ▁enable- ▁cries- ▁exaggerated- ▁padding- ▁runny- ▁overturned- ▁olio- seal- ▁handover- ▁scarf- ▁Express- ▁instrumental- ▁betrayed- ▁exhausting- ▁Bird- ▁duo- ▁conch- ▁kok- ▁neon- ▁Phu- ▁playboy- ▁thirteenth- ▁exfoliate- ▁dropout- ▁partnership- ford- ▁caf- ▁armor- ▁pirated- ▁Himalayan- ▁objectively- ▁dice- ▁heartbreaking- ▁glowing- ▁beaten- ▁remov- Pong- ▁stalker- ▁sadder- jie- ▁cultivated- ▁paru- ▁Arabian- ▁nurtured- ▁countless- ▁horny- ▁satire- ▁toaster- ▁puzzled- ▁childlike- ▁permanently- ▁Keat- ▁published- ▁skater- ▁mashed- ▁Kishan- diac- ▁fend- ▁Kaki- ▁Hap- ▁Forest- ▁spotting- ▁Mini- ▁coal- ▁regulate- ▁jerk- ▁copyright- ▁subconscious- ▁thou- irways- ▁Army- ▁Yuen- ▁extroverted- ▁recognized- ▁consensus- ▁confessed- ▁tightly- ▁replicate- ▁Tshirt- ▁Siam- ▁signifi- ▁Leon- ▁observed- ▁sq- Horseman- ▁Fave- ▁angst- ▁ple- ▁sibeh- ▁morally- ▁Gem- ▁successes- ▁abused- ▁Chun- ▁sliced- nk- ▁Miam- ▁eee- ▁destroying- ▁largest- ▁fresher- ▁suffered- iang- ▁Kio- ▁rudely- ▁functioning- ▁smiley- ▁Aus- ▁discovering- ▁revealing- ▁recovering- ▁footed- ▁criticism- indows- not- ▁Toast- Thrones- pek- ▁Shell- ▁comprises- ▁dimples- ▁functions- Glam- ▁To- ▁apparent- plan- ▁mari- ▁nominate- ▁claws- ▁avoided- ▁scheduled- ▁Yin- ▁crate- ▁flex- ▁Bin- ▁castles- ▁stocking- ▁crazie- ▁electro- ▁capsize- shall- ▁Yisha- ▁teleporting- ▁eyeballs- ▁closeness- ▁Ranger- ▁crashing- more- ▁Amy- ▁Merli- itch- ▁reconcile- ▁switching- ▁troubled- ▁dum- take- ▁progressing- Carlton- Chok- ▁lima- ▁smokey- Qing- Wenger- ▁whatnot- ▁analytics- store- ▁Winn- ▁sayang- ▁wondered- ▁Lot- ▁rotat- chang- yan- ▁Hop- ▁Thor- ▁presenting- ▁channels- ▁apt- ▁dra- ▁Chee- ▁midterms- ▁kilometres- ▁symptoms- ▁poll- oke- ▁misc- ▁Tommy- ▁Bro- ▁publicize- ▁merchants- ▁souvenirs- njuk- ▁fewer- ▁Du- ible- Times- ▁ribs- ▁cyclists- ▁decades- ▁lawn- ▁fishers- ▁gan- ▁notifications- ▁Idol- ▁syn- ▁lighted- ▁Yam- ▁sailors- ▁Pass- bin- lude- ▁cubes- ▁Jenn- ▁websites- ▁interestingly- ▁acai- ▁sitcoms- ▁Kinder- ▁seating- Pi- ▁che- ▁ci- ▁puddings- aj- here- ▁odds- ax- ▁margin- ▁Caucasians- ▁attributes- ▁Alias- ▁dreamer- ▁flyers- ▁Ze- ▁blanks- list- ▁temperatures- Chi- llao- ▁Meet- ▁alphabets- ▁ministers- ▁statues- ▁Legends- rou- ▁attacks- ▁notch- ▁pointers- ▁etc- ▁gears- ▁Zhuan- ault- ▁seize- ▁puzzles- layer- ▁mana- ▁tents- ▁directional- ▁dun- omo- ▁snapp- ▁del- ▁Angu- ▁aids- ▁Ch- ▁Tun- ▁Jac- ▁sins- aki- ▁Ver- ▁wou- ▁fundamentals- non- ▁triangles- ▁buns- ▁bugs- now- ▁ele- run- ▁integrati- ▁recommendations- ▁Pad- ▁gar- shao- ▁hol- ▁fisher- old- ▁Raja- ▁spikes- ▁mun- ▁dinosaurs- ▁mentors- ▁Har- ▁spirits- ▁organizations- zy- ▁Christians- Magic- ▁dangers- erry- oi- ▁dock- ▁slopes- ▁artistes- ▁ru- ▁references- ongs- ▁Wiz- ▁markings- very- eresa- ▁kam- ▁blessings- ▁gigs- gle- ▁improvements- ▁pubs- ▁sib- bel- ▁comms- ▁meta- ▁pimples- ▁stares- ▁pota- ▁Ken- ene- Xun- ggle- ▁paw- ▁threat- ▁resonate- ▁axe- ▁schoolmate- ▁emerge- Studio- ixes- ▁merchant- ▁souvenir- hop- ▁kilometer- ▁syllable- ▁beverage- Boy- ▁competitor- ▁rumour- ▁ancestor- ▁sneaker- verse- ▁compromises- ▁whip- low- ▁brownie- ▁notion- assim- then- ential- ▁tang- ▁campaigns- ▁constrain- ▁zha- ami- ▁Eu- bal- ched- ▁constraint- fron- ▁Col- ▁Sai- ▁nu- agar- ▁riches- minate- ▁chil- Chin- minating- boro- iously- ▁historic- lay- ▁Pay- ookie- ▁Tea- turn- imp- field- ▁chang- room- place- ▁blu- De- power- keeper- qi- ▁stroll- rick- ▁snorkel- ▁Tao- ▁discharge- breaker- ▁empower- ▁vari- charge- ▁obsess- ▁locate- ▁injure- ▁disband- ▁disconnect- provoking- ▁recharge- Talk- Cooper- pedas- Bowl- Arabia- Brown- Pool- Storage- Republic- Tiger- Andrew- Mother- heaven- regardless- Bukit- kampung- eleven- Briyani- bono- curry- ▁moisturise- cute- with- Jones- ierce- Fox- ▁ima- ▁sensi- ▁convention- ▁Port- Chiong- onesty- ▁equip- iculous- ▁eavesdrop- ▁descend- ▁Naomi- ▁Warner- ▁cigar- Carter- Ferguson- Lloyd- Miserables- Purcell- '`'- ligence- ▁Atlanti- ▁Azazel- ▁Bendemeer- ▁Berlin- ▁Bluetooth- ▁Chirashi- ▁Derrick- ▁Dhey- ▁Dropbox- ▁Farouk- ▁Fifa- ▁Fitness- ▁Fullerton- ▁Henderson- ▁Jacqueline- ▁Kentucky- ▁Kukup- ▁Kumar- ▁Manila- ▁McLaren- ▁Mediterranean- ▁Mendaki- ▁Myeongdong- ▁Nagoya- ▁Nickelodeon- ▁Nissan- ▁Norwegian- ▁Office- ▁Phillipines- ▁Pinoy- ▁PlayMade- ▁Promenade- ▁Scape- ▁Sheldon- ▁Shermaine- ▁Smallfoot- ▁Spitz- ▁Supreme- ▁Tamago- ▁Thanos- ▁Umrah- ▁Winx- ▁Wushu- ▁Yoogane- ▁accuracy- ▁acrylic- ▁aggregate- ▁almond- ▁alternating- ▁approximately- ▁backdrop- ▁brainstorm- ▁calculus- ▁cannibal- ▁cassette- ▁cautious- ▁centuries- ▁chlorine- ▁chrono- ▁cinnamon- ▁cipher- ▁closure- ▁cobra- ▁comprehend- ▁condiment- ▁confusion- ▁courier- ▁cradle- ▁cuddle- ▁debrief- ▁decathlon- ▁democratic- ▁disapprove- ▁distillat- ▁diversify- ▁documentaries- ▁eclipse- ▁empress- ▁enclosed- ▁encompass- ▁equation- ▁esplanade- ▁filthy- ▁frugal- ▁funfair- ▁gengar- ▁giddy- ▁headquarter- ▁hospitable- ▁hotplate- ▁iguana- ▁impulse- ▁incense- ▁inviting- ▁jelat- ▁karate- ▁krabi- ▁laundrette- ▁magnesium- ▁marshal- ▁microchip- ▁murtabak- ▁narcos- ▁nauseous- ▁netflix- ▁odour- ▁overdrive- ▁patriotic- ▁pelican- ▁perspire- ▁pertain- ▁pringle- ▁province- ▁radiant- ▁rebuild- ▁recount- ▁rephras- ▁residence- ▁resilience- ▁revamp- ▁rinsing- ▁robbery- ▁sakae- ▁salicylic- ▁seduce- ▁silicon- ▁silliest- ▁sincerity- ▁slogan- ▁soulmate- ▁stereo- ▁sunshine- ▁symphony- ▁synonym- ▁tchoukball- ▁territory- ▁thunderstorm- ▁tragedy- ▁troublemaker- ▁unethical- ▁unplanned- ▁unpleasant- ▁untidy- ▁unwilling- ▁urgency- ▁vanguard- ▁velvet- ▁vodka- ▁whitish- ▁wholeheartedly- ▁zumba- Gerrard- Kusama- ▁Aloy- ▁Bachelor- ▁Darren- ▁Dream- ▁Dumbledore- ▁Eugeo- ▁Fairprice- ▁Googling- ▁Hunger- ▁Khalid- ▁Manhattan- ▁Mystic- ▁Topshop- ▁cadet- ▁chemotherapy- ▁communities- ▁concise- ▁convincing- ▁diagram- ▁disintegrate- ▁fragile- ▁ideology- ▁irregular- ▁lavish- ▁narrator- ▁orangutan- ▁saikang- ▁triangular- ▁Cedar- ▁JetStar- ▁Laneway- ▁Persian- ▁Totally- ▁constitute- ▁delta- ▁eatigo- ▁emulate- ▁futuristic- ▁gulp- ▁immerse- ▁mercy- ▁monologue- ▁prosperity- ▁telegram- ▁trotter- ▁unreal- China- ▁Bartley- ▁Cartoon- ▁Coleen- ▁Tutu- ▁bilingual- ▁bulldog- ▁criticizing- ▁darn- ▁hesitation- ▁interim- viation- ▁GameBoy- ▁Nazi- ▁amusing- ▁bangtan- ▁descendant- ▁garland- ▁organizing- ▁Lipton- ▁PayWave- ▁bravo- ▁brillante- ▁embassy- ▁friction- ▁hijab- ▁snoring- Hanks- ▁Elisha- ▁Entertainment- ▁Warcraft- ▁cellphone- ▁harassment- ▁multilingual- Decay- ▁comedic- ▁copied- ▁inventory- ▁rabz- ▁telok- valent- ▁Charizard- ▁Sager- ▁depressive- ▁lagoon- ▁overspend- ▁primark- angoon- ▁Kobe- ▁protest- ▁Skyline- ▁charismatic- ▁cristofori- ▁Barbra- ▁Huda- ▁bragging- ▁chinese- ▁courteous- ▁criticize- ▁ruling- lihood- ▁Percy- ▁bulgogi- ▁blaming- ▁crepe- ▁frail- ▁genetically- ▁obey- ▁retrenchment- Ridge- ▁Sandra- ▁fondant- ▁optimisation- ▁Irfan- ▁civilization- ▁physiotherapy- arnia- ▁Direction- ▁Drama- ▁Hulk- ▁Restaurant- ▁Ultron- ▁electrons- ▁hazard- ▁icing- ▁snowboard- ▁width- ▁disciplinary- ▁flavorful- ▁speedboat- ▁baggy- ▁Nando- ▁preserving- ▁adulthood- ▁stepmother- ▁Congkak- ▁Fenty- ▁Geog- ▁ethnicity- ▁guai- ▁laminate- Fei- ▁Mersing- ▁Rosie- ▁snowflake- ▁sophisticated- Steak- ▁dumbbell- ▁penny- ▁variable- ▁convict- ▁infantry- ▁slapping- ▁evergreen- ▁Edna- ▁Josephine- ▁PowerPoint- ▁amoy- ▁tuas- ▁hummer- ▁taco- ▁sunken- quel- ▁Snoopy- ▁beekeeper- ▁creation- ▁varies- ▁blondie- ▁rustic- ▁Stamford- ▁Zheng- ▁stoic- ▁examiner- ▁interruption- ▁famine- ▁copies- ▁insecurity- ▁blob- ▁crooked- ▁erupt- ▁complian- ▁Juan- ▁fanta- ▁rotation- ▁fireplace- ▁rowdy- ▁managerial- ▁korea- ▁tinge- ▁nude- ▁Chung- ▁profanity- ▁unicorn- ▁tapping- Up- ▁Mourinho- ▁Simpang- ▁Roth- ▁crutch- ▁starring- ▁vividly- ▁flawless- ▁Escooter- ▁Genie- ▁lasagna- ▁Mandy- ▁witches- ▁haul- ▁mafan- ▁Zhong- ▁subsidised- Lok- ▁Bobby- ▁appointed- ▁hurtful- ▁forgiveness- ▁midway- Boon- ▁Sandy- ▁Noel- ▁adaptation- ▁stunning- ▁bail- Yee- ▁Leonardo- ▁tonne- ▁shaky- ▁headset- ▁oppa- ▁broaden- ▁revert- ▁Oral- ▁collectible- ▁metric- ▁mountainous- ▁catfish- ▁hideout- ▁Titans- ▁strategic- ▁labelled- ▁infant- Singh- ▁sandwiches- ▁chopper- ▁selectively- ▁sexist- ▁shivering- ▁exhausted- ▁steer- ▁travelator- ▁angsty- ▁fog- Air- ▁Albert- ▁Crush- ▁Arsen- ▁Plus- ▁Halo- ▁blackboard- ▁draggy- ▁Strike- ▁moderately- ▁swamp- ▁ballot- ▁contradicting- ▁Daily- ▁protector- ▁Ruth- ▁boar- ▁Julin- ▁rusty- icity- ▁Mona- Gong- ▁Chao- ▁kung- ▁archer- ▁tempo- ▁cord- Phi- Ray- ▁fitter- ▁qi- ▁spiritually- ▁Young- noodle- ▁Baha- ▁Roy- ▁Town- ▁bunker- ▁housekeeper- ▁Canning- ▁alighted- ▁stapler- ▁transformer- ▁spinal- ▁unexpectedly- ▁Once- ▁Fang- ▁inconsequential- ▁discarded- ▁Aden- ▁greenhouse- ▁gambler- ▁Loong- ▁Bose- ▁vac- ▁pierced- ▁Ghaut- ▁Ching- ▁departmental- ▁aligned- ▁Mind- ▁yard- ▁thrilling- ▁Bond- ▁regretting- ▁hangman- ▁Tung- ▁crank- Tang- ▁dependable- ▁tuner- ▁accurately- ▁Pig- ▁flooding- Met- ▁chic- ▁steamer- ▁freelancer- ▁licking- ▁postman- ▁Rock- ▁conditioner- ▁Keng- ▁fairies- ▁Jong- ▁badass- ▁Rahma- ▁Tyr- ▁Lian- ▁voter- ▁ruby- ▁bounded- ▁conducted- ▁Along- ▁Xiang- ▁yarn- ▁Eng- ▁internationally- ▁surfer- ▁Hao- ▁duel- ▁offline- ▁rubbery- ▁entertained- ▁secured- ▁represented- ▁recovered- ▁Fest- ▁thoughtful- ▁secon- ▁Satur- bee- ▁kap- ega- Technological- ▁cracked- ▁Sally- ▁recycled- ▁balding- Siam- ▁coldness- ▁belay- Upon- ▁volt- ▁succeeded- rine- ▁fad- ▁translated- ▁conveniently- ▁ironed- ▁refused- ▁teared- ▁tendon- ▁retailer- ▁hosted- ▁seriousness- ▁advisor- ▁wayang- ▁Dell- ▁rave- ▁shaded- ▁rewarding- hood- ▁coup- ▁ranked- lock- ▁Marriott- ▁traded- ▁impre- tree- ▁Aka- ▁neighbourly- ▁packaged- ▁triggering- ▁verb- ▁Hin- taker- ▁framed- ungee- ▁showered- ez- well- ▁Sar- Lang- ▁sapa- ▁pier- ▁rushed- ▁reporter- ▁lad- ▁shelving- empt- ▁sham- ▁fashioned- ▁bask- ▁remix- ▁snowing- ston- ▁Zak- ▁tester- ▁header- Girls- odium- ▁remarks- ▁premises- ▁streaks- ▁wolves- ▁flakes- Kids- ▁suan- ▁Pat- ▁harden- ▁Wing- ▁excused- ▁Biore- ▁pung- ▁reno- ▁quo- ▁crossed- ▁Seah- ▁accom- nea- ▁educat- ▁centered- rade- ▁justified- ▁metro- ▁striv- ▁peeing- ▁Resorts- ▁tantrums- asan- ▁pickles- sheng- ▁withstand- ▁faked- Zhen- ▁matched- ▁Holl- ▁avoiding- ▁disappears- ▁perks- ▁corals- ▁bead- ▁Pooh- ▁addressing- ▁Yun- ▁landing- ▁asam- ▁singa- ▁spoons- ▁nouns- ▁emissions- ▁otters- ▁Ham- Ha- ▁unc- ▁orang- ▁pairing- ▁shap- ▁sash- ▁haters- ▁donating- ▁Falah- ▁Denis- ▁skim- ▁forgo- ▁asian- ▁Simpl- ▁schoolmates- ▁axes- ▁paws- ▁Ipoh- ▁influ- ▁wires- ▁yucks- ▁cosm- ▁Pit- ▁deteriorate- ▁Pana- ▁cou- ▁cutest- dicated- ▁dumplings- ▁honors- ▁stirr- ▁sued- ▁batche- ▁Salah- ▁hairy- lec- ▁bam- ▁Studios- ▁Salt- ▁Vi- ▁wit- ▁limbs- ▁nations- ▁lem- lux- ▁prospects- ▁sunflowers- Chefs- ▁besties- 'yes'- ▁closely- rip- ▁pleased- katsu- kart- ▁vlogs- rlyn- ▁Ais- ▁touring- ▁bore- ker- ▁See- teen- ▁rang- ▁Guardians- ▁contributions- ▁Olympics- ▁rations- ▁medi- ▁Mrs- iew- rance- ▁colouring- ▁manly- ▁Huat- ▁ropes- ▁incentives- ▁pans- gged- ches- ▁vu- ▁salads- ▁motors- ▁feathers- ▁calculations- ▁ads- late- ▁Cos- ▁rel- ▁flaps- ▁circulat- ▁choppe- eas- ▁barn- ▁scouts- ▁jokers- ▁aches- ▁counsel- ▁generalise- ▁drones- ▁beginners- ▁YouTubers- ady- ▁fined- ▁Mia- ▁consi- ▁Ever- je- eck- fin- ▁ponytails- ▁sparks- alam- ▁spo- ▁winners- riving- ▁flatter- opo- agi- ache- ▁creamer- lar- hun- ▁bullets- lio- illa- arian- ▁deb- ▁persuade- ▁reli- ▁factual- ▁reta- ▁trac- ▁nightmares- ▁tw- Cantona- Bones- lted- ester- ▁Tar- Tock- Hu- Hoon- isang- ception- ▁xia- ▁desires- ▁pleasures- ▁bom- ▁boug- pping- ▁objectives- ▁standardise- ▁Kia- laying- ▁kiam- Koon- ▁rig- ual- ppy- ▁lions- ▁Ari- ▁Gra- tech- ▁cit- owing- chong- ▁Mag- ership- ▁missions- ▁Ge- but- ▁mannequins- lab- ▁memora- alari- fraction- stro- ▁ep- cast- ▁volun- ▁litera- rselves- ▁files- ▁ethic- ▁Mad- ima- ogy- water- jun- fer- pend- Soo- ▁memor- ▁blackhead- ▁emission- Toba- ▁otter- ▁kilometre- ▁symptom- ▁midterm- ▁rumor- ▁swi- ▁alpaca- abby- ▁strand- ▁stair- ▁railing- oki- ctors- ▁Won- ▁hog- ▁Ser- ▁corona- ▁moo- ▁ei- unny- rise- ▁por- kang- coming- adi- ▁transparen- ▁snoo- ▁nex- ▁For- ▁repea- ▁brew- ▁debat- ▁Fu- ▁haunt- ▁subtitle- ▁alia- vo- ▁Zy- key- pra- ▁torch- ▁Gan- cumulative- ▁procras- ▁hesita- look- ▁Bala- ▁ven- Hit- ▁cycl- ▁exhaust- Sia- ▁respon- ably- ▁zig- ▁frown- ▁stat- ▁parasail- ▁Arabia- ▁expos- ▁separat- ▁incur- ▁nurtur- ▁invad- ▁Find- ▁Prince- ▁Vic- scooter- corn- Karat- ▁subsidize- ummer- lbert- ▁congest- ▁recite- ▁misuse- ▁retrench- about- course- oodle- ▁debut- Smart- Batisah- Jovi- Turtle- ristiano- Airline- Titans- Ronaldo- Chomp- Cruise- Mirror- States- Nathan- Leong- kacang- Prata- Romeo- jalan- Autumn- William- negotiable- Chicken- James- Science- boyfriend- chocolate- machine- drama- twenty- Miam- ▁crisp- biryani- Mouse- center- ▁summar- motion- ▁theoretical- Minh- ▁clutter- ▁vivid- ▁instantaneous- ▁Lor- ▁Saba- asian- ▁authorit- ▁midfield- post- chiong- ▁imply- Wee- ▁proactive- ▁pronoun- ▁immigrati- ▁disrupt- eptic- ▁Buddh- ▁experi- ▁revolution- ▁Yayoi- ▁Xav- ▁Corp- Vuitton- ▁indefinite- ▁mislead- ▁residu- '?'- Bilis- Einstein- Giggs- Hospital- Local- Muniz- Quinn- Sivan- jumma- siol- ▁After- ▁Atiqah- ▁Backstreet- ▁Badminton- ▁Bidadari- ▁Britain- ▁Broadway- ▁Capella- ▁Century- ▁Chijmes- ▁Cinderella- ▁Colosseum- ▁CrossFit- ▁Cyclops- ▁Daegu- ▁Darvis- ▁Dasani- ▁Diablo- ▁Diploma- ▁Dyson- ▁Egg- ▁Elliot- ▁Fight- ▁Foodpanda- ▁Foodshed- ▁GERPE- ▁Garfunkel- ▁Generation- ▁Genghis- ▁Gentle- ▁Ghost- ▁Gillman- ▁Haagen- ▁Heidegger- ▁Hermione- ▁Hermoine- ▁Hiroshima- ▁Inferno- ▁Istanbul- ▁Jasmine- ▁Jerusalem- ▁Lancer- ▁Lapidas- ▁Leftfoot- ▁Machine- ▁Medisave- ▁Mendel- ▁NAFA- ▁Newcastle- ▁Odette- ▁Olympiad- ▁Orchid- ▁Palestin- ▁Picoult- ▁Portugal- ▁Rafiq- ▁Razor- ▁Redbull- ▁Ripple- ▁Riverdale- ▁Samoyed- ▁Shamsuddin- ▁Sharlene- ▁Sheryl- ▁Skechers- ▁Snickers- ▁Sogurt- ▁Sprite- ▁Sucremo- ▁Sudoku- ▁Terengganu- ▁Theodore- ▁Tomahawk- ▁Toothless- ▁Vanguard- ▁Vitality- ▁Yogyakarta- ▁accreditation- ▁advancing- ▁aloud- ▁analyzing- ▁angklung- ▁annoucement- ▁apologies- ▁apparatus- ▁appreciating- ▁armband- ▁asbestos- ▁asylum- ▁barista- ▁belanja- ▁berserk- ▁biography- ▁blockbuster- ▁boardwalk- ▁breadwinner- ▁buffalo- ▁buttermilk- ▁contraband- ▁convocation- ▁cosmopolitan- ▁counterpart- ▁croissant- ▁cryptocurrency- ▁culprit- ▁curvy- ▁delicate- ▁discourage- ▁durable- ▁ectomorph- ▁elbow- ▁endearing- ▁epidural- ▁etiquette- ▁evaluation- ▁eyeshadow- ▁fabulous- ▁facade- ▁facilitate- ▁fatigue- ▁favoritism- ▁favouritism- ▁fencing- ▁fiesta- ▁fingernail- ▁freshener- ▁frizzy- ▁gargantuan- ▁ghetto- ▁gondola- ▁gorgeous- ▁graveyard- ▁grumble- ▁gyoza- ▁heartwarming- ▁homecooked- ▁hurdle- ▁hyuna- ▁iCarly- ▁iTunes- ▁illogical- ▁incorrect- ▁intermediate- ▁intrinsic- ▁intuitive- ▁invigilator- ▁jesus- ▁kacau- ▁laundries- ▁leukemia- ▁lieutenant- ▁lifeguard- ▁mammal- ▁marshmallow- ▁masculine- ▁meddle- ▁meddlesome- ▁merrier- ▁monotonous- ▁neural- ▁nonsensical- ▁observant- ▁outbreak- ▁paintbrush- ▁paprika- ▁parquet- ▁participating- ▁penalise- ▁platinum- ▁plunge- ▁pragmatic- ▁procrastinator- ▁propaganda- ▁proximity- ▁pufferfish- ▁quantify- ▁racquet- ▁rambutan- ▁receptive- ▁reciting- ▁recliner- ▁referral- ▁remembrance- ▁renovating- ▁retrain- ▁ripple- ▁safeguard- ▁seashore- ▁staycay- ▁stylist- ▁substantial- ▁sundae- ▁surgeries- ▁susceptible- ▁symbiosis- ▁tablespoon- ▁telemovie- ▁terrapin- ▁terrified- ▁tombstone- ▁toothbrush- ▁traumatising- ▁traumatizing- ▁tudung- ▁tumble- ▁uncooked- ▁unhygienic- ▁universal- ▁unofficial- ▁unsightly- ▁unused- ▁velcro- ▁vibrant- ▁vibrating- ▁wildlife- ▁windshield- ▁xiaxue- ▁xiong- /- ▁Basil- ▁Calbee- ▁Children- ▁Coco- ▁Hershey- ▁Karaoke- ▁Nivea- ▁Pandora- ▁Ricky- ▁Rulang- ▁Spies- ▁Stephanie- ▁Teacher- ▁Wheelock- ▁crazily- ▁granddad- ▁narrating- ▁perpetually- ▁quizzes- ▁recurring- ▁snooker- ▁swirl- ▁titans- ▁trilogy- ▁zodiac- ▁Lakeside- ▁Mentos- ▁Penny- ▁Rosti- ▁Stanford- ▁Underwater- ▁Vanessa- ▁Yamaha- ▁beneficiary- ▁bookworm- ▁bowtie- ▁cooperative- ▁dehydration- ▁depreciate- ▁engross- ▁martini- ▁silat- ▁slingshot- ▁symbiotes- ▁tamp- ▁tulang- ▁Hazel- ▁Ravana- ▁Vicky- ▁gigabyte- ▁strangle- ▁visor- Spears- ▁Avene- ▁Cecilia- ▁emptie- ▁innovative- ▁reflexes- Before- ▁Daven- ▁Intel- ▁Katsu- ▁commuters- ▁elastic- ▁exploding- ▁obese- ▁unfit- Downey- ▁Forex- ▁geek- ▁radar- ▁seasick- ▁Yolo- ▁posi- ▁Batu- ▁Burma- ▁Jaws- ▁purification- ▁summarise- Kook- Yacob- ▁Allen- ▁Pahang- ▁congee- ▁cooperate- ▁corpus- ▁statistically- ▁trumpet- ▁Christina- ▁contemp- ▁crease- ▁extinguisher- ▁hooray- ▁Barney- ▁Janice- ▁kanasai- ▁phoenix- ▁repetition- ▁scammed- ▁wiring- ▁backbone- ▁blunt- omodo- ▁assassination- ▁approv- ▁babysit- ▁bugger- ▁championship- ▁prospective- ▁Bencoolen- ▁roster- ▁stoning- ▁claustrophobic- ▁delusional- ▁dysfunctional- ▁leash- ▁punctuality- ▁boastful- ▁mugging- ▁paddling- ▁Dead- ▁Toby- ▁churn- ▁torso- ▁traumatic- Lipa- ▁playmate- ▁shush- ▁Foot- ▁Perak- ▁decompose- ▁enlistment- ▁inevitable- ▁mythology- ▁refine- ▁reproduce- ▁Margaret- ▁civilised- ▁lentil- ▁photocopy- ▁Maltese- ▁Prada- ▁chrome- Bahar- ▁Fantasy- ▁appetizer- ▁kuku- ▁maritime- ▁piping- ▁cunning- ▁hesitating- ▁blockchain- ▁pagan- ▁sequel- ▁Channing- ▁Celsius- ▁expertise- ▁globalization- ▁raspberry- ▁existential- ▁hastily- ▁Library- ▁biking- ▁grim- ▁disfigured- ▁reggae- ▁palate- boy- ▁Metro- ▁Saat- ▁naggy- ▁Bogo- ▁Artbox- ▁Mayday- ▁Shark- ▁Taiti- ▁deviation- ▁govern- ▁deferment- ▁possessive- ▁lingerie- beng- ▁eyelashes- ▁frighten- ▁rehearsal- ▁scarred- ungry- ▁annoyance- ▁anthem- Runner- ▁dilly- Caesar- ▁duper- ▁Pinnacle- ▁Makan- ▁immersi- ▁quartermaster- ▁Sanya- ▁Zhang- ▁carriage- ▁dumbass- ▁Joelyn- ▁Lovi- ▁Murder- ▁Kenny- ▁raving- ▁Vada- ▁overlord- ▁Shahira- ▁Banyan- ▁authenticity- ▁intima- Claus- ▁carpenter- ▁seawater- ▁Tupperware- ▁consultation- ▁macro- ▁attendant- ▁traumatised- ▁Lilo- ▁restrain- ▁flock- ▁squeezy- egor- ▁mozz- ▁scarce- ▁charities- ▁flavourful- ▁Cali- ▁Academy- ▁Reservoir- ▁parenthood- ▁dhal- ▁Lester- ▁Ruby- ▁recep- ▁Faris- ▁furry- ongdae- onito- ▁prettier- ▁commercialised- ▁slopp- ▁enterprise- ▁Timor- ▁Davidson- ▁rotting- Jong- ▁Never- ▁fortnight- ▁beatbox- ▁College- ▁Garfield- ▁Kacang- ▁Lena- ▁omakase- ▁elevated- ▁objection- arnish- learning- ▁Moses- ▁spies- ▁nonstop- ▁amplifier- ▁shortlisted- ▁representation- ▁Parkway- ▁Brigade- ▁Pattaya- ▁Noah- ▁Dua- ▁psychic- ▁Wak- ▁moto- regano- ▁throwback- ▁parkour- ▁attractiveness- ▁Real- ▁tada- ▁backstabbing- ▁Mouse- ▁Angeles- ▁Brown- ▁Taj- ▁sketchy- ▁pulley- ▁Toy- ▁Fire- ▁clubber- ▁agony- ▁Swift- ▁expressive- ▁spotlight- ▁truthfully- ▁choy- rgent- ▁chord- ▁subsidized- ▁Ford- ▁Momo- ▁baseline- ▁repeatedly- ▁seasaw- ▁Guan- ▁mite- ▁Pool- Frost- ▁Koko- ▁convent- ▁Duck- ▁bala- ▁Crab- ▁Leong- ▁mindedness- ▁paralysed- ▁Eden- ▁Kanji- ▁hump- ▁Ulu- ▁connector- ▁seamen- ▁sleepover- ▁hoarding- ▁johor- ▁okie- ▁lent- ▁constructed- ▁Belly- ▁goosebump- ▁hahaha- ▁Serai- ▁customised- ▁critically- ▁ign- ▁sneaky- ▁chunky- ▁padang- ▁Owen- Kat- talk- ▁italy- ▁Gang- ▁reap- ▁socialize- ▁cookhouse- ▁offset- ▁satan- ▁scape- ▁sadden- ▁overboard- Lau- ▁Shao- ▁pony- ▁composer- ▁overdo- Ego- ▁dua- ▁desc- hei- ▁marching- ▁ladylike- ▁transferable- ▁aspiring- ▁Shui- ▁Jose- ▁Peking- ▁Ox- ▁criticising- ▁exploded- ▁perceived- ▁contouring- ▁distracting- ▁Alexa- ▁stickman- ▁stickies- ▁superficially- ▁Ayer- ▁mumble- ▁Tok- ▁witnessed- ▁netting- ▁probe- ▁collective- ▁Alan- ▁Maha- ▁environmentally- ▁abus- ▁mak- ▁canoeing- ▁skateboarding- ▁lament- ▁smoother- ▁suspected- ▁peacefully- ▁burping- ▁yeha- ▁cramped- ▁postponing- ▁manipulated- ▁readily- ▁seaman- arents- Mutant- ▁sway- ▁anonymous- ▁frost- ▁Shar- ▁Kith- Khoo- ▁professionally- ▁lup- ▁healed- ▁cocky- ▁organiser- ▁Tau- ▁Villa- ▁buster- ▁interrupting- ▁tel- ▁respectable- ubl- ▁tidying- ▁recovery- ▁exited- ▁excluded- ▁Tong- ▁abuser- Char- ▁hav- ▁sourc- ▁Bai- dong- ▁shaved- ▁fest- ▁independently- stain- ▁sacrificer- ▁funded- ▁tun- ▁tricked- Aziz- gun- ▁owing- ▁adapted- ▁Evi- Sum- ▁Bahru- ▁overdose- ▁bearded- ▁molest- ▁absorbing- ▁cured- ▁Matt- ▁reflected- ▁ondeh- ▁Mun- ▁Planet- ▁exes- ▁Easter- ntil- ▁remover- ▁simulate- ▁lighten- ▁sinful- ▁painter- ▁actu- nstitution- Aw- shot- ▁twisting- lia- ▁Khan- Bin- ▁What- ▁pine- ▁Fall- ppo- that- ▁Can- caf- ▁clothed- ▁gui- ▁cracking- Don- ▁meowing- ▁hampers- ▁fluctuates- ▁refugees- rina- ▁carte- ield- ▁broker- ▁ignored- ▁Will- ▁Tup- ▁hater- oul- ▁ward- ▁Mumm- ▁angri- ▁blamed- ▁incoming- ▁caged- ▁feat- ▁Ger- ngkat- ▁gained- ▁helli- ▁vent- ▁connecting- ▁mach- ▁sugary- ▁Glenn- ▁pretending- ▁suntan- ▁hunting- ▁aerial- ▁disagreements- ▁Semb- Min- rawl- ▁devoted- dri- ▁downloading- ▁chor- ▁creak- zhen- ▁identi- ▁gam- ▁bossy- ▁thirdly- ▁noun- ▁Ani- ▁climber- ▁Tap- ▁Ng- ▁apparels- ▁enrolling- ▁admired- ssured- ▁respected- ▁gras- nding- ▁graz- ▁misbehave- epok- ▁Net- ▁ringing- ail- ▁tangent- ▁chilly- ▁Nam- ▁returned- ▁Miru- ouch- ▁crumbs- ▁Sands- ▁powered- ▁bon- Jolie- ▁railings- ▁blackheads- ▁bearing- loo- ought- ▁Julia- fort- ▁positioning- Cadet- oba- ▁hid- ▁emerg- ▁buttered- utan- olate- ▁resonates- ▁threats- scow- Thief- ▁colli- Jing- ▁Bart- ▁liner- ▁Marl- ike- ida- ▁yourselves- ▁pasty- creme- ▁cultured- ▁dicks- ▁startups- ▁limitations- ▁robotics- ▁astrolog- ▁Farah- ▁flopp- gates- ▁momento- ▁beam- ▁priced- ▁Astons- ▁nerves- ▁sculptures- ▁rested- ▁reminders- cous- ▁Sher- ▁kneel- Coles- ▁anticipate- ▁DC- ▁politicians- ▁pam- arley- ▁commercialize- ▁harp- ▁accelerate- Donki- ▁cucumbers- ▁rifles- ▁Run- ▁gro- ▁insider- ▁jav- ▁meatballs- ▁pirates- ▁spi- ▁handy- ▁Pas- ▁blogg- kie- rack- illion- ▁Pak- ▁emojis- ▁kilos- ▁Thin- lying- ▁worksheets- ▁notebooks- ▁crows- cia- ▁Kent- urity- ▁anal- ▁chunks- ▁buds- ▁Zen- ude- ▁ze- ola- ▁concentrati- ▁shak- ▁selfless- ▁Masters- ▁landscapes- ▁milestones- ▁expires- ▁moderniz- misunderstanding- Rush- ▁lou- ipped- ▁growl- ▁skit- elle- oid- por- Cook- ▁stakes- ▁belongings- ▁passages- smati- ▁zhu- ▁storybooks- ▁Rav- ▁fra- opped- ▁val- ▁squirrels- ▁tales- ▁prais- ▁colon- kee- rul- ▁relocate- ▁Cad- ▁Gia- ▁oppo- ▁opp- ▁optim- alized- ▁zipp- ▁Phil- dar- neo- ▁Pant- nuel- ▁Shake- ▁auditor- ▁Zhu- own- ▁tec- ▁stru- ▁terminat- gue- ▁rece- achi- urn- ftie- ▁opposit- ▁exa- ▁worsen- ▁sti- folding- shui- lessly- ▁marginal- ▁lob- rom- ▁crumb- bble- ▁Alon- acy- ▁Jenni- ▁spe- ▁Band- ▁spra- ▁shoo- afar- ▁ste- bak- Pie- ▁stan- ▁Ou- ime- fetched- iterate- ▁stead- ▁ferri- elecast- anna- ▁Lam- dol- ▁Bab- uhwe- mpang- ▁mindless- rman- Leste- ▁sympath- ▁ken- Clan- pad- ▁Human- atory- chai- decker- ▁cous- ▁Com- onia- ▁Bee- ▁bermuda- ▁scallop- ▁Pilate- ▁diaper- ▁pebble- ▁germ- ▁coral- ▁investor- ▁statistic- Ranger- ▁brace- ▁lyric- ▁alway- ▁zo- ▁slush- merah- ▁perk- ▁researcher- alism- stage- leen- body- ▁rab- ▁sportsman- ▁neg- Cent- make- ▁decorat- ▁certif- ▁gran- ▁oldie- Cage- ▁iden- ▁clog- ▁Chang- ality- ▁hur- ▁glam- wo- ▁Pul- ▁Julie- ▁Cal- ▁lectur- ▁Sand- west- Jobs- ▁complet- ▁achiev- tude- oup- nova- away- ▁Kee- Ban- ▁purchas- ▁esca- ▁wor- ▁Himalaya- ▁froze- ▁Sho- ▁deserv- ▁blush- ▁hoard- ▁choreograph- ▁dishearten- craft- ▁deci- ▁windsurf- ▁disco- ▁sightsee- ▁accord- ventu- ▁figur- pson- ▁schem- ▁arrang- Angel- ▁snip- icular- world- ▁ostracise- ▁chant- ▁confiscate- ▁excite- ▁elect- ▁endanger- bloc- ▁detach- atholic- ▁suspend- Network- Singapore- Woman- vious- Grande- Brigade- holder- Scott- Three- Bull- chomp- child- takraw- colli- tempered- Obama- Ninja- Ocean- attaya- restricted- Ralph- lifting- spirit- Busan- Black- Stella- ngsana- tight- different- grass- merit- queue- wak- consider- road- Maths- Ayam- boat- ondeh- Grey- Singaporean- shock- ▁greed- heard- yana- obby- ▁Ronald- Strange- clockwise- ▁suff- ▁graceful- ologist- open- ▁carpent- astle- ▁swag- ▁servic- ▁rehears- ▁millenni- vergreen- ▁submissi- hennai- enegade- esistance- ▁Mexic- ▁obstruct- ▁Aqua- ▁coincide- ▁depart- ddling- ▁celeb- ▁deploy- evio- negotia- ▁hydro- ▁protrud- ▁Comfort- ▁Disco- ▁boycott- Beckham- Bennett- Carrey- Clues- DiCaprio- Muhammad- Payne- Ramsey- Ribbon- Rowling- Solo- Uemura- arella- ligently- rrogate- ▁AddMath- ▁Adele- ▁Aidil- ▁Akbar- ▁Aloysius- ▁Anderson- ▁Anjib- ▁Anusha- ▁Bermuda- ▁Buddy- ▁Canberra- ▁Carnage- ▁Clean- ▁Colorado- ▁Coupet- ▁Daryl- ▁DeepMind- ▁Depot- ▁Donnie- ▁Durian- ▁Edusave- ▁Fiido- ▁Georgia- ▁Ghibly- ▁Gudetama- ▁Guinness- ▁Guzheng- ▁Heidi- ▁Hummus- ▁Immortal- ▁Insidious- ▁Jewel- ▁Kahshee- ▁Katherine- ▁Kelantan- ▁Kozminski- ▁Labyrinth- ▁Loann- ▁Lookism- ▁MUIS- ▁Mcnugget- ▁Millennials- ▁Mongrel- ▁Mountain- ▁Mutton- ▁Narcos- ▁Nolan- ▁Oprah- ▁Pagoda- ▁Paladin- ▁Panopticon- ▁Paramore- ▁Pochinki- ▁Raisa- ▁Rampage- ▁RedMart- ▁Rojak- ▁Rolanda- ▁Rumba- ▁Sanhok- ▁Sembcorp- ▁Shatec- ▁Shazleen- ▁Sheila- ▁Siberia- ▁Spirulina- ▁Spongebob- ▁Sugar- ▁Tiaga- ▁Tibet- ▁Tintin- ▁Toronto- ▁Umairah- ▁Vain- ▁Vegan- ▁Walter- ▁Webtoon- ▁Whatsapp- ▁Yasmin- ▁Yellow- ▁Zipline- ▁abdomen- ▁adequate- ▁adversities- ▁aftertaste- ▁aggravate- ▁armchair- ▁artefact- ▁artifact- ▁avengers- ▁averaging- ▁barnyard- ▁beloved- ▁blueberries- ▁boisterous- ▁bolognese- ▁bouquet- ▁breadcrumb- ▁brooch- ▁chamber- ▁champagne- ▁chihuahua- ▁chrysanthemum- ▁cinematography- ▁coffin- ▁coherent- ▁collarbone- ▁colloquial- ▁condescending- ▁consolidat- ▁consonant- ▁contagious- ▁contemplating- ▁contemporary- ▁coriander- ▁courtyard- ▁cynical- ▁daunting- ▁deadlift- ▁decreasing- ▁degrading- ▁dentures- ▁devoting- ▁dictate- ▁dodgy- ▁doorstep- ▁dopamine- ▁douchebag- ▁dwarf- ▁earthworms- ▁emporium- ▁enclosure- ▁entails- ▁esketit- ▁espresso- ▁execution- ▁exfoliant- ▁exquisite- ▁fingertip- ▁gizzard- ▁globe- ▁graffiti- ▁hiccups- ▁hokkaido- ▁hyperactive- ▁iModel- ▁imitation- ▁impediment- ▁indebted- ▁indomie- ▁inertia- ▁infested- ▁infinite- ▁interconnected- ▁introspective- ▁intrusive- ▁jewelleries- ▁keloid- ▁keropok- ▁knuckle- ▁liddat- ▁lychee- ▁mackerel- ▁malamute- ▁mechatronics- ▁memorabilia- ▁menacing- ▁menthol- ▁messenger- ▁migraine- ▁mortgage- ▁muachee- ▁muffled- ▁mussels- ▁narrate- ▁negotiation- ▁nitrogen- ▁obscure- ▁oriental- ▁overcooked- ▁overcrowded- ▁paitao- ▁parasite- ▁persuasion- ▁pinafore- ▁pistachio- ▁pistol- ▁predator- ▁premature- ▁preoccupied- ▁prettie- ▁profiling- ▁prototype- ▁radish- ▁reincarnated- ▁reindeer- ▁repurpose- ▁resilient- ▁retrospect- ▁revenue- ▁rhino- ▁ritual- ▁roulette- ▁salvage- ▁sandbag- ▁scorpion- ▁scrawny- ▁sculp- ▁secluded- ▁silhouette- ▁simulation- ▁simultaneously- ▁slipshod- ▁sneezing- ▁snippet- ▁sparring- ▁splatter- ▁spooky- ▁sprinkle- ▁structural- ▁strudel- ▁stylus- ▁succulent- ▁supervision- ▁tattered- ▁terribly- ▁ticklish- ▁tidbit- ▁tomollow- ▁tremendous- ▁trespass- ▁trishaw- ▁unaware- ▁uncommon- ▁uncouth- ▁underestimate- ▁understudy- ▁unknowingly- ▁unwanted- ▁upbeat- ▁username- ▁utilize- ▁wavy- ▁woodworking- ▁wurly- ▁Boost- ▁Brighton- ▁Neslo- ▁Silk- ▁abundance- ▁advent- ▁analogy- ▁calibr- ▁conscientious- ▁ingrain- ▁misjudge- ▁noisier- ▁parsley- ▁peppermint- ▁recontract- ▁smuggle- ▁spacing- ▁stomp- ▁truancy- mitten- ▁Dengue- ▁Emily- ▁Fajar- ▁Harbin- ▁Kamal- ▁Toggle- ▁abalone- ▁celery- ▁copycat- ▁dubious- ▁glare- ▁greasy- ▁hydrogen- ▁influential- ▁jeopardize- ▁laboratory- ▁perseveran- ▁reform- ▁shucks- ▁Kingsman- ▁Prive- ▁Steffi- ▁boomerang- ▁estimation- ▁eventual- ▁glamour- ▁goblin- ▁intersect- ▁mimic- ▁slimmer- Beautiful- ▁Famous- ▁Kylo- ▁figurative- ▁troop- ▁vapour- Gogh- ▁Amber- ▁Beatles- ▁Brenda- ▁Logan- ▁Nasser- ▁Ramesh- ▁avid- ▁carol- ▁flaming- ▁geese- ▁rattan- ▁sledge- ▁Nineteen- ▁Nurul- ▁Pegan- ▁apology- ▁escaping- ▁existentialist- ▁lasik- ▁mansionette- ▁masculinity- ▁percussion- ▁shards- ▁speculation- ▁template- ladder- ▁Cholo- ▁Gerpe- ▁Store- ▁Suri- ▁ambiance- ▁screwdriver- ▁shading- ▁telephone- ▁Gamebooks- ▁Valerie- ▁Zaibo- ▁antisocial- ▁carnation- ▁corpse- ▁droplets- ▁hypocritical- ▁memorizing- ▁perspiring- ▁salsa- Buloh- Patterson- ubis- york- ▁Ahkah- ▁LinkedIn- ▁babysitter- ▁battlefield- ▁censorship- ▁disruptive- ▁perfectionist- ombie- ▁backfire- ▁compact- ▁outerwear- ▁Kanye- ▁Levina- ▁diaries- ▁exclusivity- ▁indulgence- ▁intonation- ▁liberat- ▁magnetic- ▁molecul- ▁patties- ▁quotation- ▁raffle- ▁Powerpuff- ▁compatib- ▁sulk- ▁trump- ▁General- ▁Muji- ▁lulu- ▁spicie- ▁ramble- ▁stimulation- ▁Kashi- ▁thorn- ▁Colour- ▁clump- ▁dulan- ▁lazier- ▁manipulative- ▁shimmer- ▁undergraduate- logue- ▁Angelina- ▁Suzy- ▁capsizing- ▁lik- ▁psychotic- ▁understatement- ▁ventilat- Pahat- ▁bankruptcy- ▁contradiction- ▁destruction- ▁sanity- ▁Dawn- ▁Salva- ▁fluid- ▁pricy- ▁Satay- ▁frock- ▁pending- ▁restrictive- ▁scammer- ifier- ▁mingling- ▁Sapa- ▁grandchild- ▁rosy- Nun- ▁physician- ▁comprehensive- ▁kope- ▁qual- ▁rubric- ▁evade- ▁globalisation- ▁radiotherapy- ▁tripped- ▁Race- ▁denial- ▁redemption- wow- ▁anorexia- ▁displace- ▁Ashton- ▁Zeus- ▁anatomy- ▁Family- ▁Murakami- ▁Oriental- ▁dreadful- ▁glamor- ▁Damai- ▁Hogwarts- ▁billboard- ▁consumerism- ▁explosion- ▁booze- ▁cathedral- ▁pianist- ▁Shaun- ▁Freshies- ▁Lavi- ▁eeyer- ▁freight- ▁wholesome- ▁affectionate- ▁euro- ▁pussy- ▁slut- ▁twinning- ▁mellow- ▁quoting- ▁paintball- ▁primate- score- ▁Istana- ▁Kayaking- ▁affiliated- ▁blatantly- ▁dehydrated- ▁eyelash- ▁chubby- ▁hottest- ▁unproductive- ▁unrelated- ▁womanizer- endang- ▁daugh- Kheng- ▁Chronicle- ▁harmful- ▁Sakae- ▁Shoppe- ▁clipper- ▁insistent- ▁sparkling- ▁trademark- took- thical- ▁kuih- ▁diesel- ▁incest- ▁Station- arabat- ▁charac- ▁Heroes- ▁deliberately- ▁Dior- ▁discriminate- ▁zag- ▁Prudential- ▁bubbling- ▁suffocating- ▁noticeboard- ▁patrol- ▁tagged- ▁Evan- ▁wrapper- ▁Kickapoo- ▁sank- ▁Monster- ▁adaptive- ▁spillage- ▁cheongsam- ▁haram- Chamber- ▁Ella- ▁transferring- ▁Maslinda- ▁beautif- ▁Naan- ▁shaw- ▁Bosch- ▁Dash- Gandhi- ▁bodysuit- Mahal- ▁Chevron- ▁mantis- ▁trashcan- ▁utter- ▁enunciate- ▁consent- ▁guitarist- ▁Who- ▁powderful- ▁reaper- ▁rashes- ▁Conjuring- ▁Education- ▁iCloud- ▁Like- ▁propel- ▁Salvation- ▁Gula- ▁witty- ▁Keane- ▁yuan- ▁vow- ▁Evo- ▁shareholder- ▁hazel- ▁bolt- ▁changi- ▁autonomy- noya- ▁perfumery- ▁undertaker- ▁Putra- ▁Halia- ▁communist- tigate- ▁rapist- ▁zipline- dog- ▁prune- ▁bustle- ▁illustrator- ▁blurry- ▁viewpoint- ▁drawback- ▁potent- ▁repress- ▁litted- ▁disturbance- ▁treehouse- ▁Miami- ▁rework- Chuan- Wall- Depp- ▁lax- ▁Greatest- ▁formality- ▁Smoo- ▁overview- ▁validated- ▁volcanoes- Rice- ▁easel- ▁locket- ▁fluently- vour- ▁detached- ▁biasness- ▁hypo- ▁practicality- ▁elected- ▁Wood- ▁Batisah- ▁Turtle- ▁Grabfood- ▁Jovi- ▁sev- ▁cooper- ▁rundown- ▁Sedan- ▁queer- ▁kaka- ▁Stal- ▁Xbox- ▁swerve- ▁native- ▁Bowl- ▁Talk- ▁confiscated- ▁stubbornness- ▁factories- ▁jiak- ▁damm- ▁saman- ▁traumatize- ▁profitable- ▁Gmail- ▁Sakurai- ▁downfall- ▁quali- ▁percentile- ▁keng- ▁Made- ▁Factor- ▁varied- heongsam- ▁ahem- ▁signpost- ▁Biz- ▁Vista- ▁Born- ▁occasional- ▁Liang- ▁ditch- ▁crip- ▁muse- ▁Everest- ▁mainland- ▁compu- ▁denser- ▁Lagoon- ▁Utama- essert- ▁Nepali- ▁Show- ▁potion- ▁creamier- ▁Jake- ▁zipper- ▁Six- ▁Cooper- ▁Zhen- ▁pesto- ▁Guo- ▁realisation- ▁maki- ▁cheong- ▁jug- ▁restructur- chup- ▁activated- ▁minimally- ▁Chiong- ▁clone- ▁kaw- ▁crushes- ▁bender- ▁nani- ▁Minh- ▁westerners- ▁implying- ▁mustache- ▁brushes- Xie- ▁urgently- ▁tuning- ▁Sister- ▁burped- ▁eliminated- ▁strengthen- ▁doughy- ▁sizing- ▁giveaway- ▁bronzer- ▁comical- ▁disrespected- ▁beeping- ▁campaigner- wang- ▁Nara- ▁Soon- ▁Circu- ▁merely- ▁enduring- ▁exceeded- ▁standee- ▁Cass- ▁Premiere- ▁godson- ▁fleshy- ▁skii- ▁dane- ▁sketching- tiao- ▁sesh- itive- ▁tangled- Bai- Chap- ▁Gaga- ▁bir- ▁whisker- ▁Grande- ▁Post- ▁coverall- ▁distributed- ▁underlined- ▁amused- ▁adapter- ▁bouldering- ▁externally- ▁hotline- suit- ▁interrupted- ▁wholesale- ▁overwork- ▁invaded- ▁maximi- ▁Victor- ▁runway- ▁Penyet- ▁composed- ▁optimis- ▁pawn- ▁stained- ▁Kayu- ▁assessed- ▁exuberant- ▁carom- ▁kur- ▁internally- ▁worthless- ▁stopper- ▁crawled- Tee- ▁freshness- ▁insisted- ▁Jana- ▁Tik- cker- ▁bearable- ▁Puti- ▁quad- ▁dryness- ▁Dana- ▁tuba- ▁EZ- ▁absorbed- ▁Jet- ▁unto- ▁amend- ▁Dong- ▁Socr- ▁jiao- ▁threatened- ▁Taois- ▁restless- ▁outcast- ▁getaway- ▁coping- ▁additionally- ▁tasteless- ▁expanded- ▁adver- ▁jokingly- ▁dune- Brock- ▁defender- ▁gasp- Yun- ▁murdered- ▁manually- ▁desired- ▁expiring- ▁Kath- ▁fist- ▁Nur- ▁pressurize- ▁grinding- ▁traitor- ▁oopsie- ▁threading- ▁bridg- ▁stricter- ▁firsthand- ▁sucker- ▁Airy- ▁iceman- ▁ridiculously- ▁defending- ▁formally- ▁jungler- Gen- ▁Age- ▁yel- ▁applic- ▁Nadia- being- ▁sud- ▁Comm- ▁behaved- ▁damaged- ▁Sean- ▁sweeten- ▁responded- ▁Kei- langah- Dong- Guilin- Drew- ▁reviewed- ▁reminisce- fare- ▁daylight- ▁Chell- malam- ▁dozen- ▁Keds- ▁Kung- ▁tracker- ▁baht- mega- ▁retaining- ▁memorised- ▁gossipy- ▁Bosc- ▁Team- kia- ▁Cam- ▁tru- ▁screamed- Team- ▁marginalise- ▁cheeky- ▁tic- ▁puree- ▁displayed- ▁lieu- ▁slider- ▁situational- zbuy- ▁Mariam- ▁laying- ▁fru- ▁portraying- ▁Kill- ▁Jup- ▁tryout- ▁disappearing- eggae- ▁clamp- Dazs- ▁tomb- ▁filtering- ▁DJ- ▁Jacky- ▁Low- ▁beautifully- qing- ▁ghostly- ▁recalled- ▁Lucas- ▁gymnastics- ▁immigrants- ▁pellets- ▁magnets- ▁nachos- ▁glamp- ▁scorer- ▁divider- ▁sati- ▁bedding- ▁pedas- ▁responding- ▁Cambodian- ▁Live- ▁coster- ▁Pup- ▁ref- ▁Billy- ▁instruct- ▁Kal- ▁particle- ▁crushing- ▁deserved- ▁Kun- ▁misses- ▁monitoring- ▁skilled- ▁Pull- ▁Davi- Pei- ▁Tha- ▁archi- ▁inches- ▁emotionless- holster- ▁pressed- ▁curls- ▁displaying- ▁shameless- ▁conditioning- girls- ▁riddles- ▁drooling- ▁Kitte- ▁slum- ▁Malaya- ▁Cart- manship- ubby- ▁interviewed- uhwhat- ▁flavouring- ▁Ria- ▁orbit- elly- Yin- ▁Jonah- ▁stacking- ulf- ▁scrapp- ▁flowing- ▁patronis- ▁stre- ▁petals- ▁adulting- ▁poorly- irl- ▁sau- ▁pac- bati- ▁parka- ▁hanged- lendon- ▁weirder- ▁catchy- proving- ▁investors- ▁Pilates- ▁bermudas- ▁diapers- ▁germs- ▁pebbles- ▁scallops- ▁defined- yung- Reap- ▁handcuff- nut- wiping- ▁usable- diate- ▁alre- ▁doze- ▁Ande- erf- ▁beca- ▁informati- lalang- ▁centred- ▁goose- osity- ▁pete- RA- ▁suprem- ▁imme- ▁Av- ▁wrinkle- ▁pinky- ▁marr- ▁believer- ▁holi- ▁Carls- ▁realist- ▁Nav- ▁yell- ▁afro- ▁cleaned- ▁happ- ▁fractio- ▁Pen- ▁picker- sim- ▁accumulati- uge- Junction- ▁nutritional- ▁gyming- ▁forge- cho- ▁acquir- top- play- ▁luo- ▁swo- ▁plush- erome- ▁sibe- Shack- ▁Stu- entrepreneurship- aker- ▁melo- ▁optic- moo- garden- ▁wiggl- ▁memo- ▁Elf- ▁fizz- ▁Kor- ▁coloring- ▁gy- ▁Glad- anny- izard- Lamb- ▁Tur- ▁Sub- otte- ▁Baker- ▁Tora- ▁humiliat- Ringo- ▁physiologi- ▁giggl- ▁hugg- ▁Lip- ▁aimless- ▁padd- ▁Merc- addy- ggers- ilia- ▁divin- ▁minimalist- heng- ▁Za- Yeo- ▁secur- actually- Now- ▁Lol- fusing- ▁Ele- ▁dub- agging- eenage- logical- ▁gl- kay- ▁purg- ummies- hiong- fully- ▁wil- ▁downgrade- ▁coordinat- ▁walker- ▁glut- rain- oth- ▁publicise- ▁airdrop- ▁embod- ▁stor- ▁bulg- Bike- ▁perf- gui- lease- ▁committ- ▁Nest- ▁beep- ▁cripple- iction- pei- ▁bac- ▁pressur- ▁jer- ▁defi- nese- ▁Dot- ease- ▁fou- ▁Woo- lao- bur- ▁Jum- pang- roy- ▁Sia- ▁smo- ▁sel- okay- ▁pickle- ▁diagnos- izzle- media- ▁bod- ushi- ▁reme- ▁commentar- ▁indulg- ▁scrambl- ▁wag- ▁ventur- ▁sighted- ulated- Pai- ancy- pian- Gab- esar- ux- Jenner- ▁zh- ▁dial- ▁indicat- inning- ▁cran- ▁basin- ▁concur- ▁patron- ▁tackl- ▁Act- sulting- imo- arred- Kueh- erial- ▁assure- hoc- ▁apparel- Fan- ▁tantrum- ▁Resort- ▁analytic- Brother- ▁regulation- ▁congratulation- ▁Airline- ▁boob- ▁cockle- ▁frie- ▁shophouse- ▁cau- Lan- ▁fatal- ▁Soci- ▁enc- Lun- ▁clothe- ▁ela- ▁lif- ▁stin- capped- ▁eng- ▁instruc- ▁viewer- ▁conver- ▁apparen- icles- ▁feminis- ▁petal- ▁rese- abo- Por- eech- ▁Wind- Png- cination- Ten- ▁sui- ▁recreation- rmal- ▁replica- Chia- ▁quan- ▁admir- ▁Mil- ▁feng- dded- ▁appli- gba- ▁Rou- oded- Christ- kling- ▁acco- cock- ▁fir- ▁stud- ▁conti- ▁generat- ▁dab- hanger- ▁scribbl- ▁Kevi- ▁overwhelm- ▁disgust- ▁translat- learn- ▁overflow- ▁embarass- ▁enrich- ▁Zion- ▁festi- ▁eliminat- exist- ▁involv- claim- luck- ▁jade- ▁implie- shoot- ▁entitle- ▁flourish- ▁communi- axophone- abilities- fresh- ▁appoint- ▁amplifie- ▁lingui- Bueno- Campbell- Ericsson- bilis- Curry- Hardy- Possible- Waterfront- llustrator- Putra- write- cooper- College- Garfield- Kacang- clutter- Chee- Zhong- Switch- floss- Martin- Mario- Melaka- ▁Morgan- league- Audi- Royal- Museum- sufficient- South- capable- omelette- Geylang- Raffles- Secret- frame- pilot- slept- ▁autonom- Bedok- Jurong- brother- girlfriend- when- family- glory- Court- ▁enterpris- class- sports- Primary- ▁Mega- ▁procreat- Shore- stral- ▁lasagn- Katong- ▁fluff- ▁energ- arthritis- paint- balance- woman- Giant- malay- nerd- Boat- ▁meditat- ▁multiplie- Amos- ▁glide- why- ▁restore- ▁alwa- irates- ▁inherent- ▁thorough- chek- ▁especial- Center- illenials- Dark- nounce- ▁gradual- hallenger- ▁unfriend- game- erald- atural- chemic- ▁coincident- ▁judgment- ▁coincidental- ▁Michel- ormula- ▁coward- ▁explosi- ditor- ivalry- thritis- ▁enthusiast- ▁congratulat- ▁orientat- ▁assassin- ▁uncertain- linders- ▁environ- ▁subtract- latan- ▁homosexual- Huang- migrant- ▁Capital- ▁commute- ▁Casi- '3'- ▁Battle- ▁Crime- ▁Rasuk- ▁Constance- ▁Leicester- ▁Sistine- ▁dermatologi- ▁Binjai- ▁Kavis- ▁Okto- ▁Silicon- Thatcher- ▁Bohemian- ▁Dennis- ▁Raymond- ▁Taroko- ▁Whampoa- ▁bumble- ▁devotion- ▁levitat- Atkinson- Bolton- Bridge- Brule- Corden- Cumberbatch- DeGeneres- Diesel- Gambino- Garrix- Hemsworth- Heritage- Hussain- Interchange- Laundrette- Level- Negara- Neville- Pacquiao- Persie- Ramlee- Streisand- lluminati- normous- penyet- quamarine- ▁Adriel- ▁Akira- ▁Anastasia- ▁Andriod- ▁Antwerp- ▁Arizona- ▁Auckland- ▁Awaz- ▁Azkaban- ▁Beethoven- ▁Bodyguard- ▁Braddell- ▁Bruce- ▁Buzzfeed- ▁Chadwick- ▁Chandler- ▁Cheddar- ▁Chernobyl- ▁Clarins- ▁Coachella- ▁Colorpop- ▁Company- ▁Condo- ▁Counterstrike- ▁Crayon- ▁Cuisine- ▁Culture- ▁Daenerys- ▁Deekosh- ▁Digest- ▁Dillon- ▁Dungeon- ▁Durarara- ▁Esther- ▁FOMO- ▁Fajita- ▁Fieldsville- ▁Fiji- ▁Flume- ▁Hataraku- ▁Heeraj- ▁Hercules- ▁Honolulu- ▁Houston- ▁Jiufen- ▁Joakim- ▁Kadir- ▁Kasta- ▁Kindle- ▁Kitchen- ▁LMAO- ▁LaSalle- ▁Lalamove- ▁Lawrence- ▁Luqman- ▁Madonna- ▁Martial- ▁Matilda- ▁McFlurry- ▁Megazord- ▁Ministry- ▁Mississippi- ▁Mormon- ▁Morocco- ▁Napfa- ▁Nirvana- ▁Nissin- ▁Oleander- ▁Ostrava- ▁Othello- ▁Palawan- ▁Picnic- ▁Pixel- ▁Poptropica- ▁Poseidon- ▁Rabbit- ▁Radiohead- ▁Razer- ▁Redmart- ▁Reebo- ▁SOTA- ▁Sadie- ▁Sebastian- ▁Seiko- ▁Seremban- ▁Shenkuu- ▁Shiberty- ▁Shopkins- ▁Skittles- ▁Solecase- ▁Somalia- ▁Songket- ▁Spice- ▁Starfire- ▁Stomp- ▁Subsuka- ▁Sumatra- ▁Surabaya- ▁Syndra- ▁Targaryen- ▁Terraria- ▁Unfabulous- ▁Usopp- ▁Vitagen- ▁Watami- ▁Wharf- ▁Wilfred- ▁Woodleigh- ▁Xiaxue- ▁Yugioh- ▁Zidane- ▁abolish- ▁academia- ▁accommodating- ▁adjective- ▁african- ▁ahmad- ▁allegedly- ▁ambiguity- ▁anchovies- ▁appliances- ▁apprentice- ▁armskote- ▁availabil- ▁barricade- ▁believable- ▁billiard- ▁blackcurr- ▁bookshelf- ▁calefare- ▁cashflow- ▁categorise- ▁caterpillar- ▁cheapskate- ▁chief- ▁clarity- ▁clause- ▁cleave- ▁codependent- ▁commonwealth- ▁compilation- ▁concurrently- ▁conspiracy- ▁conspire- ▁corruption- ▁cottage- ▁credible- ▁crescent- ▁damaging- ▁decline- ▁declining- ▁degenerate- ▁demolition- ▁demotivate- ▁devastated- ▁devastating- ▁diaphragm- ▁dictator- ▁disgrace- ▁dispatch- ▁displeasure- ▁dystopian- ▁elitism- ▁endorphin- ▁ensemble- ▁equity- ▁estella- ▁exempted- ▁exorbitant- ▁fanciful- ▁flaunt- ▁flavourtown- ▁forefather- ▁forensic- ▁gibberish- ▁gimme- ▁gloomy- ▁glucose- ▁gratification- ▁gruesome- ▁guava- ▁gynae- ▁hammock- ▁harmonizer- ▁heaviest- ▁hibernate- ▁hickey- ▁honeydew- ▁hungrier- ▁hurried- ▁hypothermia- ▁imaginative- ▁impractical- ▁inducing- ▁inefficiency- ▁infatuated- ▁influenza- ▁infused- ▁inquisitive- ▁insecurities- ▁insignificant- ▁jaguar- ▁jinx- ▁kanken- ▁lavender- ▁lenient- ▁lilac- ▁litigation- ▁locksmith- ▁loiter- ▁longevity- ▁maggots- ▁maisonette- ▁majestic- ▁meritocracy- ▁millipede- ▁mojito- ▁monastery- ▁monorail- ▁mukbang- ▁nepotism- ▁nonchalant- ▁nonetheless- ▁obesity- ▁odac- ▁opaque- ▁origami- ▁ostrich- ▁outstretch- ▁overpopulated- ▁override- ▁parapet- ▁patriarchal- ▁persuasive- ▁phenomenon- ▁pigmentation- ▁piloxing- ▁pomelo- ▁powerbank- ▁preservation- ▁pressurising- ▁prostitute- ▁prostitution- ▁rambling- ▁recreating- ▁rectify- ▁reimburse- ▁relevanc- ▁remedies- ▁renowned- ▁reorganise- ▁reptile- ▁responsive- ▁rethink- ▁reunite- ▁revelation- ▁rosti- ▁sabotage- ▁sacrificial- ▁sanctuary- ▁saviour- ▁sidekick- ▁skinnier- ▁slapped- ▁sleek- ▁slurp- ▁smirk- ▁stellar- ▁stench- ▁storytelling- ▁stylo- ▁submarine- ▁substantiate- ▁sunbathing- ▁surcharge- ▁surmise- ▁surreal- ▁suspens- ▁swept- ▁tactful- ▁tangerine- ▁thanksgiving- ▁threadmill- ▁tortoise- ▁transmission- ▁trickshaw- ▁tumeric- ▁turmeric- ▁unbreakable- ▁unconventional- ▁unfamiliar- ▁unforgettable- ▁unfulfill- ▁unheal- ▁unpack- ▁unreliable- ▁unveil- ▁velocity- ▁vigilant- ▁volatile- ▁wacoal- ▁wicked- ▁wilderness- ▁withdrew- Ketchum- ▁Brokeback- ▁Clifford- ▁Economics- ▁Eeyor- ▁Eudora- ▁Kebab- ▁Matcha- ▁Narelle- ▁Patrick- ▁Salim- ▁berapa- ▁concuss- ▁entangle- ▁imprison- ▁inactive- ▁incinerati- ▁insured- ▁irritable- ▁juggling- ▁kerb- ▁penthouse- ▁physiotherapist- ▁posterior- ▁prosecut- ▁robust- ▁shrunk- ▁solitude- ▁turd- ▁underpass- ▁wholemeal- ▁yip- Ambeng- Kennedy- ▁Hydr- ▁Inisha- ▁Kellogg- ▁Morinho- ▁Petercrouch- ▁Reader- ▁desensitize- ▁eggplant- ▁embroider- ▁enchant- ▁fandom- ▁hamburger- ▁harmonic- ▁investigating- ▁lassi- ▁leftward- ▁miserably- ▁mistress- ▁pagoda- ▁pigtail- ▁pulpo- ▁recognising- ▁reign- ▁riffs- ▁sleepwalk- ▁tatami- ▁temptation- ▁twitch- ▁yikes- itamin- ▁Pierre- ▁bypass- ▁delegat- ▁pawnshop- Charlotte- endrick- lender- ▁Aberc- ▁Carrot- ▁Kamu- ▁Loyang- ▁Peaky- ▁Smurf- ▁Yahoo- ▁garner- ▁pressurizing- ▁simplify- Cowell- Neeson- ▁Apax- ▁Clive- ▁bloop- ▁bodied- ▁eagle- ▁jeera- ▁republic- ▁sachet- ▁witchcraft- ▁worrywart- ▁Jumper- ▁Patek- ▁Shannon- ▁Tofu- ▁Zubi- ▁airshow- ▁beacause- ▁caesarean- ▁inspiriting- ▁maximize- ▁microbio- ▁mysteries- ▁remedy- ▁saloon- ▁saucy- ▁teapot- ▁tutu- ▁Lovisa- ▁Saraca- ▁Scout- ▁arbitrary- ▁fuming- ▁ivy- ▁lollipop- ▁poetic- ▁solemn- Chaplin- ▁Carlyn- ▁Collin- ▁Gelato- ▁Kenji- ▁Merek- ▁stutter- ▁Sahana- ▁Sehun- ▁holocaust- ▁plaque- ▁Masala- ▁Pyth- ▁comedies- ▁dabbing- ▁eavesdropping- ▁frilly- ▁revolutionary- ▁uprising- ▁Yankee- ▁Melody- ▁Saku- ▁Ubergrapher- ▁obligated- ▁robbing- ▁villian- Granger- fected- ▁Peace- ▁assurance- ▁collide- ▁stubble- ▁tiresome- ologne- ▁Phisha- ▁Rasa- ▁cauli- ▁Germaine- ▁Libra- ▁Seventeen- ▁agak- ▁dividend- ▁Raned- ▁Stray- ▁detest- ▁esters- ▁froyo- ▁recollection- ▁toppled- ▁prerequisite- ▁pyjamas- ▁sacred- ▁selves- ▁Fariz- ▁Lucy- ▁Musa- ▁Davina- ▁Judy- ▁blemishes- ▁hippie- ▁porch- ▁skewe- ▁exponentially- ▁mistreat- ▁sparrow- Diaries- kram- ▁gourd- ▁horlick- ▁ascend- ▁daft- ▁subtraction- ▁maturing- ▁normative- ▁Aquaman- ▁Farid- ▁Pinang- ▁Soju- ▁parody- ▁rasp- Xiong- ▁Demi- ▁Hebe- ▁gently- ▁shameful- ▁drumlet- ertis- ▁confrontational- ▁pupa- ▁drastically- ▁guac- ▁Jared- ▁Marmalade- ▁empowerment- ▁flunk- ▁jellybean- ▁visc- Paddle- ▁Dollah- ▁Tangled- ▁bullier- ▁clapping- ▁resembles- Care- ▁Asos- ▁Moza- ▁Westgate- ▁quarry- ▁Lazuli- ▁chorus- ▁tequila- ▁wafer- ▁Jeanette- ▁SpiderMan- ▁grumbling- ▁kinship- Lapis- Madrid- ikgu- ▁coordinator- ▁dahl- ▁yoogane- ▁Kimberly- ▁Pharrell- ▁brigade- ▁forgivable- ▁dyslexia- ▁nicotine- ▁sensitivity- ▁Chick- ▁Edward- Ferrell- ▁Siva- ▁bleak- ▁Cheong- ▁civilized- ▁reciprocation- ▁Singsale- ▁elementary- ▁laloo- ▁Gear- sibility- ▁Mogu- ▁limelight- Train- ▁kakak- ▁shortlist- rped- ▁carousell- ▁footprint- Kurau- ▁globalised- ▁mower- ▁backstory- ▁monit- ▁Trans- ▁daisy- ▁hijack- ▁compass- ▁prankster- ▁Jinna- ▁transformation- ▁navigation- ▁homesick- ▁Robinson- ▁alps- ▁liability- ▁solidif- ▁whistl- ▁Luka- ▁Goro- ▁extraordinary- ▁Mollywood- ▁hobo- ▁shapeshift- ▁absent- ▁endorse- ▁exclaim- ▁tradesman- ▁Tanuki- ▁modification- ▁Asam- ▁shawl- ▁Heath- ▁chapteh- ▁Desiree- ▁alignment- ▁rollerblade- ▁grit- ▁vacancy- liath- ▁Mitchie- ▁purposeful- idle- ▁Salman- ▁cylinder- ▁supposing- ▁Dora- ▁Institute- ▁Convenience- ▁Future- ▁Gabriel- ▁Gateway- ▁Krunch- ▁Satan- ▁Schwarzenegger- ▁Technical- ▁Theatre- ▁alteration- ▁hush- ▁crayon- ▁snipe- Kardashian- ▁moonlight- ▁emit- ▁Stephenie- face- ▁aburi- ▁constipated- ▁Kurt- ▁nutri- ▁cowardly- ▁omega- ldering- ▁hopped- ▁recruitment- ▁slavery- ▁lever- ▁faci- ▁Austin- ▁rotan- ▁breathless- ▁indian- ▁swish- ▁Spartan- ▁Usman- ▁Tabata- ▁precaution- Law- ▁Anabelle- ▁Carrie- indef- ▁vary- ▁moisturize- ▁pester- ▁underdog- ▁gracefully- ▁Aquarium- ▁Caribbean- ▁Hathaway- zuo- ▁installment- ▁Shepard- ▁ladu- ▁acknowledgement- ▁affordability- ▁unfriendly- ▁tagline- ▁Camp- ▁TAF- ▁noticing- Group- ▁instantaneously- ▁roman- ▁salivating- Duck- yaki- ▁betrayal- ▁laces- ▁Fault- ▁waive- ▁Grabpay- ▁Fomo- ▁exert- ▁utai- ▁disposal- ▁unpaid- luted- liate- ▁pullover- ▁Curry- ▁Possible- ▁skillful- ▁inflated- ▁fomo- Rock- ▁Waterfront- ▁illnesses- ▁zhai- ▁uber- ▁alkali- Liu- ▁fruitful- ▁choreography- ▁jiang- ▁firewood- minal- ▁seniority- ▁Woman- ▁goatie- ▁conserving- ▁socializing- ▁sweetener- ▁speck- ▁deadass- ▁Riz- ▁trou- ▁clubhouse- Liang- Hai- ▁familiarity- ▁implied- ▁spaceship- ▁restored- ossil- ▁Semi- ▁endangered- ▁Lake- ▁Mango- Tomato- ▁Cind- ▁Smart- ▁predictable- ▁rover- ▁Huang- ▁Willy- ▁reassure- ▁Meg- ▁popper- Thanh- ▁situat- ▁Hardy- ▁Asher- ▁pushover- ▁Aqil- ▁congested- ▁ostracised- ▁shopped- cigarette- ▁blacklist- ▁appam- ▁Abba- ▁drier- ▁unfa- ▁adaptor- ▁backstroke- ▁excessively- ▁empowered- ▁worthwhile- ▁innovat- ▁Ride- ▁baton- ▁altruism- ▁Jez- ▁biases- ▁Udon- ▁epitom- ▁Dover- ▁shutter- ▁hatred- ▁poof- ▁reclaimed- ▁bitterness- ▁ushering- ▁romanticize- ▁gab- ▁smoothness- ▁songwriter- ▁Abel- oma- ▁Sota- Siang- ▁lapis- ▁firing- ▁Muk- ▁calmness- ▁interven- ▁misused- ▁crawler- ▁Stone- ▁Dew- ▁purging- ▁recharged- ▁exhi- Tsum- ▁selfishness- ▁fidgety- ▁miso- ▁Latino- ▁arrested- ringe- ▁histories- ▁Fist- ▁barrag- ▁Missha- ▁Blan- ▁deformed- ▁punches- ▁Fox- ▁doctorate- ▁kera- polis- ▁Beast- ▁Brad- ▁brainless- ▁talentless- ▁Lou- ▁masses- ▁crosster- ▁Hamza- burn- ▁specialization- ▁Tango- hmm- ▁shyness- gram- ▁Wheel- ▁Finding- ▁frowning- ▁stealth- ▁neatly- ▁lug- ▁McCartney- ▁Rex- ▁Faber- ▁deli- gana- ▁destroyer- illian- ▁homecoming- ▁raya- ▁conception- ▁betrayer- ▁nip- ▁derived- ▁kayponess- ▁Box- Candle- ▁Guy- ▁latter- Sue- ▁lun- ▁Blink- ▁headline- ▁heartedly- ctive- ▁Kasan- ▁Moon- ▁loosely- ▁versed- ▁Sci- ▁bonuses- ▁mul- ▁analyzed- ▁Haik- pize- ▁sever- ▁contradict- ▁Top- mination- lushie- ▁Ghe- fry- ▁sharper- ▁Clini- ▁desperately- ▁Dino- ▁thickness- ▁Sara- ▁Peng- ▁organizer- ▁breadth- ▁pow- icable- ▁honoured- ▁strained- ▁Hang- ▁defeated- ▁mov- ▁Tei- ▁Hary- ▁chup- ▁Fong- ▁revisi- ▁turnover- ▁establishing- Yorke- ▁polished- ▁politely- ▁befriend- ▁converter- ▁Tammy- ▁cranberr- ▁googling- ▁antagonist- ▁inconsistent- ▁Ono- ▁buffering- ▁eBay- boi- ▁sweeper- ▁Swan- ▁slowest- ▁deng- pai- ▁yawning- Gui- ▁heartless- ▁reductio- Korean- ▁Sex- ▁unle- blanc- ▁processes- ▁flavored- ▁waterway- ▁shirtless- ▁toughest- ▁speciality- ▁detected- ▁playback- ▁chicky- Food- ▁partial- ▁tolerated- ▁seng- ▁deducted- ▁teased- ▁usher- ▁resolved- ▁Bigo- ▁compl- thful- Sun- ▁tunneling- ological- ▁consumed- ▁lovingly- ▁Fann- ▁soften- ▁pate- Tian- ▁puffy- ▁rescued- Wu- ▁shoppe- ▁distressed- ▁ambi- Cai- ▁corny- otto- ▁Gilm- ▁makeover- ▁umrah- watch- ▁pref- ▁quicker- ilky- ▁conce- ▁weighing- ▁nailed- ▁roasting- ▁lec- ▁cov- ▁successor- ittle- Map- ▁filtered- Mac- ▁schoolwork- ▁Ong- ▁publishing- arments- ▁blo- ▁Zam- ▁sobbing- Dion- ▁tuned- ▁Lemak- toms- ▁Kana- ▁jailed- ▁drafting- wave- ▁Manu- ▁Tra- ▁reachable- ▁Kao- ▁guarded- ▁lightest- ▁zeroes- ▁burner- eye- ▁ou- ▁comply- ▁reduced- ▁Ibis- ▁stretchy- ▁Prat- ▁honk- ▁Bull- ▁Hali- ▁arriv- lph- ▁predicting- nstaStory- ▁pursued- ▁challenger- ▁Kris- ▁banger- ▁prevented- ▁squeezed- ▁heartlander- ▁snowed- ▁produced- ▁cram- ▁drilling- ▁spreaded- ▁treasurer- ▁imag- ▁vegeta- ▁proceeding- ▁eleg- anji- ▁racer- ▁hundredth- Phone- ▁parental- ▁planted- lding- ▁benefited- houl- ▁Barb- ▁jumper- ▁moolah- Friend- ▁mill- ▁expe- ▁deg- ▁developer- ▁contracted- ▁Schooling- ini- imbley- ▁clicked- ▁cape- ▁visualize- ▁haunting- ▁walkable- edical- ▁grilling- ▁Alar- geo- ▁worser- rinate- ▁poom- ▁Harif- most- ▁sicko- Lulu- rose- ▁bodybuild- ▁realism- itude- ▁criti- ▁handler- Ariff- ▁tramp- ▁degrade- Francis- ▁chocolatey- ▁hydrate- ▁glorif- ▁overlapp- ▁Hil- rgot- ▁asap- ▁environmentalis- AF- opper- ▁harmless- ▁curate- ▁dork- ▁chionging- ▁spank- ▁za- ▁winding- ▁blinded- ▁subside- ▁qu- ▁legi- lingual- ▁orderly- ▁lure- base- ▁Medi- ▁sleeper- ▁computerise- duh- ▁choc- curred- ▁cy- gina- ▁socio- ▁Orio- ▁Deep- ▁Yo- hildish- arro- Ah- ▁End- kul- sands- rupt- Tech- ▁earner- ▁hund- pool- ello- ▁dinn- stinate- ▁Neo- even- ▁bustl- tories- pathetic- ▁hasten- entity- oodlands- ▁Pea- Fury- eran- berg- ▁capitalise- ▁Levi- masak- ▁accumulat- inch- stand- ▁emba- oxid- gging- ▁Monte- ▁argumentati- call- bber- ▁vid- ocr- ▁Fuch- ▁backstabbe- ▁nationalis- ▁exc- ▁Zal- ▁traveler- ever- ▁eth- ▁deriv- ▁grate- ferring- ▁unfold- iation- cking- ▁Mur- rover- ▁Canton- stilled- him- ▁dime- cheng- ▁Tele- kuma- hol- ▁vin- ▁Huali- anuel- chun- eady- itis- epen- imer- ▁compe- order- ▁Myth- olla- ▁Az- ▁pul- ▁deficien- ▁matri- ulge- ▁deca- unk- With- ▁franc- lari- ▁Austra- ▁intrud- lame- ▁apologiz- Zhai- erries- utical- ego- seller- rched- lebar- emb- ▁Qu- ▁kua- uro- ▁buri- ▁circulate- lush- nial- Raw- aiyo- col- ▁kala- lang- ▁fixate- ▁cru- mati- ▁stimulat- ▁propos- ▁cel- Gao- ▁poli- Bake- ▁subscrib- Roof- Alam- Hung- zen- ▁refu- andar- ▁logge- Yung- uggle- ula- ▁jumb- nnies- erson- Cake- athon- ▁urbanis- ▁capitalist- Papa- ▁tran- ▁Vinc- ▁bul- ervic- ▁Wenh- espera- ▁capitaliz- ▁enti- ▁Aunt- ived- Boss- Bron- izer- ▁destin- ▁kisse- Maid- ▁prev- ▁angpa- ▁Juli- bab- ▁Zend- Kid- ▁interpreta- ▁gener- ▁vap- communication- ipe- anning- ▁satur- acin- Hyung- ▁advocat- ▁detaine- ▁Fin- Card- ▁labell- ▁cartoonis- ayer- ▁Web- ▁Rayna- ubbing- ▁Cho- ddler- ▁treasur- girl- ▁riddle- berry- ▁procra- oving- Girl- ▁premise- ▁wolve- ▁streak- ▁sadist- ▁disagreement- ▁flake- ▁eyeball- ▁grudge- ▁remark- ▁Mathematic- ▁Netherland- echnology- ▁Avenger- ▁Physic- ▁boomer- ▁Jame- ▁poi- ▁Father- ▁reliev- abata- lice- ruff- ▁tannin- Bare- head- utmost- wfully- lywood- ingham- ▁espe- ▁retiree- andan- ▁astig- ▁dir- ▁empha- ▁Marriot- lander- ▁expel- ▁edi- ▁catalys- ▁shou- ▁fami- ▁gif- burger- cky- ▁Wha- aggy- finity- stead- ▁dislik- tract- ryani- ▁brid- Prima- Halt- ▁twi- Sale- ▁tack- lded- ▁Gui- ▁Tae- tivating- rovi- abil- ▁regula- avier- ▁Gun- essa- shift- ▁Shape- phon- ▁instil- ▁amputat- ▁usua- ▁Gol- ▁Bur- lopp- after- ▁Havai- killers- ▁swop- oosebumps- sheet- ozy- ▁qualifi- ushed- ▁cohesi- ▁squeez- ▁smel- ▁Choo- ▁consol- ▁swerv- view- ▁schedul- ▁shiver- ▁troubl- heart- ▁ide- ▁initiat- ▁desir- ▁retir- Sua- ▁emphasiz- ▁reschedule- ▁inflate- ▁incredibl- ▁subsidise- ▁elevate- ▁Nico- ▁overrate- ▁satisfie- mother- minded- planning- science- ▁refuge- hearted- weetener- therapy- Chocolate- Health- Kingdom- curricul- xuan- Union- ▁Lyn- ▁retard- Aquarium- Caribbean- Hathaway- Tatum- fiqah- Beast- Conjuring- Education- interrupted- rapist- piece- ▁bloat- ▁financ- Academy- Davidson- Reservoir- alvation- Amri- Business- Forest- Toast- Maria- Valley- social- Mourinho- Canyon- Chew- bulb- ▁commodit- Zhou- knob- crackers- Juliet- Siti- Beauty- Cube- Keith- Lauren- Coffee- Spine- determined- ▁Anabell- Nicholas- balcony- organize- spicy- Michael- subscribe- Africa- British- professional- satisfied- typical- Cloud- married- theatre- thousand- value- written- friendly- ▁enunciat- primary- waste- drink- lemon- grown- Love- igger- ▁victor- hunter- bedok- clip- colour- tongue- ▁cemeter- ▁monopol- ▁Clair- ▁Clark- paper- ▁Tosh- upperware- metal- good- aslinda- packaged- held- butter- damn- Rod- ▁spher- ▁unconditional- Angeles- depth- anjong- Quee- ▁volcan- ▁ziplin- fringe- ▁deliberate- jack- residency- chemical- rifle- ▁clement- Polo- reasure- grapher- latform- deco- ▁firefight- ▁telemarket- ountry- riendzone- ompass- ▁carousel- ▁hawk- whitt- ▁trivia- yslexia- around- Xia- ▁measur- island- ▁communicati- enefit- ▁resembl- productive- ▁voic- ▁percepti- ▁homophob- ▁samba- ▁Burg- ▁phil- ▁squish- rigue- ejected- ▁schoo- ▁bribe- ▁rearrange- ▁exaggerati- eptical- ▁Entertain- ▁supple- ▁Bomb- ▁abili- ▁frantic- ▁transcend- ▁stagna- rank- pulsive- ▁Farooq- ▁Naru- ▁Second- ▁philanthrop- ▁repack- reckles- ▁pharma- Reptile- rocious- ▁Napoleon- ▁Wednes- ▁valentine- ▁validate- ▁Storm- bbish- constru- ▁Cecil- ▁Mastercard- ▁Sezairi- ▁Solomon- ▁hyperventilat- ▁peripheral- ':'- Alchemist- Brolin- Cavani- Converter- Defence- Exchange- Explore- Fansipan- Girlfriend- Grannis- Kerang- Lovato- Mandeb- Marbles- Marinda- Meyer- Packard- Ragnarok- Reborn- Rendezvous- Samsuddin- Spect- Tarik- Trench- Walker- appetising- appuccino- bahru- conferenc- dministration- gerrard- incarnate- iramisu- kyscraper- ntartica- ockingbird- osaurus- rangel- uhthis- '}'- '- ▁Abdullah- ▁Abraham- ▁Addam- ▁Aladdin- ▁Allyssa- ▁Anaheim- ▁Ananas- ▁Aristotle- ▁Assassin- ▁Atlanta- ▁Atticus- ▁Axel- ▁Ayden- ▁Balmain- ▁Bambang- ▁Bazaar- ▁Becka- ▁Bernice- ▁Bloom- ▁Bosphorus- ▁Brockhampton- ▁Burberry- ▁Cantho- ▁Capri- ▁Casper- ▁Chateraise- ▁Cheeketah- ▁Chipsmore- ▁Corolla- ▁Corvallis- ▁CosRX- ▁Cosrx- ▁Counter- ▁Creamier- ▁Cristofori- ▁Darrel- ▁Darwin- ▁Deathmatch- ▁Demons- ▁Design- ▁Dictator- ▁Dundee- ▁Dunkin- ▁Edgar- ▁Elane- ▁Eleanor- ▁Electro- ▁Enactus- ▁Equal- ▁Equator- ▁Eternity- ▁Ethiopian- ▁Everlast- ▁Fairuz- ▁Fatcat- ▁FavePay- ▁Favor- ▁Finsta- ▁Frisbee- ▁Front- ▁Giva- ▁Godiva- ▁Gojek- ▁Gulliver- ▁HabourFront- ▁Hanzo- ▁Harzik- ▁Hayde- ▁Hiragana- ▁Holdings- ▁Hollandaise- ▁Hologram- ▁Honestbee- ▁Hoshino- ▁Hsinchu- ▁Hunter- ▁Husserl- ▁Imperial- ▁Inktober- ▁Innok- ▁Jamaica- ▁Janabelle- ▁Jefri- ▁Jolibee- ▁Kendra- ▁Kenora- ▁Khalees- ▁Kinokuniya- ▁Kitori- ▁KouFu- ▁Leaves- ▁Leuch- ▁Lexus- ▁Libya- ▁Lilac- ▁Lontong- ▁Lorraine- ▁Luffy- ▁Management- ▁Matthew- ▁McNugget- ▁Motorola- ▁Mumbai- ▁Nebraska- ▁Nelson- ▁Nigeria- ▁Nobel- ▁Nothingness- ▁Nyx- ▁Oliander- ▁Otogi- ▁Paradise- ▁Pentatonix- ▁Petpetpet- ▁Pharaoh- ▁Poppins- ▁Portuguese- ▁Poteng- ▁Prakash- ▁Pretty- ▁Puff- ▁Qihua- ▁Reebonz- ▁Refash- ▁Remember- ▁Revlon- ▁Ribena- ▁Rooney- ▁Roxy- ▁Sabbath- ▁Sabsuka- ▁Scorpio- ▁Scramble- ▁Senibong- ▁Sennheiser- ▁Sensei- ▁Seraphina- ▁Shabir- ▁Shrek- ▁Silence- ▁Sogou- ▁Soraya- ▁Spotty- ▁Squirtle- ▁Supernatural- ▁Swarovski- ▁Syaz- ▁Sylvester- ▁Technique- ▁Thanksgiving- ▁Thosai- ▁Thriller- ▁Tigreal- ▁TikTok- ▁Transylvania- ▁Trivers- ▁Ukraine- ▁Uprising- ▁Valuetronic- ▁Vatican- ▁Velvet- ▁Wacom- ▁Wagyu- ▁Waiki- ▁Wakanda- ▁Wallace- ▁Westlife- ▁Winston- ▁Xenia- ▁Yeezy- ▁Zahirah- ▁abbreviate- ▁abbreviation- ▁abdominal- ▁abseil- ▁accessories- ▁acclaimed- ▁accompanie- ▁acutally- ▁administrator- ▁adversary- ▁adversity- ▁affluence- ▁affluent- ▁alligator- ▁alliteration- ▁anemone- ▁antihero- ▁applause- ▁apprehensive- ▁arrogance- ▁articulation- ▁ascertain- ▁asparagus- ▁bibliography- ▁bittergourd- ▁blasphemy- ▁bourgeois- ▁buckwheat- ▁bursaries- ▁cajon- ▁carbohydrate- ▁categorize- ▁catwalk- ▁caviar- ▁centimeter- ▁chameleon- ▁chauffeur- ▁chawanmushi- ▁cheddar- ▁cheebye- ▁cheerleader- ▁chimichanga- ▁chromo- ▁chrysa- ▁circumference- ▁clarinet- ▁coastguard- ▁cocoon- ▁commuting- ▁concious- ▁condolence- ▁confetti- ▁conglomerate- ▁congregate- ▁connectivity- ▁correspond- ▁coworker- ▁crisscross- ▁cuff- ▁customaries- ▁cutlery- ▁deceiving- ▁declaration- ▁deconstructor- ▁delifrance- ▁delinquent- ▁depleted- ▁digimon- ▁diminish- ▁disciple- ▁discrete- ▁discretion- ▁disparity- ▁disregard- ▁drenched- ▁droop- ▁dwindling- ▁dynasties- ▁eEcons- ▁electromagnetic- ▁enforcing- ▁entrap- ▁entrusting- ▁equilibrium- ▁euthanasia- ▁expedit- ▁expendable- ▁explanatory- ▁exploration- ▁eyebags- ▁faggot- ▁fajitas- ▁fashionista- ▁feminine- ▁fictitious- ▁florist- ▁foggy- ▁freeloader- ▁fretboard- ▁furnish- ▁fuzzy- ▁gachapon- ▁gallon- ▁gallop- ▁gonorrhea- ▁grenade- ▁griev- ▁hairpins- ▁handicraft- ▁herbivores- ▁hibernating- ▁hippopotamus- ▁hitchhiker- ▁hobbit- ▁homogeneous- ▁horribly- ▁hyena- ▁iPod- ▁identifiable- ▁ideologies- ▁igloo- ▁imperfection- ▁impolite- ▁incompetent- ▁indigestion- ▁infertile- ▁infringing- ▁instalment- ▁intricate- ▁investigator- ▁invoice- ▁iodine- ▁isolation- ▁jargon- ▁jenny- ▁jockey- ▁kicap- ▁kidnapped- ▁kinetic- ▁lechon- ▁lethargic- ▁lexicon- ▁ligament- ▁loudspeaker- ▁malacca- ▁mastermind- ▁melodies- ▁mischie- ▁miscount- ▁misguided- ▁monotony- ▁muesli- ▁multicultural- ▁multiplayer- ▁murta- ▁muruk- ▁neanderthal- ▁nihon- ▁nudity- ▁nutcracker- ▁nutritious- ▁ostracize- ▁otaku- ▁outburst- ▁outweigh- ▁overarching- ▁overcrowding- ▁overhyped- ▁overpowered- ▁paramour- ▁paraphras- ▁peacemaker- ▁perspec- ▁pessimism- ▁pesticide- ▁petroleum- ▁phenomenal- ▁phlegm- ▁physique- ▁pickpocket- ▁plural- ▁poeple- ▁precision- ▁prescribe- ▁pricier- ▁prorated- ▁pupil- ▁quantitative- ▁quarantine- ▁radius- ▁ramekins- ▁rebatch- ▁reclusive- ▁recuperate- ▁reenacti- ▁refurnish- ▁regenerate- ▁registry- ▁reinstate- ▁relativity- ▁relegate- ▁reprimand- ▁respawn- ▁retention- ▁retrac- ▁rewriting- ▁rofl- ▁rudimenta- ▁rupee- ▁scrutinise- ▁serenade- ▁shoelace- ▁shrimp- ▁shrub- ▁silhoutte- ▁skilful- ▁smudge- ▁smuggling- ▁societies- ▁spatula- ▁splinter- ▁sprout- ▁stepdad- ▁succinct- ▁sugarcane- ▁sunroof- ▁surgical- ▁surveillanc- ▁suspicion- ▁symmetr- ▁thickener- ▁titanium- ▁toothpick- ▁tornado- ▁transsexual- ▁treading- ▁trench- ▁unattainable- ▁unavailable- ▁unbeat- ▁uncountable- ▁undercover- ▁underprivilege- ▁unemployment- ▁unfrozen- ▁unleashed- ▁unopened- ▁unprepared- ▁unscrew- ▁unsustainable- ▁unwittingly- ▁utilise- ▁utilitarian- ▁vernacular- ▁vicar- ▁videography- ▁vigorous- ▁virtue- ▁voodoo- ▁waifu- ▁walnut- ▁wapiang- ▁webtoons- ▁widget- ▁workflow- ▁zebra- ▁Award- ▁Beetle- ▁Croc- ▁Easy- ▁Eeny- ▁Infocom- ▁Prize- ▁arguabl- ▁enthu- ▁inflamma- ▁misinterpret- ▁refail- ▁shrewd- ▁utopia- olitaire- ▁Burgess- ▁Cash- ▁Childhood- ▁Cinema- ▁Egive- ▁Guangzhou- ▁Hakim- ▁Johanna- ▁Laurel- ▁Merchant- ▁Miniclip- ▁Olaf- ▁Orbis- ▁Petpet- ▁Spring- ▁Talib- ▁Tuptup- ▁Zinger- ▁appendix- ▁coagula- ▁crucifie- ▁dailies- ▁demure- ▁discriminatory- ▁disperse- ▁dutch- ▁fantasies- ▁fetish- ▁gundu- ▁hairstylist- ▁hypothesi- ▁iBank- ▁imitate- ▁immigrate- ▁mangrove- ▁melanin- ▁mortar- ▁presumably- ▁rehab- ▁snitch- ▁strenuous- ▁sugarcoat- ▁tenacity- ▁theorems- ▁tutee- ▁wolverine- seido- ▁Adil- ▁Auto- ▁Battlefield- ▁Canmake- ▁Gemini- ▁Ikroh- ▁Latte- ▁Mcspicy- ▁aptitude- ▁bumblebee- ▁dismiss- ▁dissect- ▁douche- ▁generalising- ▁hairband- ▁harmonious- ▁helium- ▁kaopei- ▁nourish- ▁prophet- ▁socialising- ▁spinner- ▁swift- ▁twitter- Duxton- Golding- Monteiro- omeranian- ▁Bellerina- ▁Fernand- ▁Gareth- ▁MAN- ▁Makisan- ▁Serene- ▁Utown- ▁Work- ▁contradictory- ▁conversa- ▁farthest- ▁gambat- ▁kilogram- ▁luminous- choles- imony- ▁Barbara- ▁Goddess- ▁Protos- ▁craziness- ▁merging- ▁micromanag- ▁philanthropist- ▁pronounci- ▁retardant- ▁veteran- ▁Jonker- ▁Wingstop- ▁accomodation- ▁ailment- ▁choppy- ▁colonisers- ▁overfill- ▁ridicu- ▁serene- ▁omni- ▁stepmom- Scofield- shraf- ▁Garang- ▁Maslow- ▁Whis- ▁elongate- ▁morph- ▁motel- ▁retell- ▁revoke- ▁slouch- ▁swarm- ▁tablas- ▁uncover- ▁vegetation- ▁friendliness- ▁sociological- ridian- ▁Marshall- ▁collate- ▁fleet- ▁flim- ieved- ▁Annette- ▁Classified- ▁Mobike- ▁automobiles- ▁cider- Fuyong- ▁Meghan- ▁Yoko- ▁frantically- ▁pocky- ▁reciprocating- ▁Bombay- ▁Boston- ▁Capitalism- ▁Donkey- ▁annum- ▁colonized- ▁hedgehog- ▁intersting- ▁jacuzzi- ▁subsidiaries- alyps- ▁Theater- ▁ambient- ▁sailboat- ▁sakura- ▁Pesta- ▁breach- ▁converge- ▁counselled- ▁fluctuation- ▁hanoi- ▁staging- ▁Aiden- ▁Notebook- ▁Tasha- ▁drummer- ▁segregation- ▁Diana- ▁Reese- ▁SAR- Jackman- latoni- ▁Clare- ▁copywrit- ▁pallet- ▁variant- loating- ▁tropic- Khalsa- ▁kaput- ▁omit- ▁shredder- ▁thrones- ▁Ashley- ▁unimportant- Hwa- ▁Burj- ▁Deyi- ▁Emails- ▁Fallout- ▁bloke- ▁multimedia- ▁traction- apalang- riple- ▁BTS- ▁Laurance- ▁calisthenic- ▁profanit- ▁Zepp- ▁fertile- ▁forbid- ▁initiation- ▁Slim- ▁epita- ▁Sportslink- ▁stabbed- ▁vocalist- ▁interference- ▁opposing- commerce- ▁larva- ▁terracotta- ▁Jovina- ▁accusat- ▁countertop- ▁recollect- ▁spitball- ▁unisex- ▁yankee- osacea- ▁Dolly- ▁Heights- ▁Tapas- ▁extensively- ▁snorkelling- ▁civilisation- ▁hardwire- ▁Hazi- ▁reinforce- ▁warped- Modric- ▁Alipay- ▁campsite- ▁outshine- ▁proficiency- ▁Poland- elope- ▁Marx- ▁Zero- ▁humanitarianism- ▁marinade- ▁mentorship- ▁quirkiness- ▁Amex- ▁cooperation- ▁hydrant- ▁roving- ▁kinky- ▁Koda- ▁Radin- ▁boredom- ▁contextual- ▁swum- ▁terminolog- ▁urbanization- ▁Bengali- ▁Paper- ▁preview- ▁spectro- ▁fleshier- ▁mantou- ▁Otak- ▁tonkatsu- ▁Badang- ▁Brit- ▁mortality- Free- Russell- odyne- ▁Ginger- ▁juici- ▁drake- ▁medalist- ▁memento- ▁tolerat- ▁vapor- ▁Caroline- ▁Arthur- ▁sewage- ▁strategise- ▁suction- worth- ▁Jenga- ▁alleviate- ▁marvelous- ▁resent- ▁scrutinize- ▁termination- ▁separation- ▁neurotic- ▁viper- ▁unravel- ▁defect- ▁Complex- ▁Paradigm- ▁Singapura- ▁joving- ▁metallic- ▁punchek- ▁marries- ▁menses- ▁resourceful- rangle- ▁Subhas- ▁Milan- ▁Witch- ▁barracks- ▁evasion- upiah- ▁renegade- urgen- ▁Waken- ▁forcefully- ▁swagger- ▁tiara- ▁chapel- ▁reconnected- ▁causally- ▁habitual- ▁Bookhouse- ▁thinggy- ▁Charmander- ▁Pika- ▁friday- ▁governor- ▁newsstand- ▁subcon- eonard- ▁devour- ▁Mafu- ▁burial- ▁LiHo- ▁Redang- headed- ▁Dettol- ▁excelled- ▁glutes- Titl- ▁kennel- gedil- ▁negro- ▁radically- plish- ▁Motion- ▁dawn- ▁sunburn- uzu- ▁sedan- ▁transcendent- ▁Camry- ▁inheritance- ▁magma- ▁Inception- ▁Tepp- ▁cheeseburger- ▁prideful- ▁Hajj- ▁Orang- ▁Luna- ▁marinara- ▁Rochor- ▁Yogi- ▁hostile- ▁stepsister- ▁Tores- ▁redevelopment- ▁bidet- ▁Quek- ▁sanitizer- ▁Qiao- ▁Jackpot- ▁dampen- ▁idolise- ▁sewers- ▁crating- ▁foursome- ▁uncontrollable- ▁mailbox- ▁slipping- ▁Ashik- ▁bonobo- ▁tragically- ▁Haidi- bear- ▁iffy- ▁relearn- ▁repent- ▁Marilyn- ▁agaration- ▁civilian- ▁shrine- ▁irra- ▁concourse- ▁rubble- ▁repeti- ▁Chungha- ▁Baliza- ▁chye- ▁fantasize- ▁corp- chatting- local- ▁Skippy- ▁authorities- ▁monogamy- ▁Yoga- ▁excruciating- Luak- aksa- ▁miller- ▁Suki- ▁Glenis- Tree- ▁Pakcik- ▁vasectomy- ▁veil- ▁Escobar- ▁Francisco- ▁Shuttle- ▁Tyson- ▁scum- ▁Grill- baby- ierra- ublic- ▁ounce- ▁chemist- ▁Kardashians- comfort- interesting- ▁Atwood- Jack- ▁Jetty- ▁demoralized- ▁graciousness- ▁horrified- ▁regimented- ▁adik- ▁dependence- ▁modul- ▁repost- ▁shiba- ▁Voon- ▁organically- ▁farmhand- ▁reflective- ▁Showman- ▁prick- ▁chaperon- ▁Cuba- ▁Joann- ▁harass- ▁mindfulness- ▁prophecy- ▁chives- Steel- ▁dirtier- ▁astray- ▁submerged- ▁marley- ▁plasticky- ▁panicked- ▁punya- rief- ▁awk- ▁neutralise- ▁talism- ▁doubtful- culi- ▁Anton- ▁elev- ▁Bora- ▁treasury- ensity- ▁commodity- ddess- tweet- ▁forceps- ▁crossover- ▁Porter- ▁cordon- ▁Health- ▁Kingdom- ▁Tatum- ▁robin- ▁xuan- ▁Chocolate- ▁cupid- ▁pimp- ▁stil- ▁curricul- ▁hallucinating- ▁platelet- ▁antics- ▁Laden- thering- ▁decay- ▁Cupid- ▁mitch- acies- ▁shoul- riding- ▁Minion- ▁Take- ▁Amri- ▁Shawan- ▁bedek- ▁bloc- ▁Morgana- ▁bowel- jori- ▁heatiness- ▁Hailing- ▁jeng- ▁reese- ▁Nature- ▁cheerfulness- ▁moose- bread- ▁accountability- ▁pokka- ▁Tues- ▁hunk- ▁posing- ▁bucketlist- ▁linguist- ▁manoeuvre- ▁cyan- bury- ▁sexism- ▁Bueno- lliance- ▁Ericsson- ▁panties- ▁Campbell- ▁bilis- ▁frap- ▁thinning- ▁calf- ▁rescheduled- evolving- pagar- ▁Dude- ▁hula- ▁flailing- ▁illustrating- ▁lingering- ▁regurgitating- ▁fax- ▁ampli- ▁alrea- ▁cremat- ▁Linda- ▁brushless- ▁flatten- ▁numer- dicu- ▁voiceover- ▁Liver- miliar- ▁stopwatch- ▁optimise- ▁Buri- ▁binders- ▁MediS- ▁handcraft- erja- ▁saxophone- Pek- ▁Network- ▁colony- ▁Marrie- ▁Americanize- jang- ▁hillman- Max- ▁Shang- ▁Manny- ▁uncom- ▁astrology- Maki- ▁harshness- eletubby- ▁jaded- ▁banish- ▁rapidly- ▁Heat- ▁kwa- ▁instructed- ▁chek- bogg- ▁bloodline- ▁Summer- ▁voicemail- Stone- ▁morality- ▁gentlemanly- ▁respectively- ▁Hambr- ▁Doha- Kwan- ▁Jiu- ▁Que- ▁Deli- Kok- ▁cluttered- ▁debuted- ▁provoking- ▁bleed- ▁Tale- ▁steeper- ▁standpoint- ▁quitter- ▁policemen- ▁mili- ▁burnout- Daily- uhsorry- ▁Farhana- ▁qualifier- ▁Shaf- Shin- ▁choreographer- ▁Bike- ▁Angkat- ▁puffin- ▁taxation- ▁fiancee- ▁maxi- ▁dimensional- ▁cohesive- pour- ▁Frenchie- ▁Carri- ▁snapped- arracks- apse- hank- ▁Kip- ▁Meal- ▁scented- ▁flourishing- ▁tata- ▁mamak- ▁disrespectfully- ▁Rama- ▁Rina- ▁Botanical- ▁Buk- ▁blogger- ▁cir- ▁Taken- ▁smoothen- esco- ▁Nasa- ▁dented- ▁pasture- ▁discharged- ▁showroom- ainted- ▁trad- ▁Geo- ▁Lumpur- ▁Sweep- static- ▁Beau- ▁barang- ▁beauti- ▁siren- ▁Union- ▁blushing- ▁disheartening- ▁refresher- ▁Albom- handed- ▁bandage- ▁customized- bio- ▁blindfolded- ▁examine- ▁enhanced- ▁salesman- ▁Pound- ▁creativeness- ▁Back- ▁saltish- ▁ballpoint- ▁groomer- ▁Teck- ▁magna- ▁announcer- ▁fallout- ▁kui- Amin- ▁heroine- ▁Louise- ▁Sailor- ▁relay- ▁Sound- ▁leaked- ▁painless- Mei- ▁browser- ▁rewatched- Rex- ▁Blangah- ▁Azan- ▁bartending- ▁artificially- ▁endured- ▁Bir- ▁dif- ▁anoth- stability- ▁Irene- ▁liv- ▁Chio- ▁sexually- ▁equalise- ▁economically- ▁ponder- ▁narcissis- ▁shooked- ▁Ivy- ▁broader- ▁Gig- ▁Opeh- ▁Zionis- ▁procession- ▁Chay- Sec- ▁Imbu- jar- ▁fourteenth- ▁hiong- ▁correlate- Yen- ▁conquered- ▁tailored- rce- ▁hisses- ▁Aero- ▁Dada- avainas- chain- ▁Site- nguish- ules- ▁launched- ▁warned- ▁documented- ▁Boba- ▁Pau- ▁mutate- ▁Wani- ▁tui- ▁Lane- ▁haw- ▁Lang- eous- ▁Hard- ▁tickled- Husse- ▁choked- essie- ▁Rad- abyte- ▁Osa- ▁processor- ▁globally- ▁Full- ▁booklet- Shi- ▁chemically- ▁easter- ▁ferti- ▁frontier- ▁broadcasting- ▁clinging- ▁halve- ▁Darli- ▁soaked- related- ▁Zu- ▁classist- north- ▁Atta- ▁overlooked- ▁Achar- ▁Lai- ▁battl- ▁ceased- cord- ▁Nata- ▁detoxing- ▁betraying- ▁kee- ▁stupidity- ▁erecti- Benoit- ▁Zone- ▁seamless- ▁stealer- ▁patientuh- ▁condemned- ▁Indon- ▁emphasized- ▁rotated- Swan- ▁mengs- ▁minion- ▁Mela- ▁Date- ▁friendzone- ▁earl- ▁mandate- ▁bomber- ▁conveying- ▁showke- ▁quietness- ▁Medan- ▁reversed- ▁Dilma- ▁quieten- ▁backlash- ▁fury- ▁ranting- ▁Chou- ▁toughness- nkers- ▁formant- ▁efficiently- ▁digger- ▁Fara- ▁glorify- Fest- ▁renewed- lier- ▁Jung- ▁chairman- Sang- ▁dashing- ▁qing- ▁publisher- eacock- ▁dino- ▁highlighted- ▁polygam- ▁tighter- ▁demolishing- ▁calmly- ▁unsee- ▁awkwardness- ▁sealed- ▁Bane- ▁Cara- ▁fertiliz- ▁pap- ▁Horn- ▁relieved- Song- sebum- ▁Gar- amant- ▁Dove- ▁resigning- ▁Philipin- ▁Fred- ▁nei- Tat- ▁witnessing- ▁Kina- ▁Tange- audi- ▁compromised- ▁weeding- ▁breather- ▁Xian- ▁importing- Ali- ▁springy- ▁Sling- ▁Tell- ▁understooded- rchaeology- ▁murderer- ▁layered- Van- ▁Qin- fall- ▁hyped- ▁measured- ▁Even- ▁purchaser- ▁fainting- ▁Oman- ▁stifl- ▁scorch- ▁programmed- ▁recesses- ▁nee- ▁Choi- ▁Patta- ▁highlighting- ▁brainer- ▁dramatise- ▁bureaucra- ▁Susan- ▁braid- ▁sung- inary- ▁Check- ▁curl- alakat- ▁Chitt- entities- ▁pitcher- ringing- ▁corr- iative- ▁Rain- Unagi- ▁nin- dora- cidentally- ▁daze- ▁Kara- hepard- ▁engi- gemuk- ▁Romania- ▁Bren- erbal- moral- bike- ▁Corin- ▁Sherle- ecurity- ▁Vik- ▁rumba- urities- ▁Buck- ▁Ava- ▁Nabila- ladi- mbing- raz- ▁Westerner- oronation- ▁detain- zoning- utting- ▁confesse- ntries- ▁Sala- ▁humbl- ▁mara- ▁Halif- ▁sled- Hood- lator- ▁swank- ▁Alv- gazing- Harrison- zel- ▁strategiz- ▁Dean- ovan- umanities- untie- Ben- omer- ▁chronic- ▁Arch- ▁packer- junct- zhang- appe- ▁dabbl- ▁kato- Liars- ▁boater- ▁Wul- ▁Univers- ▁rekindle- ▁steadi- ▁rac- ▁Yao- ▁gad- amil- ▁crashe- ▁tro- anie- ▁Shaku- uppy- nite- Shopping- Baker- position- ▁Ace- ▁Magn- ▁Tubb- anner- ightful- ▁Mill- Eighty- competency- ▁legalis- impang- ▁dirtie- ▁grann- ▁Dogg- Wool- atically- ▁Mina- ▁preconce- ▁competenc- ▁boggl- ▁crippl- zed- Perr- Carlo- Chek- ▁provoke- ▁conserve- ▁Lud- caster- uted- orium- rumbling- graded- ▁cultivati- ▁nauti- shoong- ▁centralize- ▁Nestl- uchi- ▁intrude- erati- ▁optimiz- ▁reassur- ▁integra- bodies- referred- xora- ▁subtl- ridden- ▁professionalis- bbed- Dali- ▁relocat- ▁unfaithful- ltering- oller- ▁brack- ▁formulate- iggly- cialised- ▁conserv- provoked- Donut- istan- uja- ▁panick- ▁physio- zhe- ▁dependenc- haps- ▁humili- Mercy- lashes- ▁collaps- Sophia- ▁Elfi- Aini- ▁wrinkl- Name- ▁spiri- xie- logy- Pol- unned- ▁Len- contentment- Mania- yukat- ▁deteriorat- Jiang- ▁outsourc- ▁psychiatr- ▁tortur- ▁grea- ▁Thie- Simple- ompan- ▁masa- ▁Child- ador- exter- jung- ▁glen- ▁duplicat- aburi- kiang- umbling- ▁prudent- mobile- ravel- ▁educa- ▁moderat- oaky- eeper- ▁geographic- ▁Franc- ▁electrop- ▁Marg- ▁marbl- ▁ceas- flicted- ▁probab- ▁craz- ▁magnet- ▁gymnastic- ▁pellet- ▁immigrant- ▁nacho- ▁Luca- ▁defini- ▁hamper- ▁fluctuate- ▁refugee- ▁dimple- Throne- ▁comprise- ▁nutrient- ▁phonic- ▁tyke- ▁freebie- ▁Vibe- ▁utensil- ngee- ▁pilate- ▁State- ▁supplie- ▁barbecu- ▁trouser- ▁posses- ▁obviou- Nee- ▁jean- roti- ▁circ- cratic- ▁bureau- compartmentalize- conceiv- ▁Canto- ▁vol- mount- ssistant- mmoners- ifle- ▁Moham- ▁Scoo- ▁genera- ▁peda- rati- ▁reminiscen- ▁Plane- ▁impatien- ▁accep- josh- ▁buil- ▁archaeolog- ▁Horse- founded- ▁Roz- gnific- ▁fertili- ▁synchron- visible- ▁distanc- friend- ▁craw- paced- ▁statu- aiya- half- ▁revol- ▁privat- ogling- uishin- ppressed- ▁narciss- ▁Techno- opsicles- lugg- nvestigations- ▁drow- ▁Digi- enetic- etica- writers- stroke- lags- Mercie- ounce- wolf- acaroons- ▁introduc- force- ▁inclin- ▁disput- ▁collage- aholic- interest- okki- ▁professio- ▁Pearly- plit- ▁moisturiz- ▁volu- ▁candleli- ▁linger- ▁bartend- ▁illustrat- odeling- ▁regurgitat- ▁dispens- ▁Zhe- proof- ▁flail- ▁compromis- finals- ▁disciplin- ▁embarra- ▁empir- ▁bibl- perform- ▁submerge- rystal- ▁Roma- flakes- lgari- ▁apologis- ▁Jayde- ▁traumatise- akcik- ▁amaze- ▁agitate- ordinary- ▁occupie- ▁overprice- ▁fluctuat- ▁dilute- coast- fruit- collect- ▁horrifi- copy- stream- ▁demoraliz- quish- udrey- ▁constipat- ▁jumble- ambodia- ▁crook- stresses- sighted- Dogg- olution- urrender- tyrofoam- ▁impair- Buri- Escobar- Jetty- Showman- Shuttle- Tyson- ceased- aktor- ▁unexpect- Technical- Grill- Convenience- Future- Institute- Krunch- Schwarzenegger- Theatre- polished- Gabriel- antorini- Evan- Keane- Monster- ntegrated- Francisco- ▁deprive- ▁discriminat- ▁referenc- Kenny- Murder- Zhang- carriage- ▁Joan- ▁Skipp- ▁monogam- ▁prophec- Atwood- Stamford- ylvia- Akshay- Banyan- Virgin- linguistic- proportionate- founder- Music- buoy- evaluate- immortal- comparable- Jade- Miller- Friza- conditioned- innacle- Morrie- Waterway- conductor- crow- ndependence- Henry- Monkey- Nyonya- Shaw- monkeys- second- Shakespeare- catcher- organised- qualified- storage- Thomson- animate- executive- invent- starter- ▁rollerblad- ▁vacanc- Festival- Jordan- emphasis- frequent- settled- weekly- ▁Desire- college- factory- growth- organisation- profit- sentosa- Holland- Kampung- Laden- Nature- Seoul- Spirit- Tae- bridge- innocence- legend- village- Friday- Orchard- Sentosa- between- culture- decided- explore- popular- responsibility- romantic- square- studies- valuable- Great- blue- chicken- confirm- ▁cruis- akhon- album- driver- ▁regiment- Green- ▁Snoop- secondary- luckily- ppb- toast- ▁Galax- ▁demonstrat- ▁prioritiz- ▁savor- ▁vocabular- anuki- ▁voluntar- ▁temporar- heeps- ▁warehous- Gateway- ▁naught- ▁Whit- ▁itinerar- ▁ultimat- ▁ugl- Environment- ▁diverg- ▁wrestle- ▁leverag- large- cool- plus- hursday- ature- shiok- ▁Chuck- ▁sanitize- ▁suppo- ▁solemnise- usband- ▁Titani- ▁savour- chips- Paul- uesday- ▁sequential- ▁unintentional- Army- consult- ▁braise- ▁evident- ▁radical- death- dough- Comm- hicago- version- ranscendent- Mark- ropic- ▁blatant- ▁comparative- affle- Youth- rophecy- eepavali- oothpaste- welve- reserving- ▁consum- latoon- erfect- rofessor- athedral- ettol- husband- ▁Mobil- indly- ▁appetiz- iracle- ninety- erlion- urious- ragrance- flection- ▁Yog- Hyun- proper- ▁commercialise- dept- onjour- lower- rganic- ubilee- ustin- ▁delusion- ▁dysfunction- armony- dead- ulgogi- czema- lazer- utchers- xperiment- ynasty- inosaur- ▁ceter- ▁trembl- cessor- degrad- ▁misus- ▁blemish- suade- alloween- crastinating- ▁sunglass- polar- requisite- ▁evasi- ▁Project- aspberry- ▁associ- ▁pacif- wives- ▁demograph- edemption- ejection- ▁confisca- gregation- oomie- ▁Isabel- ▁Olymp- ▁satisfact- awyer- ▁pronunciat- ▁subsidiar- ▁subscript- ▁unpredictab- ngkok- ednesday- ▁challen- ▁esophag- luding- ▁typi- ▁activi- ▁arbitra- ▁opportuni- esarean- ▁transmit- eceived- ▁advan- ▁ponch- arlic- iatric- mplify- ▁Stef- ▁illumi- ▁luxuri- ▁Pontian- ▁reputa- '2'- ▁Kean- ▁Remains- cendant- rrifying- ▁desensiti- ▁jeopardi- Little- vasion- grudg- zumi- ▁Anytime- ▁Lantau- ▁Morris- ▁Niagara- ▁Preeti- ▁Qistina- ▁cerebral- ▁dhoby- ▁dysph- ▁perpetua- ckelodeon- grimage- icultural- ychology- ▁Analytic- ▁Moldov- ▁acclimat- ▁anthropolog- ▁hexagon- ▁implicit- ▁profess- ▁shrivel- ▁symphoni- '@'- Agency- Anthony- ArkBar- Atria- Brigg- Conven- Counselor- Dominique- Dracula- Effron- Fallon- Griffith- Jabba- Kinsella- Kukoh- Millionaire- Motoring- Movie- Mustachio- Mustafi- Noraini- Philipp- Regis- Robbie- Sandler- Sheares- SquarePants- Thunder- Tonic- acerbate- amgyetang- angelo- antiago- arijuana- cotta- cryptocurrencies- dchildren- deekap- dyssey- enocide- ifiable- itzer- neumonia- nspirasi- osophy- ptuous- resistible- rowana- rwegian- tête- ucerin- uddin- uhwait- umental- umentary- urgundy- ▁Abdillah- ▁Adaline- ▁Adawiyah- ▁Afghan- ▁Agnus- ▁Alfred- ▁Amirah- ▁Andorra- ▁Anglican- ▁Annalise- ▁Annyeong- ▁Applied- ▁Aravin- ▁Asmara- ▁Balenciaga- ▁Bhatoora- ▁Bibimbap- ▁BitCoin- ▁Blastoise- ▁Bleeding- ▁Boiling- ▁Bonnie- ▁Boomerang- ▁Botox- ;- .- '9'- 不- 代- 喊- 在- 沟- 钟- ','- '1'- '4'- '5'- '6'- '7'- '='- \\- à- 七- 么- 什- 们- 你- 分- 吃- 完- 样- 看- 要- 这- 苦- ê- é- '{'- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram20000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: unit: 1000 nlayers: 1required:- output_dir- token_listversion: 0.9.6distributed: true", + "description_en": "This model was trained by Shinji Watanabe using nsc recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8fd07721b78ef0d34713f237e94a003731a78825pip install -e .cd egs2/nsc/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/nsc_asr_train_asr_raw_en_bpe20000_valid.acc.aveResults# RESULTS## Environments- date: `Sun Jan 10 03:01:02 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `dd9cf570becddb2a587e69473548b1d73fa9648f` - Commit date: `Tue Jan 5 13:55:51 2021 -0500`## asr_train_asr_raw_en_bpe20000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/dev|3986|26046|79.0|16.3|4.7|3.8|24.8|60.5||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/test|16306|123092|74.0|19.1|6.9|5.1|31.1|69.7|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/dev|3986|126663|88.2|5.4|6.3|3.8|15.6|60.5||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/test|16306|587330|84.1|6.9|9.0|5.4|21.3|69.7|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/dev|3986|30721|77.1|15.0|7.9|4.9|27.8|60.6||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/test|16306|150205|72.5|17.0|10.5|6.5|34.0|69.7|ASR configconfig: conf/train_asr.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_raw_en_bpe20000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 49547dist_launcher: nullmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 100patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5grad_clip_type: 2.0grad_noise: falseaccum_grad: 5no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 300valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_en_bpe20000/train/speech_shape- exp/asr_stats_raw_en_bpe20000/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_en_bpe20000/valid/speech_shape- exp/asr_stats_raw_en_bpe20000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_nodev/wav.scp - speech - sound- - dump/raw/train_nodev/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - sound- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 10.0scheduler: noamlrscheduler_conf: warmup_steps: 25000token_list:- - - ▁I- ''''- ▁the- ▁you- ▁like- ']'- ▁[- s- ▁to- ▁that- ▁it- ▁is- ▁ya- ▁a- ▁and- ▁so- t- ▁then- ▁okay- ▁what- ▁of- ▁but- ▁uh- ▁know- ▁in- ▁one- ▁my- ▁don- ▁have- ▁they- ▁we- ▁no- ah- ▁not- ▁just- ▁for- lah- ▁think- ▁can- ▁there- oh- ▁do- ▁was- ▁this- ▁your- ▁right- ▁he- '-'- ▁are- ▁me- ▁go- ▁or- ▁be- ▁very- ▁if- ▁will- _- ▁on- ▁she- ▁how- m- ▁with- ▁want- ▁about- ▁because- ▁ppl- ▁all- ▁really- ▁when- ▁also- ▁time- ▁say- ▁at- ▁why- eh- ▁would- ▁um- ▁got- ▁mean- ▁see- ▁thing- ▁as- ▁actually- ▁people- ▁cause- ▁yes- ▁two- ▁now- ▁good- ▁more- ▁get- ▁ppo- ▁maybe- ▁ppb- ▁lot- ▁from- ▁up- ▁only- ▁her- ▁already- ▁kind- ▁out- ▁some- ▁something- re- ▁who- ▁them- ▁need- ▁where- ▁three- ▁let- ▁quite- ▁yeah- ▁most- ▁even- ▁talk- ▁never- ▁after- ▁did- ▁other- ▁still- ▁feel- ▁school- ▁eat- ▁which- ▁take- ▁Singapore- ▁should- ▁food- ▁cannot- ▁first- ▁back- ▁always- ▁life- ll- ▁same- ▁next- ▁things- ▁ask- ▁last- ▁come- ▁nice- ▁person- ▁make- ▁their- ▁were- ▁work- ▁didn- n- ▁our- ▁much- ▁wait- ▁too- ▁going- ▁went- ▁him- ▁five- ▁question- ▁<- ▁guess- ▁different- '>'- UNK- ▁give- ▁had- ▁way- ▁has- ▁tell- ▁by- ▁friend- ▁place- ▁his- ▁those- ▁well- ▁buy- ▁mine- ve- ▁before- ▁day- ▁four- ▁long- ▁love- ▁any- ▁look- ▁correct- ▁mm- ▁true- ▁money- ▁try- ▁bad- ▁play- ▁everything- ▁down- ▁best- ▁remember- ▁K- ▁stuff- ▁bit- ▁many- ▁us- ▁home- ▁been- ▁huh- ▁use- ▁put- ▁wah- ▁said- ▁guy- ▁here- my- ▁anything- ▁than- ▁doing- ▁year- ▁could- ▁house- ing- ▁friends- ▁sure- ▁find- leh- ▁an- ▁someone- ▁must- ▁gonna- ▁thought- ▁ten- ▁doesn- ▁watch- ▁keep- ▁another- ▁oh- ▁every- ▁point- ▁years- ▁call- ▁family- ▁old- ▁err- ▁better- lor- ▁won- god- orh- ▁man- ▁damn- ▁around- ▁name- ▁course- ▁favourite- ▁left- ▁talking- ▁top- ▁own- ▁turn- ▁girl- ▁into- ▁twenty- ▁am- ▁over- ▁sometimes- ▁start- ▁help- ▁whole- ▁these- ▁six- ▁wow- ▁shop- ▁again- ▁important- ▁mind- ▁probably- ▁blue- ▁big- ▁colour- ▁though- ▁part- ▁end- ▁does- ▁side- ▁parents- ▁read- ▁bring- ▁being- ▁red- ▁close- ▁new- ▁yea- ▁job- ▁ever- ▁hard- ▁nothing- ▁difference- ▁interesting- ▁else- ▁together- ▁car- ▁called- ▁whatever- ▁show- ▁white- ▁sorry- ▁change- ▁pay- ▁kids- ▁basically- ▁done- ▁seven- ▁free- ▁hundred- ▁learn- ▁green- ▁fun- ▁book- ▁told- ▁small- ▁off- ▁answer- d- ▁sign- ▁usually- ▁eight- ▁few- C- ▁open- ▁wanna- ▁mum- ▁chicken- ▁myself- ▁understand- ▁A- ▁means- ▁care- ▁both- ▁describe- ▁game- ▁once- ▁saying- ▁used- ▁teacher- ▁saw- ▁inside- ▁later- ▁happen- ▁C- ▁through- ▁date- ▁yourself- S- ▁stay- ▁looking- ▁movie- ▁dollars- ▁during- ▁move- ▁live- ▁until- ▁primary- ▁least- ▁nine- ▁wearing- ▁card- ▁thirty- ▁stop- ▁alright- ▁wanted- ▁trying- ▁Chinese- ▁each- ▁everyone- ▁having- ed- ▁example- ▁enough- ▁plus- ▁s- ▁haven- ▁cook- ▁working- ▁yup- ▁away- ▁spend- ▁expensive- ▁kid- ▁might- ▁secondary- ▁since- ▁sad- ▁whether- ▁night- ▁phone- ▁children- ▁water- ▁days- ▁study- ▁S- ▁enjoy- ▁young- meh- ▁fine- ▁super- ▁door- ▁class- ▁moment- ▁wrong- ▁drink- ▁second- ▁i- ▁came- ▁week- ▁thinking- ▁sense- ▁dog- ▁made- ▁getting- sia- ▁beside- ▁walk- ▁become- ▁happy- ▁world- ▁shit- ▁partner- ▁hand- ▁minutes- ▁choose- ▁scared- ▁ball- ▁word- T- ▁front- ▁half- ▁easy- ▁anyway- ▁- ▁hour- ▁P- ▁bro- ▁meet- ▁picture- ▁cool- ▁N- ▁fifty- ▁hours- ▁rice- ▁child- ▁country- ▁pretty- A- ▁worst- ▁guys- ▁brown- ▁far- ▁funny- ▁room- ▁little- y- ▁black- ▁normal- ▁English- ▁heard- e- what- ▁looks- ▁group- ▁experience- ▁sleep- ▁near- a- ▁table- ▁story- ▁conversation- ▁weird- ▁face- ▁today- ▁exactly- ▁definitely- ▁travel- ▁type- ▁boy- ▁especially- ▁Singaporean- ▁high- ▁rather- ▁real- ▁twelve- ▁T- ▁miss- ▁brother- ▁problem- ▁without- ▁believe- ▁generation- ▁while- ▁number- ▁O- ▁finish- ▁able- ▁says- ▁yet- ▁hair- ▁playing- ▁save- ▁everybody- ▁times- ▁such- ▁supposed- ▁die- ▁sit- ▁late- ▁yours- ▁run- ▁dad- ▁everyday- ▁age- ▁meal- ▁sell- ▁M- ▁yellow- loh- ▁break- ▁area- ▁queue- ▁married- ▁took- ▁coming- M- ▁mother- ▁fast- ▁eating- ▁certain- ▁wear- ▁plan- ▁leave- ▁month- ▁collect- ▁aiya- ▁topic- ▁fish- ▁Malay- ▁anymore- ▁makes- ▁teach- ▁honestly- ▁outside- c- ▁serious- ▁father- ▁started- ▁speak- ▁pass- ▁beach- ▁bought- ▁full- ▁share- ▁character- ▁hate- B- ▁dollar- P- ▁depends- ▁morning- ▁sister- ▁B- ▁J- ▁tried- ▁special- ▁send- ▁mmhmm- ▁future- r- ▁between- ▁idea- ▁cheap- ▁company- ▁music- ▁wife- ▁thousand- ▁lady- mah- ▁dream- ▁relationship- ▁short- ▁either- ▁recently- ▁list- ▁please- ▁tomorrow- ▁listen- ▁follow- ▁bus- o- ▁level- ▁difficult- ▁isn- ▁sometime- ▁check- ▁If- ▁drive- ▁great- ▁value- ▁continue- ▁past- ▁pick- ▁suddenly- ▁hear- ▁order- ▁forty- ▁business- ▁lesson- ▁hot- ▁personal- ▁cry- ▁light- ▁famous- ▁imagine- ▁matter- ▁shoes- ▁alone- ▁taste- ▁join- ▁confirm- ▁places- ▁nowadays- ▁eleven- ▁behind- ▁ppc- ▁moving- ▁less- ▁U- p- ▁may- ▁feeling- ▁ago- ▁using- ▁million- ▁books- ▁rest- ▁floor- ▁ice- ▁bottom- ▁single- ▁complain- ▁cut- ▁almost- ▁stupid- ▁crazy- ▁sitting- ▁cute- ▁favorite- ▁E- ▁forgot- ▁asking- ▁pink- D- ▁hope- ▁agree- R- ▁below- ▁reason- ▁risk- ▁shirt- ▁stress- ▁under- ly- ▁dinner- ▁unless- ▁percent- ▁deal- ▁goes- ▁trip- ▁hello- i- ▁nobody- ▁H- ▁coffee- ▁prefer- ▁taking- ▁months- ▁perfect- ▁instead- ▁pet- ▁biggest- ▁anyone- ▁fifteen- ▁circle- ▁clean- ▁poor- ▁D- ▁stand- ▁found- ▁yesterday- ▁games- ▁points- ▁cold- ▁poly- ▁students- ▁realise- ▁clothes- ▁heart- ▁god- ▁Malaysia- ▁grey- ▁comes- ▁seen- ▁taxi- ▁song- ▁thank- ▁push- ▁obviously- ▁team- ▁write- ▁somewhere- ▁t- ▁girlfriend- ▁younger- ▁tea- ▁head- ▁sounds- one- ▁reading- ▁student- ▁hawker- ▁middle- ▁line- ▁durian- ▁wake- ▁shopping- ▁towards- ▁body- h- ▁fail- ▁sing- ▁boring- ▁legit- ▁hold- ▁win- ▁test- ▁gone- ▁girls- ▁watching- ▁local- ▁paid- ▁marriage- ▁normally- ▁road- ▁third- ▁bucket- ▁cafe- I- ▁hungry- U- ▁worth- ▁bag- ▁older- ▁knew- ▁Singlish- ▁sweet- ▁train- ▁throw- ▁dark- ▁education- ▁early- ▁toilet- ▁simple- ▁uni- ▁tuition- ▁air- ▁restaurant- ▁honest- ▁living- ▁telling- ▁p- ▁price- ▁per- ▁Japan- ▁paper- ▁uncle- ▁minute- ▁itself- ▁terms- ▁overseas- hor- ▁driver- ▁o- ▁F- ▁set- ▁childhood- ▁words- G- ▁cards- ▁hmm- ▁brand- ▁grow- ▁reach- ▁choice- V- b- ▁scary- ▁main- ▁birthday- huh- ▁China- ▁cat- ▁career- ▁somebody- ▁along- O- ▁extra- u- ▁lunch- ▁hit- ▁lost- ▁subject- ▁exercise- ▁Korea- ▁hey- ▁parent- ▁add- ▁straight- E- ▁window- right- ▁chair- ▁explain- ▁sound- ▁soccer- ▁c- ▁online- ▁drama- ▁making- ▁culture- ▁fight- ▁k- ▁literally- ▁related- ▁latest- ▁interest- ▁felt- ▁human- ▁blah- ▁cream- ▁apparently- ▁G- er- ▁tired- ▁kinda- ▁studying- ▁earn- ▁suppose- ▁bird- ▁drop- ▁fried- ▁count- ▁holding- ▁m- ▁recess- ▁dating- ▁n- ▁forget- ▁sixty- ▁movies- ▁R- ▁catch- ▁baby- ▁color- ▁smart- ▁shoe- v- ▁teh- ▁success- ▁fact- ▁embarrassing- ▁pants- ▁countries- ▁dish- ▁Indian- ▁sports- ▁shows- ▁egg- ▁mostly- ▁rich- ▁chance- ▁Korean- ▁piece- ▁truly- ▁elderly- ▁soon- ▁social- ▁Singaporeans- ▁sort- ▁meaningful- ▁general- ▁angry- ▁shack- ▁club- ▁cooking- ▁seat- ▁clear- ▁lose- ▁photo- ▁hi- ▁busy- ▁period- ▁non- ▁fair- ▁dude- ▁questions- ▁running- ▁memorable- ▁holiday- ▁item- ▁leg- ▁system- ▁un- ▁bar- ▁interested- ▁touch- ▁sea- ▁couple- ▁zero- ▁self- ▁planning- ▁post- ▁video- ▁dead- ▁ex- ▁park- ▁totally- ▁hall- ▁store- ▁weekend- ▁building- ▁loud- ▁happiest- ▁milk- ▁trust- ▁chill- ▁lobang- L- ▁common- ▁fit- ▁board- ▁cost- ▁brought- ▁case- ▁laugh- ▁situation- ▁skin- ▁power- ▁re- ▁friendship- ▁f- ▁consider- ▁fat- ▁wish- ▁fall- ▁wash- ▁event- ▁soup- ▁woman- ▁willing- ▁sec- gosh- ▁Grab- ▁faster- ▁voice- ▁L- ▁trait- ▁dance- ▁differences- ▁entire- ▁effort- ▁science- ▁waste- ▁strong- ▁meat- ▁awkward- ▁specific- ▁exam- ▁current- ▁husband- ▁son- ▁seems- ▁visit- F- ▁box- ▁centre- ▁skip- ▁expect- ▁fire- ▁draw- ▁hero- ▁teachers- ▁whenever- ▁amount- ▁often- ▁kill- ▁Japanese- ▁boyfriend- ▁space- ▁support- ▁wise- ▁kay- ▁army- ▁ready- ▁giving- ▁tree- ▁art- ▁hobby- ▁swimming- ▁shoot- ▁football- ▁comfortable- ▁jump- ▁easier- ▁control- ▁public- ▁cake- ▁low- ▁spot- ▁gym- ▁search- ▁weeks- ▁walking- ▁lazy- ▁learning- ▁speaking- ▁carry- ▁orange- ▁similar- ▁soft- ▁pets- ▁seriously- ▁health- ▁World- ▁standing- ▁compared- ▁gave- ▁bake- ▁anywhere- ▁ninety- ▁ate- ▁Friday- l- ▁New- ▁Paul- ▁socks- ▁facing- ▁view- g- ▁worry- ▁apply- ▁ability- ▁based- ▁message- ▁fly- ▁huge- ▁season- ▁bed- ▁taken- ▁lucky- ▁freaking- ▁return- ▁hell- ▁computer- ▁tend- ▁smoke- ▁others- ▁aiyo- ▁relax- ▁energy- ▁hub- ▁waiting- ▁mix- ▁daughter- ▁bottle- ▁meaning- ▁corner- ▁sick- ▁office- ▁term- f- ▁sheep- ▁sauce- ▁size- ▁city- ▁driving- ▁currently- ▁cheaper- ▁eyes- ▁crab- ▁boss- wah- ▁hang- ▁safe- ▁step- ▁advice- ▁eighty- ▁happened- ▁match- ▁deep- ▁particular- ▁impression- ▁shall- ▁pull- ▁bread- ▁possible- ▁round- ▁comfort- ▁blind- ▁ride- ▁kampung- ▁meeting- ▁wine- ▁staying- ▁internship- ▁seventeen- ▁stall- ▁longer- ▁watched- al- ▁higher- ▁training- ▁remembered- ▁Sunday- ▁signboard- ▁closest- ▁wonder- ▁project- ▁fan- ▁caught- ▁government- ▁form- ▁tough- ▁Google- ▁everywhere- ▁healthy- ▁build- ▁trend- ▁cheese- ▁hat- uh- ▁vegetable- nah- ▁within- ▁slowly- ▁market- ▁block- ▁Saturday- ▁hotel- ▁technology- ▁machine- ▁craziest- ▁whereby- ▁selling- ▁math- ▁Australia- ▁makeup- ▁sand- ▁although- ▁works- ▁mention- ▁weather- ▁Hong- ▁manage- ▁afraid- K- ▁bike- ▁easily- ▁above- ▁alive- ▁listening- ▁respect- ▁mouth- ▁eventually- ▁feelings- ▁worse- ▁smell- ▁dress- ▁party- ▁language- ▁quiet- ▁chocolate- ▁possession- ▁seventy- ▁exams- ▁tray- ▁sun- ▁amazing- ▁mom- ▁e- ▁basic- ▁songs- ▁forward- ▁cap- ▁rock- ▁splurge- ▁stick- ▁busybody- ▁define- ▁woah- ▁act- ▁b- ▁contact- ▁issue- ▁potato- ▁studies- ▁fishing- ▁empty- ▁treat- ▁sleeping- ▁decide- ▁grandfather- ▁bigger- ▁previous- ▁asked- ▁cover- ▁classes- ▁d- ▁jobs- ▁kidding- ▁slow- ▁properly- ▁con- ▁laptop- ▁balance- ▁shark- ▁everytime- ▁X- ▁met- ▁base- ▁opposite- ▁canteen- ▁design- ▁random- ▁cousin- ▁happens- ▁hands- ▁given- ▁w- ▁pain- ▁focus- ▁proper- ▁y- ▁travelling- ▁degree- ▁flying- ▁missing- ▁police- ▁total- ▁j- ▁fourteen- ▁hated- ▁chores- ▁acronym- ▁accept- ▁dry- ▁transport- ▁Taiwan- ▁stage- and- ▁Facebook- ▁h- ▁center- ▁neighbours- ▁further- ▁breakfast- ▁doctor- ▁mic- ▁band- ▁cars- ▁Monday- ▁walao- ▁nearby- ▁decided- J- ▁siblings- ▁standard- ▁except- ▁activity- ▁quality- ▁themselves- ▁romantic- ▁spicy- ▁till- ▁ghost- ▁bank- ▁lie- ▁rent- ▁fake- ▁saddest- ▁stresses- ▁feels- ▁eye- ▁fear- ▁style- ▁text- ▁happening- ▁handle- ▁tiring- ▁considered- ▁wedding- ▁fresh- clock- ▁kopi- ▁eaten- ▁nope- ▁equal- ▁beautiful- ▁became- ▁bee- ▁environment- ▁inspiring- ▁history- ▁g- ▁shape- ▁maths- ▁escape- ▁purple- ▁annoying- ▁peach- ▁somehow- ▁pie- ▁drinking- ▁compare- ▁natural- ▁drinks- ▁names- ▁East- ▁motto- ▁dislike- ▁flat- ▁closer- ▁positive- ▁Instagram- ▁double- ▁sixteen- ▁concert- ▁Thailand- ▁paying- ▁seeing- ▁camp- ▁neighbour- ▁grandma- ▁boat- ha- ▁earlier- ▁private- ▁react- ▁gold- ▁interview- ▁express- ▁charge- ▁pictures- ▁auntie- ▁timing- ▁curry- ▁friendly- ▁aspect- ▁oil- ▁popular- ▁stories- ▁mee- ▁service- ▁nevermind- ▁growing- ▁mark- ▁learnt- ▁offer- ▁phrase- ▁brain- ▁talent- ▁nineteen- ▁eighteen- ▁cross- ▁field- ▁physical- ▁technically- ▁serve- ▁thirteen- ▁ma- ▁realize- ▁admire- ▁exchange- ▁born- ▁helping- ▁usual- ▁pool- ▁settle- ▁thanks- ▁played- ▁umbrella- ▁nature- ▁valued- ▁differently- ▁fault- ▁buffet- ▁sh- ▁position- ▁account- ▁u- ▁regret- ▁buying- ▁against- ▁laughing- ▁broke- ▁lame- ▁died- ▁noodles- ▁film- ▁YouTube- ▁iPhone- ▁news- ▁dogs- ▁pro- ▁agency- ▁library- ▁hopefully- levels- ▁sugar- ▁track- ▁radio- ▁North- ▁net- ▁negative- ▁horror- ▁kitchen- ▁society- ▁boys- ▁prata- ▁street- ▁problems- ▁reply- ▁l- ▁role- ▁session- ▁birds- ▁durians- ▁star- ▁action- ▁besides- ▁taught- ▁pair- ▁crowd- ▁grab- ▁wide- ▁starting- ▁noodle- ▁louder- ▁lower- ▁awhile- ▁sport- ▁scold- ▁appreciate- ▁ground- ▁recent- ▁Tom- ▁anybody- ▁generally- ▁shorts- ▁crowded- ▁irritates- ▁photos- ▁cents- ▁wall- ▁lives- ▁homework- ▁Cup- ▁actual- ▁female- ▁chore- ▁teaching- ▁quit- ▁himself- ▁twice- ▁pack- ▁lead- ▁enter- ▁neighbourhood- ▁notice- ▁anyways- ▁joke- ▁bear- ▁plastic- ▁license- ▁bowl- ▁stinge- ▁pop- ▁dare- ▁harder- ▁prepare- ▁legs- ▁kia- ▁finding- ▁research- ▁goal- ▁roll- ▁December- ▁tennis- ▁bin- ▁skills- ▁lessons- ▁Europe- ▁ahead- ▁product- ▁rude- ▁kept- ▁minus- ▁kena- ▁direction- ▁rate- ▁playground- ▁grandmother- ▁university- ▁Mister- ▁stuck- ▁personally- ▁pasta- ▁passed- ▁burn- ▁de- ▁survive- Kong- ▁rubbish- ▁beef- ▁Asian- ▁knowledge- ▁Hokkien- ▁gap- ▁achieve- ▁bo- ▁Orchard- ▁memory- ▁putting- es- ▁McDonald- ▁cup- ▁procrastinating- ▁version- ▁recording- 'on'- ▁create- ▁model- ▁force- ▁depend- ▁opportunity- ▁sushi- ▁swim- ▁station- ▁media- ▁dishes- ▁personality- ▁shut- ▁shift- k- ▁climb- ▁ways- ▁ha- ▁needs- ▁holidays- ▁plate- ▁bye- ▁topics- ▁nasi- ▁brands- level- ▁title- ▁blood- ▁successful- ▁afford- ▁basketball- ▁hurt- ▁across- ▁dirty- ▁forever- ▁none- ▁key- ▁invest- ▁opinion- ▁land- ▁accomplish- ▁aunty- ▁farm- ▁traditional- ▁toy- ▁snack- ▁ticket- ▁fruit- ▁financial- ▁dabao- ▁Thai- ▁peng- ▁improve- ▁Sentosa- ▁fell- ▁Netflix- ▁religion- ▁weight- ▁breaker- ▁background- ▁handphone- ▁inspire- in- ▁activities- ▁seafood- ▁bored- ▁finally- ▁pre- ▁loyal- ▁changing- ▁chilli- ▁trouble- ▁episode- ▁average- ▁terrible- ▁roof- ▁sem- ▁law- ▁glass- ▁heavy- ▁slightly- ▁fries- ▁town- ▁lines- N- ▁address- ▁rare- ▁animal- ▁chat- ▁lift- ▁Indonesia- ▁apart- ▁ulu- ▁bother- ▁press- ▁industry- ▁race- ▁cleaning- ▁present- ▁feet- ▁shine- ▁issues- ▁maker- ▁Bill- ▁process- ▁excuse- ▁honey- ▁pharmacy- ▁cried- ▁passion- ▁app- ▁island- ▁spending- ▁thick- ▁memories- ▁raw- ▁duck- ▁r- ▁ended- ▁V- ▁shuffle- ▁fashion- ▁suit- ▁Tai- ▁kick- ▁Tampines- ▁skincare- ▁mini- ▁burger- ▁allow- able- ▁cash- ▁airport- ▁Changi- ▁nickname- ▁chillax- ▁Bedok- ▁items- ▁shock- ▁divide- ▁writing- ▁mindset- ▁rain- ▁sale- Y- ▁devote- ▁dangerous- ▁bowling- ▁Wednesday- ▁purpose- ▁stun- ▁singing- ▁church- ▁salary- ▁supper- ▁aunties- ▁sian- ▁artist- ▁cycle- ▁explore- ▁changed- ▁India- ▁beer- ▁competition- ▁er- ▁tour- ▁maintain- ▁identify- ▁internet- ▁similarity- ▁mid- ▁throughout- ▁fruits- ▁com- ▁attention- ▁death- ▁aircon- ▁skill- ▁page- ▁goals- ▁trash- ▁volleyball- ▁split- ▁due- ▁stressful- ▁boxes- ▁remind- ▁dustbin- ▁deck- ▁actor- ▁known- up- ▁release- ▁Vietnam- ▁juice- ▁treasure- an- ▁Sue- ▁hanging- ▁catching- ▁ship- ▁bubble- ▁gain- ▁surprise- ▁record- ▁pizza- ▁speed- ▁sky- ▁tonight- ▁washing- H- ▁toys- ▁rush- ▁raise- ▁shared- the- ▁graduate- ▁fourth- ▁score- ▁lao- ▁pray- ▁co- ▁complete- ▁afternoon- ▁series- ▁sock- ▁knowing- ▁steak- ▁written- ▁dying- ▁hide- ▁north- ▁ye- ▁stripe- ▁sibling- ▁avoid- ▁mountain- ▁stable- ▁daily- ▁weekends- ▁grass- ▁Ah- ▁fix- or- ▁state- ▁cent- ▁politics- ▁flag- ▁Joe- ▁convenient- ▁speech- ▁assume- ▁ugh- ▁halfway- ▁surprised- ▁Tuesday- ▁beat- ▁horrible- ▁sandcastle- ▁perhaps- ▁ugly- ▁information- ▁pig- ▁grade- ▁closed- ▁relate- ▁Bangkok- ▁perspective- ▁golf- ▁Megan- ▁path- ▁judge- ▁accent- ▁stone- ▁bush- ▁events- ▁western- ▁videos- ▁fighting- ▁flight- ▁court- ▁sales- ▁Y- ic- ▁wave- ▁arts- ▁pronounce- ▁invite- ▁proud- ▁player- ▁allowed- ▁goodness- ▁mistake- ▁Ang- ▁scene- ▁note- God- ▁lamp- ▁ourselves- ▁yoga- ▁Harry- ▁wind- ▁heck- ▁cab- ▁master- ▁chiong- ▁pressure- ▁practice- ▁income- ▁Thursday- ▁Jurong- ▁testing- ▁attack- ▁pointing- ▁cats- ▁link- ▁Jack- ▁diploma- ▁worries- ▁semester- ▁safety- ▁woke- ▁Man- ▁shocked- ▁zoo- ▁th- ▁birth- ▁results- ▁tables- ▁development- ▁salt- ▁engineering- ▁fully- ▁letter- ▁bicycle- ▁concept- ▁camera- ▁strange- ▁understanding- ▁animals- ▁discuss- ▁typical- ▁Christmas- ▁unique- ▁condo- ▁yep- ▁Park- ▁parts- ▁onto- ▁products- ▁nose- ▁seem- ▁ring- ▁result- ▁stomach- ▁herself- ▁spent- ▁winter- ▁male- ▁jumping- ▁rocks- ▁grades- ▁flowers- ▁cuisine- ▁habit- ▁budget- ▁casino- ▁community- ▁Year- ar- ▁challenge- ▁feed- ▁Punggol- ▁nonsense- ▁distance- ▁baking- ▁realised- ▁players- en- ▁nicknames- ▁wood- ▁moral- ▁recommend- ▁mood- ▁destress- ▁hospital- ▁tall- ▁ending- ▁badly- ▁chairs- ▁calling- ness- ▁clique- ▁la- ▁click- ▁ideal- ▁porridge- ▁original- ▁Ben- ▁lesser- ▁mall- ▁restaurants- ▁material- ▁National- ▁bikini- ▁smoking- ▁pork- ▁pause- ▁cutting- ▁provide- ▁figure- ▁variety- ▁American- ▁afterwards- ▁donate- ▁preserve- ▁affect- ▁according- ▁London- ▁Yishun- ▁freedom- ▁sensitive- ▁women- ▁shiok- ▁entertainment- ▁disgusting- ▁slash- ▁charity- ▁cycling- ▁dumb- ▁John- ▁kaypoh- ▁obvious- ▁suck- ▁dramas- ▁talked- ▁cheat- ▁channel- ▁discipline- ▁kaypo- ▁transfer- ▁Batam- ▁grew- ▁location- ▁newspaper- ▁smaller- ▁guide- ▁strict- ▁badminton- ▁indeed- ▁mask- ▁loved- ▁plane- ▁Chinatown- ▁drunk- ▁seldom- ▁knock- ▁sweeping- ▁colleague- ▁lol- ▁Woodlands- ▁enroll- ▁major- ▁seahorse- ▁final- ▁tattoo- ▁nicer- ▁chemistry- ▁lying- ▁potatoes- ▁elaborate- ▁designer- ▁previously- ▁preserved- ▁adult- ▁following- ▁takes- ▁bite- ▁repeat- ▁contract- ▁attitude- ▁curious- ▁nua- ▁program- ▁values- ▁falling- ▁genre- ▁pear- ▁trees- ▁quick- ▁Marina- ▁data- ▁pee- ▁Lee- ▁crying- ▁uncles- Q- ▁stickers- ▁report- ▁aunt- ▁extent- ▁happiness- ▁lifestyle- ▁sharing- ▁plain- ▁slippers- ▁decision- ▁customer- ▁warm- ▁pushing- ▁ran- ▁flow- ▁screen- ▁celebrate- ▁smile- ▁vision- ▁marry- ▁anyhow- ▁completely- ▁acting- ▁yay- ▁balls- ▁national- ▁Toa- ▁satay- ▁seesaw- ▁volunteer- ▁concern- ▁shower- ▁sticker- ▁shot- ▁direct- ▁swear- ▁cage- ▁Bali- ▁quickly- ▁physics- ▁square- ▁wheel- ▁areas- ▁intern- ▁gai- est- ▁luck- ▁confident- ▁security- ▁property- ▁useful- ▁received- ▁mainly- ▁raining- ▁stressed- ▁finished- ▁modern- ▁stamps- ▁batch- ▁America- ▁schedule- ▁bench- ▁hobbies- ▁literary- ▁noisy- ▁banana- ▁losing- ▁excited- ▁wallet- ▁suay- ▁dear- ▁salted- ▁stack- ▁maid- ▁se- ▁heng- ▁helps- ▁perform- ▁bringing- ▁exact- ▁alamak- ▁available- ▁gaming- ▁wooden- ▁management- ▁destresses- ▁Kim- ▁managed- ▁exist- ▁sack- ▁arm- ▁cooked- ▁courses- w- ▁lock- ▁blame- ▁practical- ▁truth- ▁Science- ▁uniform- ▁manager- ▁liked- ▁module- ▁receive- ▁recall- ▁sucks- ▁staff- ▁worried- ▁mummy- ▁characters- ▁solve- ▁buddy- Guni- mee- ▁Asia- ▁lecture- ▁tourist- ▁members- ▁grand- Bay- ▁Karang- Cup- ▁blonde- ▁strength- la- ▁disturb- ▁deserve- ▁South- ▁opening- ▁milo- ▁shore- ▁tower- ▁ear- ▁stayed- ▁accident- ▁dessert- ▁saving- ▁singer- ▁mala- W- Payoh- ▁familiar- ▁significant- ▁Pokemon- ▁thin- ▁jio- ▁fitness- ▁among- ▁king- ▁investment- ▁member- ▁influence- ▁needed- ▁shout- ion- ▁wrote- ▁filled- ▁pure- ▁covered- ▁mess- ▁butter- ▁plans- ▁cloth- ▁fill- ▁necessary- ▁skirt- ▁Day- ▁limit- ▁benefit- ▁fella- ▁email- ▁pin- ▁copy- ▁impact- ▁political- ▁emotional- ▁powder- ▁shovel- j- ▁Starbucks- ▁becomes- ▁spirit- ▁flavour- ▁cheek- ▁patient- ▁finger- ▁poster- ▁cloud- ▁develop- ▁progress- ▁remove- ▁auto- ▁guest- ▁useless- ▁whereas- ▁bags- ▁sold- ▁theory- ▁packet- ▁album- ▁arrow- ▁Mee- ▁significance- ▁earth- ▁cher- ▁gotta- ▁limited- ▁shy- ▁whose- le- ▁carrying- ▁war- ya- ▁mo- ▁magic- Seng- ▁stopped- ▁diving- ▁prepared- ▁kicking- ▁rose- ▁apple- ▁lobster- ▁flower- ▁wheels- ▁dreams- ▁shelter- ▁religious- ▁Hougang- ▁humble- ▁bunch- ▁medical- ▁gotten- ▁showing- Mo- ▁lights- ▁prawn- ▁seats- ▁paste- ▁frame- ▁uncomfortable- ▁responsibility- ▁Milo- ▁menu- ▁tank- ▁roller- ▁ok- ▁barbecue- ▁sent- ▁grandparents- ▁tight- ▁tiger- ▁prison- ▁range- ▁creative- ▁Serangoon- ▁valuable- ▁ramen- ▁dragon- ▁tickets- ▁mode- ▁aside- ▁performance- ▁pieces- ▁secret- ▁download- ▁target- Coast- ▁doubt- ▁peace- ▁salmon- ▁communicate- ▁lab- ▁Nasi- ▁gross- ▁whoever- ▁otherwise- ▁marketing- ▁guitar- ▁windows- ▁flip- ▁code- ▁drawing- ▁comment- ▁foot- ▁careful- ▁sambal- ▁massage- ▁piano- ▁mentioned- ▁marks- ▁shooting- ▁collected- ▁clearing- ▁gift- ▁commitment- ▁robot- ▁option- ▁hole- ▁carrot- ▁switch- ▁Western- ▁musical- ▁minimum- ▁vegetarian- ▁fellow- ▁Teddy- ▁zone- ▁holy- ▁extend- ting- ▁changes- ▁individual- ish- ra- ▁senior- ▁men- Park- ▁ridiculous- ▁controversial- ▁attached- ▁collection- ▁anytime- ▁October- ▁moments- ▁doors- ▁heat- ▁da- ▁dates- ▁visitors- ▁spoil- ▁vegetables- ▁yo- ▁ignore- ▁approach- ▁independent- ▁quarter- ▁chase- ▁rabbit- ▁tractor- ▁wh- ▁eggs- ▁setting- ▁row- ▁gossip- ▁introduce- ▁karang- ▁Kallang- ▁Tinder- ▁companies- ▁jacket- ▁handsome- ▁sake- ▁immediately- ▁annoyed- ▁upset- ▁owner- ▁wasted- ▁bucks- ▁towel- ▁dialect- ▁aware- ▁traffic- ▁families- ▁portion- ▁playlist- ▁rarely- ▁mad- ▁char- ▁Malaysian- ▁thingy- ▁pins- ▁rank- ▁interact- ▁mature- ▁bonus- ▁cancel- ▁leaving- ▁fifth- ▁Bukit- ▁pole- ation- ▁speaker- ▁coach- ▁kindergarten- ▁tongue- ▁peaches- ▁delivery- ▁salty- ▁caring- ie- ▁expected- ▁weak- ies- ▁attend- ▁fry- Kio- ▁sex- ▁September- ▁sergeant- ▁basis- ▁evil- ▁signage- ▁highest- ▁wherever- ▁James- of- ▁soul- ▁oral- ▁downstairs- ▁tap- ▁nicely- ▁notes- ▁W- ▁firstly- ▁enjoying- ▁website- ▁snake- ▁seagull- ▁sweat- ▁App- ▁competitive- ▁maintenance- ▁Geylang- ▁summer- ▁liao- ▁foundation- ▁bio- ▁clearly- ▁nearer- ▁wa- goodness- ▁mental- ▁regular- ▁karaoke- ▁passport- ▁medicine- ▁Club- ▁hiking- ▁ego- ▁reality- ▁bright- man- ▁sat- ▁humans- ▁touching- ▁discount- ers- ▁gay- ▁tissue- ▁loan- ▁quarrel- ▁separate- lemak- Mee- ▁asleep- ▁celebrity- ▁exciting- ▁literature- ▁Pasir- ▁nearest- ▁snacks- ▁complaining- ▁dive- ▁erm- ▁hire- ▁matters- ▁crash- time- ▁pot- ▁sentence- ▁promotion- ▁drool- ▁chop- ▁French- ▁village- ▁depression- ▁priority- ▁Tamil- ▁scenery- ▁dropping- ▁Shore- ▁chips- ▁active- ▁inspired- ▁gosh- ▁phones- ▁moved- ▁instructor- ▁Muslim- ▁Africa- ▁Bear- ▁spice- ▁exhibition- ▁bak- ▁shellfish- ▁affordable- ▁Poly- ▁Joel- ▁rental- ka- ▁noise- ▁gun- ▁sleeve- ▁essay- ▁lack- ▁large- ▁Bugis- ▁exercising- ▁fantastic- ▁facial- ▁chef- ▁cartoon- ▁enjoyable- ▁ee- ▁tag- ▁mixed- ▁tone- ▁broken- ▁pearl- ▁button- ▁flags- ▁origin- ▁keeping- ▁mod- ▁aren- ▁spread- ▁teleport- ▁package- ▁bets- ▁context- ▁mutton- ▁river- ▁tech- ▁Bishan- ▁specifically- ▁painful- ▁earning- ▁drag- ▁incident- ▁condition- ▁stretch- ▁screw- ▁leader- ▁credit- ▁extreme- ▁dancing- ▁journey- ▁neighborhood- ▁involved- ▁City- ▁jam- ▁oily- ▁painting- ▁smelly- ▁failed- ▁commit- ▁floors- ▁apps- ▁display- ▁paint- ▁upgrade- ▁pace- ▁increase- ▁enrichment- ▁Apple- ▁travelled- ▁vehicle- ▁naturally- ▁shouting- ▁content- ▁kiss- ▁reasons- ▁magical- ▁metal- ▁colleagues- ▁castle- ▁borrow- ▁route- ▁shake- ▁volume- ▁sir- ▁jeans- ▁counted- ▁ch- ▁hardly- ▁cert- ▁starts- ▁dis- ▁print- ▁tax- ▁garden- ▁looked- ▁bond- ▁max- ▁access- ▁Uniqlo- ▁definition- ▁delicious- ▁glad- ▁versus- ▁booth- ▁presentation- ▁Germany- ▁built- ▁festival- ▁symbol- ▁sum- ▁ideas- ▁sells- ▁Jia- ▁evening- ▁snow- ▁technical- ▁Paris- ▁beauty- ▁medium- ▁naughty- ▁physically- ▁failure- ▁elder- ▁slide- ▁hunt- ▁bean- ▁pour- Potter- ▁department- ▁alcohol- ▁bridge- ▁inner- ▁purposely- ▁affected- ▁upper- ▁sacrifice- ▁tie- ▁label- ▁theme- ▁ka- ▁pill- ▁lit- ▁ne- ▁retire- ▁international- ▁lonely- ▁unbelievable- ▁routine- ▁precisely- ▁section- ▁boil- ▁selfish- ▁directly- ▁bao- ▁Kai- ▁financially- ▁fishes- ▁swing- ▁solo- ▁conversations- ▁symbols- ▁suffer- ▁scream- ▁pretend- ▁keeps- ▁relationships- ▁structure- ▁prevent- ▁east- ▁shops- ▁WhatsApp- ▁argue- ▁craving- ▁irritating- ▁resume- ▁studied- ▁cruise- ▁initially- ▁pocket- ▁lean- ▁promise- ▁remain- ▁communication- ▁height- ▁cigarette- ▁options- ▁grown- ▁plum- all- guni- ▁tick- ▁bomb- ▁cancer- ▁Sembawang- ▁casual- ▁potential- ▁stunned- ▁skinny- ▁anime- ▁joy- ▁host- ri- ▁trade- ▁hamster- ▁wondering- ▁map- ▁pen- ▁modules- ▁crowds- ▁scratch- ▁Malacca- ▁impossible- ▁insurance- ▁lamb- ▁multiple- ▁ladies- ▁France- ▁horse- ▁types- ▁stock- ▁belt- ▁sis- ▁source- ▁Math- ▁stamp- ▁bill- ▁worked- ▁sheet- ▁upon- ▁Philippines- ▁answered- ▁lip- ▁resources- ▁actors- ▁stars- ment- ▁reject- ▁contribute- ▁manual- ▁Marvel- ▁insane- ▁opportunities- ▁picnic- ▁upgrading- ▁psychology- ▁industrial- ▁betting- ▁peak- ▁forced- ▁sour- ▁intrigues- to- ▁steam- ▁preference- ▁mooncake- ▁mobile- ▁oven- ▁House- ▁messy- ▁bonding- ma- ▁Kong- ▁depending- ▁steps- ▁cinema- ▁scare- ▁recipe- ▁turns- ▁enjoyed- ▁drives- ▁minded- ▁exercises- ▁forest- ▁pills- ▁cousins- ▁cockroach- ▁Adam- ▁November- ▁awesome- ▁forecast- ▁January- ▁fierce- ▁simply- ▁nowhere- ▁giam- ▁Jay- ry- ▁academic- ▁outdoor- ▁rule- ▁calm- ▁ingredients- ▁strike- ▁including- ▁phase- ▁vending- ▁fridge- ▁confidence- ▁daddy- ▁fixed- ▁counter- ▁rushing- ▁connect- ▁appear- ▁yeap- ▁groups- ▁sandals- ▁savings- ▁aim- ▁stare- ▁float- ▁foreign- ▁Crazy- ▁wrap- ▁jialat- ▁unhealthy- ▁banner- ▁chalet- ▁platform- ▁mentality- ▁toxic- ▁mountains- ▁argument- ▁crap- ▁buildings- ▁woo- ▁wing- ▁stairs- ▁prove- ▁considering- ▁carrots- ▁meals- na- ▁plant- ▁dig- ▁likely- ▁fans- ▁spell- ▁Liverpool- ▁assuming- ▁mystery- ▁necessarily- ▁dealbreaker- ▁Chicken- ▁Uber- ▁winning- is- ▁scissors- ▁di- ▁shade- us- ▁influencer- ▁factor- ▁al- te- Yi- ▁monitor- ▁fuck- ▁loving- ▁maximum- ▁smiling- ▁classroom- ▁briyani- ▁glasses- ▁moon- ▁details- ▁climbing- ▁letters- ▁wipe- ▁museum- ▁seashell- ▁adults- ▁freak- ▁steal- ▁smooth- ▁introvert- ▁brush- ▁beyond- ▁laundry- ▁pepper- ▁podcast- ▁WiFi- ▁applied- ▁hardworking- ▁roughly- ▁golden- ▁studio- ▁tiny- ▁van- ▁mop- ▁status- ▁tent- ▁added- shirt- ▁estate- ▁panel- ▁bone- ▁gas- ▁tips- ▁sweep- ▁encourage- ng- teow- ▁decent- ▁strawberry- ▁therefore- ▁watermelon- ▁Kampung- ▁edition- ▁shag- ▁curly- ▁scan- ▁emotionally- ▁expecting- ▁Sam- ▁magazine- ▁musician- ▁clothing- ▁iron- ▁wings- ▁Sing- ▁li- ▁valid- ▁basket- ▁intense- ▁plot- ▁welcome- ▁fence- ▁laksa- ▁romance- ▁Spirit- ▁slept- ▁loyalty- ▁surprisingly- ▁bang- ▁string- ▁bitter- ▁numbers- ▁atas- ▁capital- ▁bottles- ▁flats- ▁straw- ▁quote- ▁stripes- ▁picking- ▁colours- ▁grill- ▁spoke- ▁shell- th- ▁advance- goreng- ▁Venom- ▁silent- ▁surgery- ▁kiasu- ▁apartment- ▁suitable- ▁landed- ▁seconds- ▁honesty- Gates- ▁knee- ▁finance- ▁fee- ▁shoulder- ▁produce- ▁recognise- ▁joking- ▁instant- ▁Dubai- ▁enemy- ▁queuing- ▁Pasar- ▁gender- ▁Paya- ▁disappointed- ▁herbal- ▁formal- ▁chili- ▁scolded- ▁drugs- ▁throwing- ▁Christian- ▁drivers- ▁assignment- ▁director- ▁vibe- ▁collecting- ▁peeve- ▁specs- ▁wasting- ▁rules- ▁professional- ▁actress- ▁conscious- ▁neutral- ▁burden- ▁silence- ▁troublesome- ▁south- ▁toothpaste- ▁halal- ▁accidentally- ▁reaction- pop- ▁gate- ▁clock- el- ▁ang- ▁kai- ▁folks- ▁supermarket- ▁task- ▁hearing- ▁equipment- ▁classmate- ▁subjects- ▁degrees- Ma- ▁crush- ▁migrate- ▁divorce- ▁efficient- ▁sudden- ▁Agnes- ▁drove- ▁threw- ▁responsible- ▁wild- ▁workplace- ▁era- ▁One- ▁chain- ▁wonderful- ▁dust- ▁graduated- ▁created- ▁sofa- ▁stream- ▁crime- ▁experiment- ▁article- ▁Mac- ▁legal- ▁en- ▁deliver- ▁le- ▁heartlands- ▁Phuket- ▁burst- ▁combination- ▁hopscotch- ▁procrastinate- ▁survey- ▁hurry- ▁beginning- ▁warehouse- ▁logo- ▁West- ▁invisible- ▁becoming- ▁toner- ▁toes- ▁protect- ▁Hari- ▁advise- ▁seek- ▁lane- ▁benefits- ▁outlet- ▁fees- ▁pe- ▁intend- ▁adopt- ▁chose- ▁promote- ▁nah- ▁squeeze- ▁jealous- ▁jungle- ▁submit- ▁motorbike- ▁silver- ▁welfare- ▁babe- ▁bungee- ▁teeth- ▁pail- ▁European- ▁helpful- ▁convert- ▁comedy- ▁randomly- ▁overall- ▁west- ▁relaxing- ▁missed- ▁fin- ▁kite- ▁fats- by- ▁Jun- ▁genres- ▁vacuum- ▁bully- ▁peas- Lemak- Bahru- ▁toast- ▁Mandarin- ▁leisure- ▁lousy- ▁Italy- ▁multi- ▁tail- ▁angmoh- ▁crispy- ▁confused- ▁blender- ▁assistant- ▁mass- ▁branded- ▁Char- ▁wording- ▁ordered- ▁fetch- ▁centres- ▁waves- ▁clouds- ▁sponsor- ▁learned- ▁involve- ▁houses- ▁turned- ▁wanting- li- ▁pursue- ▁succeed- four- ▁additional- ▁motivation- ▁Saint- ▁Singtel- ▁mutant- ▁population- ▁knitting- ▁British- ▁luckily- ▁Raffles- ▁converse- ▁makan- ▁siew- ▁barely- ▁application- ▁prof- ▁agent- ▁riding- ▁hoping- ▁Gai- ▁youngest- ▁Ma- ▁longest- ▁bun- ▁Indonesian- ▁followed- hoon- ▁expectations- me- ▁concerts- ▁ho- ▁triangle- ▁showed- ▁fishball- ▁brothers- ▁engage- ▁smoothie- ▁helped- ▁jun- ▁ca- ▁replace- ▁adjust- ▁memorise- ▁suggest- ▁spring- ▁minor- ▁Italian- ▁serving- ▁yogurt- ▁innocence- ▁midnight- ▁lemon- ▁Hello- ▁production- ▁pissed- ▁episodes- ▁trips- ▁recommended- ▁seagulls- ▁experiences- ▁bathe- ▁soya- ▁guard- ▁mushroom- ▁review- ▁payment- ▁effect- ▁sisters- ▁hug- ▁Hai- ▁weekdays- ▁fa- ▁challenging- ▁luggage- ▁multiply- ▁staircase- ▁maroon- ▁admin- ▁drank- ▁Ikea- ▁neck- ▁regardless- ▁passionate- ▁unfortunately- ▁gang- ▁constantly- ▁ultimately- ▁anti- ▁dump- ▁extremely- ▁mate- ▁equally- ▁dining- ▁realized- at- ▁lighter- Lin- ▁neighbors- ▁mirror- ▁temple- ▁connection- ▁tear- ▁angel- ce- ▁cleaner- ne- ▁spin- East- ▁Book- ▁Canada- ▁iPad- ▁alternative- ▁destination- ▁response- ▁coffeeshop- ▁Johor- ▁embarrassed- ▁shorter- ▁volunteering- ▁core- ▁din- ▁captain- ▁relative- ▁signs- ▁lecturer- ▁Long- ▁plants- ▁punch- ▁combine- ▁register- ▁heaven- ▁breathe- ▁breast- ▁spaghetti- ▁assessment- ▁solid- ▁blanket- ▁Nike- ▁satisfied- ▁scooter- ▁bono- ▁household- ▁rackets- ▁Zealand- ▁Hui- ▁scam- ▁spare- ▁lyrics- ▁bout- ▁scolding- ▁baked- ▁difficulty- ▁joined- ▁ba- ▁pa- ▁traveled- ▁triple- ▁experienced- ▁turning- ▁sub- ▁gear- ▁advertisement- ▁cable- ▁include- ▁lies- ▁necklace- ▁collector- ▁actions- less- ▁ties- ▁grad- ▁refuse- ▁fiction- ▁author- ▁Disney- ▁easiest- ▁length- ▁Mark- ▁leaf- ▁pilot- ▁trading- ▁guilty- ▁eww- ▁Boon- ▁carpark- ▁larger- ▁mango- ▁Coast- ▁wore- ▁posted- ch- ro- ▁walked- ▁views- ▁passenger- ▁arms- ▁biscuit- ▁tape- som- ▁reflect- ▁jail- Lebar- ▁oops- ▁German- ▁blend- ▁surprising- ▁Big- ▁butterfly- ▁dropped- ▁entrance- ▁lipstick- ▁neither- ▁patience- ▁ringgit- ▁skydiving- ▁Mount- ▁scale- ▁inspiration- ▁Pete- ▁connected- ▁developed- two- ▁gen- chor- Chu- ▁staring- ▁texting- ▁Z- ▁pies- ▁temperature- ▁slice- ▁ribbon- ▁hint- ▁decisions- ▁rod- ▁Q- it- ▁fold- ▁respond- ▁encounter- ▁freeze- ▁lepak- ▁mutual- ▁recycling- ▁suicide- ▁whatsoever- ▁Mobile- ▁balik- ▁Holland- ▁irritated- ▁cheapest- ▁ends- ▁buses- ▁choices- ▁cockles- ▁workers- ▁parking- ▁languages- ▁salad- ▁motor- ▁blank- ▁Gardens- ▁lawyer- ▁butcher- ▁expectation- ▁May- ▁slack- ▁pump- ▁arrange- ▁Air- ▁rubber- ▁hook- Ris- ▁Adidas- ▁fertility- ▁Halloween- ▁profile- ▁crew- ▁truck- ▁Line- ▁God- um- ▁killed- ▁beard- mo- ▁mistakes- ▁pan- ▁pit- ▁joining- ▁sa- ▁seashells- ▁odd- ▁voucher- ▁require- ▁hay- ▁flaw- ▁neighbor- ▁cow- Z- q- il- cream- ▁stalls- ▁Manchester- ▁cereal- ▁crisis- ▁ensure- ▁happily- ▁illegal- ▁naked- ▁racist- ▁seaweed- ▁Fandi- ▁dunno- ▁jogging- ▁audition- ▁breed- ▁quiz- ▁rise- ▁calculated- ▁surfing- ▁anger- ▁held- ▁ban- ▁Anna- ling- ▁sleepy- ▁tofu- ▁econs- ▁bees- ▁hill- ▁seed- ▁passing- ▁papers- ▁traveling- ▁crack- ▁engineer- ▁owe- ▁layer- ▁irritate- ▁muscle- ▁programme- ▁drug- lo- ▁gather- ▁rap- Kang- ▁disagree- ▁Mercedes- ▁Samsung- ▁ocean- ▁oyster- ▁unfair- ▁England- ▁babies- ▁grail- ▁housing- ▁Seoul- ▁aww- ▁Carousell- ▁chasing- ▁effective- ▁pastime- ▁allowance- ▁stingy- ▁siao- ▁adventurous- ▁acceptable- ▁chem- ▁prize- ▁provided- ▁darker- ▁belly- ▁wrongly- ▁sight- ▁goats- ▁pulling- ▁agreed- ▁guessing- ▁Shi- ▁trigger- ▁unit- ▁method- ▁lips- ▁School- ▁drain- ▁sink- ▁reduce- ▁translate- ▁accurate- ▁peaceful- ▁trail- ▁stubborn- ▁Miss- ▁Tokyo- ▁nervous- ▁policy- ▁sashimi- ▁liquid- ▁petrol- ▁satisfaction- ▁depth- ▁legend- ▁void- City- ▁po- ▁origins- ▁na- ▁hike- ▁stated- ▁candy- ▁bu- ▁models- ▁seeds- ▁trays- ▁chit- ▁expenses- ▁soap- ▁computers- ▁somewhat- ▁v- gai- ▁attract- ▁pattern- ▁claim- ▁begin- ▁tier- ▁cakes- ▁officer- ty- ▁projects- ▁Su- ▁edit- ▁nurse- ▁complicated- ▁knife- ▁typhoon- ▁Iceland- ▁relevant- ▁Joyce- ▁Genting- ▁fancy- ▁thriller- ▁liking- ▁Newton- ▁planned- ▁Nun- ▁June- ▁blur- ▁rely- ▁goat- ▁holes- ▁fart- ▁nation- ssed- ▁scenario- ▁struggle- ▁image- ▁solution- ▁customers- ▁intention- ▁surrounding- ▁clip- ally- ▁abuse- ▁adapt- ▁understood- Rich- ▁answers- ▁genuine- ▁honeymoon- ▁overcome- ▁impressive- ▁queen- ▁raising- ▁Little- ▁Black- ▁clockwise- ▁mama- ▁creepy- ▁Wave- ▁housework- ate- ▁curve- ▁answering- ▁exposed- ▁Ryan- kway- ▁recorded- ▁marker- ▁coins- ▁visited- ▁watches- ▁accounting- oo- ▁counting- ▁comments- ▁diet- z- ▁bell- ▁lover- ▁script- Garden- ▁si- ▁attraction- ▁trainer- ▁chew- ▁belong- ▁delay- ▁shells- ▁pioneer- ▁calculate- ▁sharp- ▁criteria- ▁emergency- ▁precious- ▁pregnant- ▁president- ▁microphone- ▁mosque- ▁keyboard- ▁spade- ▁absolutely- ▁subjective- ▁expression- ▁capable- ▁Road- ▁kway- ▁loss- ▁bare- ▁kicked- ▁port- ▁correction- ▁plates- ▁worker- ▁cares- ▁checking- ▁jokes- ▁par- ▁chances- age- ▁handbag- ▁advantage- ▁stranger- ▁filter- ▁diff- ▁unlike- ▁flour- ▁Tiong- ▁convenience- ▁cultural- ▁flexible- ▁judging- ▁awake- ▁innocent- ▁stingray- ▁duty- ▁headache- ▁clubbing- ▁granted- ▁Star- ▁frozen- ▁overnight- ▁regarding- ▁Yew- ▁however- ▁bow- ▁sentimental- ▁malls- ▁site- ▁oi- ▁cheating- ▁sincere- ▁shed- ▁rat- ▁sustain- ur- ▁relatives- ▁oo- ▁cookies- ▁pad- ▁measure- ▁corn- ▁wire- ▁tutor- ▁acronyms- ▁perfume- ▁aeroplane- ▁idiot- ▁motivate- ▁trick- ▁weapon- ▁detail- ▁coin- ▁classic- ity- ▁surf- ▁bless- ▁stalk- ▁cough- ▁permanent- ▁rough- ▁beneath- ▁category- ▁licence- ▁nursing- ▁surface- ▁fusion- ▁steamboat- ▁texture- ▁chest- ▁educated- ▁mentally- ▁Wei- ▁motivated- ▁curse- ▁fork- ▁stronger- ▁filling- ▁monthly- ▁cons- ▁speakers- ▁picked- ▁killing- ▁onion- ▁Chris- ▁youth- ▁interests- ▁stands- ▁sending- ▁ti- ▁tin- ▁refer- ▁zip- ▁dots- ▁professor- ▁operation- ▁coaster- ▁cheer- ▁client- ▁recover- ▁purchase- ▁reveal- ▁organise- ▁freelance- ▁electric- ▁admit- ▁entry- ▁sarcastic- ▁supervisor- ▁bullshit- ▁garlic- ▁identity- ▁prank- ▁Pulau- ▁Switzerland- ▁automatically- ▁realistic- ▁theatre- ▁cha- ▁trailer- ▁sickness- ▁Maldives- ▁reasonable- ▁rejected- ▁buttons- ▁gathering- ▁packed- ▁sticky- ▁texted- ▁mu- ▁lo- ▁sheng- ia- ▁playful- ▁brings- ▁helper- ▁inter- ▁outing- ▁Si- ▁pros- ▁spoon- ▁update- ▁represent- ▁organisation- ▁attachment- ▁discover- ▁vote- Road- Zealand- three- ▁logic- ▁superhero- ▁attractive- ▁MacPherson- ▁currency- ▁elephant- ▁facilities- ▁initiative- ▁nephew- ▁thirsty- ▁Johnny- ▁itinerary- ▁desk- ▁Stella- ▁spray- ▁cope- ▁Kuan- ▁lend- ▁pity- ▁fund- ▁bloody- ▁screaming- ▁reached- ▁Ban- ▁heels- ▁chip- ▁insects- ▁schooling- ▁vibes- se- ian- ▁prices- ▁Mo- ▁foreigners- ▁disappear- ▁instrument- ▁slipper- ▁pitch- ▁participate- ▁marble- ▁polite- ▁Gerald- ▁Subway- ▁aquarium- ▁software- ▁tingling- ▁Jalan- ▁shelf- ▁puppy- ▁pluck- ▁cheesecake- ▁terminal- ▁entitled- ▁profit- ▁Rice- ▁depressing- ▁lowest- ▁princess- ▁taller- ▁mustard- ▁roomie- ▁panda- ▁suffering- ▁loudly- ▁harm- ▁accepted- ▁stores- ▁puff- ▁angle- ▁burning- ▁Art- ▁hurts- ▁semi- ▁surely- as- ▁breaking- ▁Li- ▁bla- ▁squares- sh- ▁af- ▁sawing- ▁blow- ent- ▁opponent- ▁visual- ▁dim- ▁entertain- ▁Ubi- ▁manner- ▁nail- ▁spider- ▁edge- ▁damage- ▁recycle- ▁behave- ▁delete- ▁racket- ▁audience- ▁childcare- ▁funeral- ▁generous- ▁grateful- ▁kopitiam- ▁mookata- ▁ourself- ▁prefect- ▁scope- ▁stadium- ▁straightforward- ▁throat- ▁venom- ▁cowboy- ▁ginger- ▁truffle- ▁bullied- ▁cheesy- ▁conclusion- ▁fuel- ▁strap- ▁feedback- ▁ferry- ▁portable- ▁roti- ▁sightseeing- ▁mail- ▁screwed- rice- ▁palm- ▁bothered- ▁talented- Again- ▁offered- ▁bind- ▁dai- beh- ▁scenes- ▁Jing- ▁jog- ▁har- ▁emotions- ▁commercial- ▁claw- ▁proceed- ▁twist- ▁hype- ▁veg- ▁capture- ▁expose- ▁interaction- ▁monkey- ▁boost- ▁nap- ▁companion- ▁Jolene- ▁Shanghai- ▁accommodation- ▁accompany- ▁crayfish- ▁eldest- ▁principal- ▁reservist- ▁rural- ▁barbeque- ▁fantasy- ▁Daniel- ▁Guang- ▁nanny- ▁leadership- ▁junior- ▁battery- ▁powerful- ▁committed- ▁cockroaches- ▁Parish- ▁ingredient- ▁aspiration- ▁eighties- ▁cheated- ▁counts- ▁olden- Teow- ▁loser- ▁breaks- ▁praying- X- Man- ▁boot- ▁dialects- ▁muscles- ▁consequences- ▁function- ▁hive- ▁panic- ▁traits- ▁seasons- ▁peeves- ▁poke- ▁pea- ▁formula- ▁hm- ▁rec- ▁teache- ▁enrol- ▁reward- ▁portray- ▁bias- ▁determine- ▁extrovert- ▁Maggi- ▁observe- ▁adventure- ▁superficial- Han- ▁corridor- ▁false- ▁furniture- ▁hidden- ▁ownself- ▁rectangle- ▁strategy- ▁unhappy- ▁cardio- ▁anniversary- ▁elite- ▁Spiderman- ▁popcorn- ▁lottery- ▁struggling- ▁hostel- ▁Grey- ▁bloomer- ▁Siri- ▁awareness- ▁steering- ▁spotted- ▁basement- ▁Plaza- ▁stove- ▁Haw- ▁chemical- ▁movement- ▁War- ▁childish- ▁tyre- ▁weekday- ▁fate- ▁seater- ▁waited- ▁ev- ▁risks- ▁log- ▁lor- ▁runs- ▁ears- ▁su- ▁walls- do- ine- ay- ge- ▁cases- ▁confess- ▁Yi- ▁Uni- ▁scar- law- ▁cock- John- ▁global- ▁thankful- ▁tomato- ▁Toto- ▁slap- ▁Honda- ▁ambitious- ▁geography- ▁healthcare- ▁lmao- ▁luxury- ▁nasty- ▁possibly- ▁rebellious- ▁tournament- ▁Penang- ▁stood- ▁Chelsea- ▁silly- ▁Disneyland- ▁brake- ▁referring- ▁majority- ▁teleportation- ▁statement- ▁hiding- ▁cabin- ▁roasted- ▁sniffing- ▁relatively- ▁consideration- ▁satisfying- ▁custom- ▁firm- ▁advanced- ▁Tan- ▁eraser- ▁hao- ▁turtle- ▁lizard- ▁heartland- ▁niece- ▁container- ▁workshop- ▁electronic- ▁brave- ▁cameras- ▁aspects- ▁onwards- ▁spoilt- ▁tasted- ▁robots- ton- ▁whoa- ▁Bio- ▁Al- ▁levels- ▁rub- ▁region- ▁suits- ▁tradition- ▁tip- ▁privilege- ▁request- Timah- Raya- ▁nerd- ▁teenage- ▁authentic- ▁thumb- ▁alternate- ▁broad- ▁compulsory- ▁essence- ▁furthest- ▁graduation- ▁imagination- ▁intelligent- ▁philosophy- ▁tasty- ▁Sengkang- ▁appointment- ▁jelly- ▁council- ▁frequency- ▁rooftop- ▁Perth- ▁savoury- ▁beehive- ▁tahan- ▁Audrey- ▁digital- ▁rooms- ▁retirement- ▁Mother- ▁chey- ▁dragging- ▁brownish- ▁dip- ▁particularly- ▁completed- ▁Physics- ▁intake- ▁MacDonald- ▁flash- ▁antique- ▁feeding- ▁parks- ▁jet- ▁opinions- ▁circumstances- ▁sadly- ▁aye- ▁signal- ▁timer- ▁searching- go- ▁saved- ▁shirts- ▁failing- ▁tube- ▁plank- ▁lived- ▁ta- ▁prep- ▁mac- ▁internal- ▁named- ▁hor- ▁sides- ▁antiques- ▁Da- ▁tune- ▁reserve- ▁drill- ▁ac- Yew- ▁March- Kway- ▁Night- ▁Great- ▁Esplanade- ▁Greece- ▁encouraging- ▁frustrated- ▁pavement- ▁preparing- ▁upbringing- ▁August- ▁Jesus- ▁scroll- ▁Cantonese- ▁udon- ▁Seven- ▁patch- ▁healthier- ▁harsh- ▁oya- ▁regularly- ▁bosses- ▁purely- ▁triggered- ▁retired- ▁materials- ▁matured- ▁rainy- ▁sector- ▁invited- ▁olive- ▁comic- ▁leading- ▁tire- ▁secondly- ▁couples- Di- ▁scramble- ▁roads- ism- de- ▁mates- ▁playgrounds- ▁forth- ▁coloured- ▁features- ▁fam- out- ▁pok- ▁hack- gi- ▁breath- ▁Cambodia- ▁vomit- ▁stunt- ▁Lin- Quay- Xiang- Sands- Mian- ▁logical- ▁slip- ▁April- ▁ankle- ▁economy- ▁hokkien- ▁privacy- ▁surname- ▁Brunei- ▁trolley- ▁despite- ▁pride- ▁surfboard- ▁unlucky- ▁visa- ▁Michael- ▁tourism- ▁Andrew- ▁pond- ▁located- ▁photography- ▁Xiao- ▁Cafe- ▁bushes- Par- ▁deeper- ▁mat- ance- ▁fed- ▁performing- ▁treated- ▁scoop- ▁monster- ▁challenges- ▁tender- ▁whale- ▁strangers- ▁lay- ▁talents- ▁services- am- ▁kindness- ▁supporting- ▁Ted- ▁hitch- ▁downwards- ▁Yan- ▁fingers- ▁Ali- ▁musicians- ong- ▁blocks- ▁stir- ize- ▁ill- ▁demand- ni- han- Villa- liao- ▁cast- ▁singapore- ▁bunk- ▁You- ▁Innisfree- ▁escalator- ▁mixture- ▁parcel- ▁repair- ▁sausage- ▁supply- ▁Taobao- ▁corporate- ▁hindsight- ▁scholarship- ▁atmosphere- ▁protein- ▁closing- ▁mouse- ▁electricity- ▁audio- ▁matchmade- ▁tango- ▁pineapple- ▁pile- ▁vest- ▁manga- ow- ▁hardest- ous- ▁interior- ▁focused- ▁campaign- ▁lifetime- ▁occasion- ▁supposedly- ▁relation- ▁waffle- ▁Wen- ▁calories- ted- ▁McDonalds- ▁secrets- ▁sets- ▁opened- ▁classmates- ▁central- ▁span- ▁bath- ▁factors- ▁headphones- ▁youngsters- ▁pairs- ▁partners- ▁ducks- ▁faith- ▁trains- ▁distress- ▁select- Kuan- ▁maggi- ▁bark- ▁exit- ▁external- ▁Causeway- ▁algorithm- ▁choosing- ▁describing- ▁heritage- ▁kosong- ▁military- ▁organic- ▁resort- ▁seatbelt- ▁stereotype- ▁wheelbarrow- ▁earpiece- ▁martial- ▁various- ▁alarm- ▁sexuality- ▁aggressive- ▁matchmake- ▁mopping- ▁universe- ▁breakdown- ▁whack- ▁injured- ▁cabby- ▁Yong- ▁Wild- ▁mods- ▁pioneering- ▁spa- ▁beaches- ▁safer- ▁exhibitions- ▁acknowledge- ▁disturbing- ▁spill- ▁frog- ▁tutorial- ▁cone- ▁workout- ▁foreigner- ▁et- ▁melt- aking- ▁peel- ▁snap- ▁tan- ▁Div- ▁aha- ▁fi- ▁ants- ▁debts- ise- ▁situations- ▁allows- ▁hop- ▁regrets- ▁races- ▁fur- ▁destroy- ▁load- ▁embarrass- ▁murder- ▁network- ▁concentrate- United- ▁desperate- ▁arrogant- ▁immediate- ▁object- ▁Batman- ▁Myanmar- ▁Sephora- ▁Suntec- ▁certificate- ▁cliche- ▁coconut- ▁dealmaker- ▁diabetes- ▁exposure- ▁marathon- ▁pencil- ▁thief- ▁unnecessary- ▁vintage- ▁outcome- ▁Telok- ▁fisherman- ▁importance- ▁Alvin- ▁giant- ▁gangster- ▁cupboard- ▁straightaway- ▁bunny- ▁college- ▁sunset- ▁waving- ▁paiseh- ▁abilities- ▁Ayam- ▁plug- ▁dependent- ▁mince- ▁sunny- ▁Service- ▁Burger- ▁York- co- ▁nails- ▁blessed- ▁factory- ▁shave- ▁aiyah- ▁compromise- ▁chick- ▁diamond- ▁producer- ▁textbook- ▁pancake- ▁error- ▁subscribe- ▁assignments- ▁circles- ▁wha- ▁Wan- ▁Play- ▁panels- ▁pears- ▁bound- ▁Wi- ▁predict- ▁conduct- ▁annoy- et- ▁bump- ▁puke- Point- Wei- ▁engine- Lay- ▁agencies- ▁airplane- ▁chendol- ▁concrete- ▁controversy- ▁excellent- ▁gravy- ▁hashtag- ▁helmet- ▁remote- ▁renovation- ▁tampines- ▁vessel- ▁yolk- ▁Dhoby- ▁choir- ▁improving- ▁virus- ▁Timothy- ▁hipster- ▁itchy- ▁Vietnamese- ▁shuttle- ▁netball- ▁perception- ▁pillow- ▁omelette- ▁slang- ▁shipping- ▁obsessed- ▁Force- ▁equality- ▁fictional- ▁Chong- ▁Dance- ▁storyline- ▁combing- ▁install- ▁matches- ▁Seng- ▁cure- ▁locked- ▁concerned- ▁rides- ▁spoken- ▁served- ▁perfectly- ▁Mall- ▁lately- ▁highly- ▁fired- ▁trained- King- ▁veggie- ▁oversea- da- ▁visiting- ▁peer- ▁chilling- ▁glitters- ▁wei- ▁sticks- ▁rid- ▁burnt- ▁propose- ▁speaks- ▁correctly- ive- ▁cells- ▁artists- ▁compete- ▁meter- ▁economics- ▁blog- ik- ▁films- ak- ▁highlight- ▁retail- ▁retain- ▁command- ▁psych- ▁official- ▁jia- ▁Vivo- ▁Power- ▁Kopitiam- ▁Krabi- ▁advertising- ▁animation- ▁bungalow- ▁comparison- ▁description- ▁hygiene- ▁intelligence- ▁introduction- ▁qualify- ▁qualities- ▁rojak- ▁strawberries- ▁technician- ▁upstairs- ▁practise- ▁orientation- ▁McSpicy- ▁Taipei- ▁vacation- ▁Golf- ▁Pizza- ▁beige- ▁judgement- ▁Pub- ▁vase- ▁Choa- ▁retake- ▁grandpa- ▁craft- ▁cherry- ▁skipping- ▁promo- ▁balloon- ▁laughter- ▁micro- ▁whichever- ▁treatment- ▁transportation- ▁pampered- ▁kana- ▁nun- ▁practically- ▁impatient- ▁fulfilling- ▁Jie- ▁Bak- ▁generic- ▁anchor- ▁aiming- ▁kin- ▁fairy- ▁Malam- ▁Gen- ▁wo- ▁tub- Legend- ▁instruction- ▁boxing- ▁economic- ▁motorcycle- ▁file- ▁requires- ▁debt- ▁reaching- ▁shocking- ▁documents- ▁smoothies- he- ▁clubs- ▁fare- ▁bears- ▁bones- Ting- line- ▁sue- ▁streets- ▁programs- ▁sail- ▁recognize- ▁secure- Chou- Airport- Ubin- Wen- ▁fortunate- ▁consistent- ▁ultimate- ▁gentle- ▁forgive- ▁Robin- ▁Middle- ▁Contest- ▁Filipino- ▁Hokkaido- ▁MacRitchie- ▁Turkey- ▁forehead- ▁garbage- ▁juicy- ▁Melvin- ▁racial- ▁accessible- ▁foam- ▁confusing- ▁materialistic- ▁Golden- ▁pasar- ▁ouch- ▁distresses- ▁productive- ▁Old- ▁distracted- ▁rack- ▁discussion- ▁keen- ▁gao- ▁Square- ▁percentage- ▁stepping- ▁hitting- ▁possess- ▁Bean- ▁attended- ▁bi- ▁Qing- ▁spices- ▁meetings- ▁rolling- ▁pimple- ▁checked- ▁ruin- ▁ra- ▁eyebrow- ▁cafes- ▁Lim- ▁necklaces- ▁ver- ▁spectacles- ai- ▁pounds- ▁Ba- iness- ▁sp- 'no'- ▁cigarettes- ▁comm- ▁slim- ▁fulfill- ▁Mala- ▁Ha- ▁vertical- ▁constant- ▁Botanic- ▁branch- ▁journal- ▁Circle- ▁Downtown- ▁Jeju- ▁Khatib- ▁Norway- ▁circular- ▁evidence- ▁excluding- ▁grammar- ▁insecure- ▁procrastination- ▁segment- ▁sword- ▁syllabus- ▁flew- ▁happier- ▁oxygen- ▁Huawei- ▁twenties- ▁Spotify- ▁documentary- ▁applicable- ▁independence- ▁outfit- ▁vice- ▁Clarke- ▁haunted- ▁Four- ▁motion- ▁chess- ▁tries- ▁Lion- ▁Cai- pa- ▁actively- ▁Rich- ▁difficulties- ▁sailing- ▁slower- ▁hoon- ▁softer- ▁bullying- ▁ironing- ▁oldest- ▁repeating- ▁meme- ▁farming- ▁emotion- ▁mannequin- ▁pub- ▁improvement- ▁posting- ▁hardship- ▁flaws- ▁footballer- ▁locals- ▁Yu- ▁flavours- ris- math- ▁cooling- ▁prompts- ▁dirt- ▁standards- ▁sessions- ter- ▁waffles- ▁pant- ▁taxis- ▁groom- ▁exclude- ▁renew- ▁aspirations- '['- Pop- ▁loose- ▁Insta- ▁courage- ▁compliment- ▁Arnold- ▁Earth- ▁Eatigo- ▁Energ- ▁FIFA- ▁Melbourne- ▁commission- ▁cushion- ▁fool- ▁frappe- ▁funniest- ▁gambling- ▁pleasant- ▁presence- ▁puddle- ▁recognition- ▁squad- ▁goodbye- ▁pronunciation- ▁priorities- ▁Michelle- ▁Deepavali- ▁applies- ▁Social- ▁construction- ▁operating- ▁sentosa- ▁cemetery- ▁Nicholas- ▁balcony- ▁Food- ▁clay- ▁tentage- ▁trial- ▁Earl- ▁Briyani- ▁July- ▁icon- ▁lime- ▁secondhand- ▁Beach- ▁cleanser- ▁Theme- ▁demon- ▁leftover- ▁growth- ▁sang- ▁pinkish- ▁mud- ▁historical- ▁rating- ▁someday- ▁trousers- ▁poop- ▁medication- ▁smarter- ▁stretching- ▁raised- ▁Avengers- ▁understandable- ▁sweating- ▁prawning- ▁debate- ▁specially- ran- ▁gig- ▁accepting- ▁bend- ▁pale- ▁venture- ▁procedure- ▁mission- ▁border- ▁blessing- ▁requirement- ▁chapter- ▁mile- ▁tr- ▁ski- ▁heal- ▁prawns- ▁honours- ▁rates- ▁lovely- ▁dated- ▁fame- ▁praise- tic- ▁bat- ▁pointed- ▁readings- ▁eyebrows- ▁Sun- ▁Indians- ▁mis- ▁haste- ▁slides- ▁King- ▁backpack- ▁guarantee- ▁initiate- ▁expand- Hui- ▁labour- ▁unexpected- Lao- Lee- ▁sandwich- ▁mosquito- ▁affects- ▁fever- ▁FaceBook- ▁Sweden- ▁antenna- ▁barrier- ▁behaviour- ▁caramel- ▁empathy- ▁fibre- ▁franchise- ▁lantern- ▁offence- ▁password- ▁stamina- ▁twentieth- ▁underneath- ▁humour- ▁managing- ▁February- ▁Rachel- ▁narrow- ▁concealer- ▁attempt- ▁celebration- ▁sunglasses- ▁Pills- ▁programming- ▁convo- ▁unagi- ▁Claire- ▁overrated- ▁Two- ▁greedy- ▁moisturiser- ▁depressed- ▁festive- ▁indie- ▁Victoria- ▁seventies- ▁Simon- ▁attracted- ▁duh- ▁organize- ▁catalyst- ▁booking- ▁educational- ▁separated- ▁parties- ▁reminded- ▁blowing- ▁operate- ee- ▁spit- ▁ethics- ▁seller- ▁focusing- ▁covering- ▁hearted- ▁sticking- ▁quest- bah- ▁pol- ▁Din- ▁lion- ▁coat- ▁disease- ▁ad- ▁award- ▁idol- ▁slot- ▁prompt- ▁headphone- ▁youngster- ▁Woodland- ▁stones- Asians- ▁analyse- ▁Asians- ▁lectures- ▁Vans- ▁wanton- ▁hu- ▁sting- ▁intro- ▁stays- ki- ▁Shop- ▁motorcycles- ▁bills- ▁centers- ca- ▁costs- ▁festivals- ▁jack- ▁deduct- ▁tai- World- Village- ▁essential- ▁excel- ▁Aaron- ▁Mediacorp- ▁Peggy- ▁Scotland- ▁Texas- ▁allergic- ▁avocado- ▁banquet- ▁ceiling- ▁concession- ▁monetary- ▁shampoo- ▁cliff- ▁complex- ▁hometown- ▁roommate- ▁drew- ▁kimchi- ▁bounce- ▁lens- ▁appropriate- ▁Xavier- ▁swimsuit- ▁Zara- ▁punishment- ▁appearance- ▁waterfall- ▁pathway- ▁occasionally- ▁magician- ▁similarities- ▁polar- responsibilities- ▁forcing- ▁addicted- ▁Jane- ▁equivalent- ▁stopping- ▁Point- ▁tricky- ▁detailed- ▁included- ▁combined- ▁Island- ▁extended- ▁erase- ▁greenish- ▁Bay- ▁strongly- ▁shifted- ▁gel- ▁transparent- ▁clients- ▁Me- ▁certainly- ▁lau- ▁camping- ▁worrying- ▁genes- ▁objective- ▁seniors- ▁superpower- ▁inform- ▁elective- way- ▁prayer- ▁Garden- ▁conflict- bu- ▁Pet- ▁leaves- ▁cleaners- ▁chi- ▁marking- ▁ve- ang- tending- ▁stages- ▁hats- ap- ▁bra- ▁environmental- long- ▁faint- ▁donation- ▁rescue- ▁skate- Eleven- Island- ▁gamble- ▁frequent- ▁humid- ▁confront- ▁Bintan- ▁Cheryl- ▁Nutella- ▁Southeast- ▁comparing- ▁devil- ▁gloss- ▁grocery- ▁integrity- ▁zombie- ▁curriculum- ▁thigh- ▁Candy- ▁Good- ▁creating- ▁millionaire- ▁humor- ▁rendang- ▁Jordan- ▁wreck- ▁granny- ▁transition- ▁academically- ▁cities- ▁consist- ▁trap- ▁scheme- ▁controlling- ▁dedicated- ▁crave- ▁Koi- ▁colourful- ▁greyish- ▁shitty- ▁grilled- ▁breathing- ▁mild- ▁spoiled- ▁folding- ▁relieve- ▁pho- son- ▁Pro- ▁overtime- ▁celebrated- ▁chin- Cha- ▁dreamt- ▁packing- ▁Courts- ▁nicest- ▁newer- chat- ▁My- ▁theater- ▁stops- ex- Lim- ▁pleasure- ose- ▁reference- ▁disaster- ▁slave- ▁pound- ▁politic- ▁toward- yum- ▁cell- ▁keeper- ▁reviews- led- ▁adding- men- ▁seal- ▁articles- ▁emails- ▁finances- ▁nuts- ▁shown- cu- ▁tab- ▁upload- ▁im- ▁literal- ▁purposes- Fi- ▁Maths- ary- ▁Van- ▁She- ▁Jo- ical- ▁facts- ung- ▁Russia- ▁satisfy- ▁detect- ▁threaten- ▁thir- ▁dimension- ▁civil- ▁Joseph- ▁Ferrari- ▁Pavilion- ▁Twitter- ▁anxiety- ▁blouse- ▁clever- ▁conservative- ▁elderlies- ▁groceries- ▁jeep- ▁lesbian- ▁possibility- ▁Econs- ▁Northern- ▁beneficial- ▁holistic- ▁justify- ▁foresee- ▁phobia- ▁mainstream- ▁flies- ▁wolf- ▁Crystal- ▁countdown- ▁deny- ▁battle- ▁lake- ▁weakness- ▁University- ▁billion- ▁supportive- ▁combo- ▁inspirational- ▁inclined- ▁essentially- ▁Sheng- kong- ▁emo- ▁impressed- ▁Jimmy- ▁selected- ning- ▁handling- ▁fif- uhI- ▁engaged- ▁laws- ▁guni- ▁sadness- ▁coma- ▁mole- ▁spelling- ▁hip- ▁ranking- ▁developing- ▁greater- Ning- ga- ▁chim- ▁forms- ▁Red- ▁attractions- ▁Bar- red- ▁mathematics- ▁bitch- ▁Rui- ▁towels- ▁bars- ▁desire- ▁ju- ▁slope- ▁brick- ▁cups- ▁artiste- ▁resting- ok- ▁nag- ut- ▁nut- ▁booked- ▁messages- ▁desserts- ▁Zi- ▁drums- ▁abs- ▁La- ▁pages- ver- ▁driven- maths- ▁outdoors- ▁powers- ▁burgers- ▁doll- ▁input- ▁piss- ▁Ka- ▁refresh- ▁draft- York- like- India- Kitty- ▁sexual- Gai- ▁recruit- ▁Android- ▁PayLah- ▁PayNow- ▁detention- ▁flirt- ▁french- ▁graduating- ▁horizontal- ▁relatable- ▁turkey- ▁Tekka- ▁rainbow- ▁sesame- ▁scrub- ▁filial- ▁sunblock- ▁computing- ▁several- ▁pram- ▁sunrise- ▁Festival- ▁membership- ▁bedroom- ▁therapy- ▁Merlion- ▁pageant- ▁Katong- ▁Museum- ▁pian- ▁disk- ▁Gong- ▁destroyed- ▁unable- ▁sponsored- ▁greatest- ▁enjoyment- ▁heaty- ▁boom- Chan- ▁pandan- ▁Fort- ▁matcha- ▁tricks- ▁strands- ho- hi- ▁risky- ▁picky- ▁applying- ig- ▁sc- ▁generations- fi- ▁includes- ▁fr- ▁danger- ▁flavor- ▁peanut- ▁supplement- ▁achievement- ▁vendor- ▁feature- ▁tears- ▁novel- ▁drum- ▁resource- ▁states- ▁engages- ▁piranhas- ▁signed- ▁albums- ▁Teh- ▁bikes- ▁worms- ▁needy- ▁norm- ▁finishing- un- ping- ▁friendships- ▁recipes- ▁liver- ▁heights- ▁Malays- ▁trends- x- ▁info- ▁absorb- ▁stole- ▁bald- ▁consume- ▁convince- ▁cramp- Plaza- New- ▁mash- ▁vague- nua- ▁merge- ▁Eddie- ▁Labrador- ▁Argus- ▁circuit- ▁explanation- ▁fountain- ▁helicopter- ▁matchmaking- ▁mischievous- ▁necessity- ▁polytechnic- ▁rectangular- ▁squash- ▁surgeon- ▁wavelength- ▁desktop- ▁orchard- ▁spouse- ▁biology- ▁rugby- ▁squiggly- ▁Finland- ▁Justin- ▁furthermore- ▁retarded- ▁sufficient- ▁assist- ▁William- ▁posture- ▁Pearlyn- ▁stroller- ▁flu- One- ▁River- ▁cashless- ▁Central- ▁canvas- ▁tide- ▁Iron- ▁Sushi- ▁frequently- ▁Street- ▁chio- ▁Siew- ▁genuinely- ▁authority- ▁Singa- ▁reserved- ▁goreng- ▁horn- ▁nest- ▁existed- kan- ▁charger- ▁entered- ▁noises- ▁noticed- ard- ▁balanced- ▁Men- ▁mice- ▁rep- ▁crossing- ▁rings- ▁em- ▁Maya- ▁archetypes- As- ▁Kay- ▁Clementi- ▁cu- ▁aging- ▁Don- ▁pose- ▁regards- ▁mint- ▁nightmare- ▁organization- ▁mi- ▁spec- ▁Swensen- ▁indoor- ▁effects- ▁nugget- ▁citizen- ▁buck- ▁Hua- ▁sia- ▁voices- pe- ▁x- ▁sided- ▁banks- ▁Far- ▁We- ▁vi- ▁doctors- ▁tracks- ▁hates- ▁sup- ▁comics- ▁teams- kut- ▁planet- be- ▁cos- ▁chee- ▁prince- ▁resolve- ▁associate- eight- ▁arrive- ▁abandon- Ahmad- ▁Alex- ▁cringe- ▁artificial- ▁Rome- ▁economical- ▁Arab- ▁volcano- ▁graph- ▁cheerful- ▁transit- ▁Charmaine- ▁Chemistry- ▁Eurasian- ▁Hindu- ▁History- ▁Literature- ▁ancient- ▁bluff- ▁continuing- ▁courtesy- ▁deposit- ▁heavily- ▁hilarious- ▁irrelevant- ▁ketchup- ▁mahjong- ▁oriented- ▁poverty- ▁premium- ▁sponge- ▁spontaneous- ▁superior- ▁suspicious- ▁swallow- ▁thieves- ▁varieties- ▁wheelchair- ▁ignorant- ▁Tekong- ▁thirties- box- ▁Universal- ▁fiber- ▁boundaries- ▁Michelin- ▁scoreboard- ▁sensor- ▁subway- ▁dread- ▁league- ▁Giant- ▁Busan- ▁Autumn- ▁tuna- ▁reflection- ▁Snow- ▁humanities- ▁mister- ▁electrical- ▁nineties- ▁dried- ▁highway- ▁Nex- ▁yummy- ▁bakery- ▁splash- ▁politically- five- ▁talkative- ▁appeared- ▁selfie- ▁op- ▁sixth- ▁internships- ▁fucking- ▁el- ▁striped- ▁chosen- ju- ▁Ya- ▁settled- ▁killer- ▁attacking- ▁grave- ▁str- ▁touched- ▁spam- ▁ri- ▁interpret- bao- ▁banking- ▁weekly- ▁ding- ▁Sha- ▁dolls- ▁abit- ▁partly- ▁butchers- ▁dr- Foo- ▁mentor- ▁dinosaur- ▁strip- ▁technique- ▁cabinet- ▁alien- ▁cultures- Jun- ▁gu- ▁eco- ▁millennials- ▁Ru- ▁Sim- ▁sorts- ▁tastes- har- ▁ni- ier- En- ▁whales- ▁finals- ▁vehicles- ▁pi- ▁condemn- ▁suspect- League- Wave- Wild- ▁impress- Wan- ▁insist- ▁urgent- ▁clinic- ▁saliva- ▁champion- ▁Excel- ▁Geography- ▁Spencer- ▁armpit- ▁aspire- ▁capacity- ▁carefree- ▁classify- ▁english- ▁existence- ▁leather- ▁lounge- ▁portfolio- ▁refill- ▁replied- ▁sarcasm- ▁scenic- ▁scientific- ▁specify- ▁television- ▁underground- ▁wrestling- ▁skating- ▁mineral- ▁Head- ▁macaroni- ▁vulgarities- ▁junction- ▁companionship- ▁vulgar- ▁papaya- ▁Sylvia- ▁marine- ▁bodies- ▁moisturizer- cuba- ▁subsequently- ▁Zoo- ▁miserly- ▁replacement- ▁bruh- ▁digest- ▁insert- ▁suggestion- ▁Kovan- ▁roadside- Tai- ▁alert- ▁Coke- ▁cherish- ▁Feng- ▁manpower- ▁beast- ▁Hub- ▁Hotel- ▁hong- ▁contractor- ▁considerate- ▁shaking- ▁proof- ▁dye- ▁conditions- ▁How- Shan- ▁Taylor- ▁maggie- ▁sweater- ▁associated- ▁United- ▁strongest- ▁twen- ▁ballet- chi- ▁Dion- ▁determined- ▁Lay- ▁swap- ▁teen- ▁contented- ▁shitting- ▁richer- ▁cave- ▁entirely- ▁costly- ▁outline- ▁sim- ▁dressed- ▁Ho- ▁wished- ▁pricey- ▁rational- ▁alias- ▁stats- ag- ▁neat- ▁han- ▁needle- ▁officers- ized- ▁crabs- ▁layers- ▁contacts- wan- ▁inch- ▁foodie- ▁kit- ▁jo- ▁Chan- ▁dealing- ▁bullet- ▁spike- ▁aesthetic- ▁sole- ▁costume- ▁squat- ▁farmer- ▁goodie- ▁audit- ful- light- ▁accumulate- ▁citizens- ▁tourists- ▁slots- ▁owl- ▁kor- ▁academics- ▁gr- ▁meters- ▁pancakes- ▁tho- Wet- ▁electronics- ▁publish- ▁brief- ▁consult- ▁poison- link- Penyet- ▁wealth- Malam- ▁absolute- ▁initial- ▁spiritual- ▁pau- ▁boots- ▁crawl- ▁villa- ▁tragic- ▁automatic- ▁Ganesh- ▁Jollibee- ▁MacBook- ▁Police- ▁Spain- ▁Spanish- ▁Toyota- ▁apron- ▁bastard- ▁cabbage- ▁carnival- ▁defense- ▁disabled- ▁dungeon- ▁elsewhere- ▁metaphor- ▁monsoon- ▁octopus- ▁parallel- ▁philosophical- ▁reputation- ▁technologies- ▁thirtieth- ▁Bandung- ▁Potong- ▁coding- ▁favour- ▁kanchiong- ▁Laneige- ▁Nanyang- ▁autistic- ▁counselling- ▁decorative- ▁shortcut- ▁trekking- ▁tummy- ▁turquoise- ▁Jason- ▁translation- ▁Temasek- ▁carpet- ▁Winnie- ▁ceremony- ▁Hollywood- ▁shield- ▁waist- ▁executive- ▁Arsenal- ▁spinning- ▁partially- ▁priest- ▁fluffy- Batok- ▁Audi- ▁steady- ▁speechless- ▁David- ▁racing- ▁nick- ▁cutlet- ▁strive- ▁shallow- ▁rebel- ▁offended- ▁condensed- ▁takeaway- ▁Romeo- ▁timetable- ▁Yuan- ▁Joy- ▁fryer- ▁warning- ▁temper- ▁rallying- ▁heavier- ▁haha- ▁cai- ▁heroes- ▁hunter- ▁spiders- ▁required- ▁loop- ▁fastest- ▁bathing- ▁Xin- ey- ▁ongoing- ▁instruments- ▁tied- ▁toddler- ist- ▁incorporate- ▁Ray- ▁Chi- ▁led- ▁lied- ned- ▁tooth- ▁cooler- ▁habits- ▁tested- ▁pushed- ▁Shu- ▁concepts- ▁lotion- ▁eve- dy- ▁Tim- ▁urban- ▁figurines- ad- ant- ▁bl- ▁redo- ▁trunks- ▁Egypt- ▁beliefs- ▁Jian- ▁lecturers- ▁beats- ▁root- ▁poem- rry- ▁contain- ▁pigeon- ▁scholar- ▁twin- ▁logistic- ▁described- ▁novels- ▁magazines- ▁fo- ▁practic- ▁museums- ▁stab- ▁soil- ▁instructions- ▁roles- ▁ji- ▁pr- ▁rag- king- cause- pan- ▁pun- ▁accounts- ▁nor- ▁drown- ▁reverse- ▁assess- ▁drift- ▁desert- ▁punish- ▁millions- ▁bulk- ▁intellectual- ▁frank- ineapple- Tau- ▁prime- ▁advertise- ▁Beijing- ▁BreadTalk- ▁Koufu- ▁Mookata- ▁Telegram- ▁alpha- ▁dialysis- ▁embrace- ▁heirloom- ▁irresponsible- ▁navy- ▁nuisance- ▁exclusive- ▁genius- ▁hardcore- ▁swipe- ▁faux- ▁Suzuki- ▁Superga- ▁diverse- ▁spectrum- ▁reliable- ▁Sharon- ▁assistance- ▁hopping- ▁pinpoint- ▁bacon- ▁macam- ▁mingle- ▁ordinary- ▁distinction- ▁tendency- ▁Coffee- ▁Sierra- ▁oval- ▁nursery- ▁cashier- ▁underwear- ▁coke- ▁simi- ▁cardboard- ▁regretted- ▁fatter- ▁rape- ▁memorize- ▁Airport- ▁beforehand- ▁individually- ▁folded- ▁malay- ▁bonded- ▁touristy- ▁mold- ▁delaying- ▁pinch- ▁released- ▁scored- ▁frying- rs- ▁attachments- ▁graded- ▁cl- ▁African- ▁storey- ▁gum- ▁worthy- ▁rounds- ▁rats- Gardens- ▁backup- ▁Lei- dai- ▁seasoning- ▁Mel- per- ▁treats- ▁prob- saw- ko- ▁noted- ▁Le- ▁dreaming- ▁winner- ▁recommendation- ▁criminal- ▁classical- ▁lap- ▁pamper- ▁employee- ▁tarts- ▁millennial- ▁differ- ▁worm- ▁logistics- ▁queueing- ▁pas- ▁st- ▁knees- ▁equals- ▁starter- ▁nuggets- ze- ▁whe- cy- ▁Ping- ▁outer- ▁scares- ▁stocks- ▁ooh- ba- ▁olives- ▁beans- ▁tattoos- ▁biting- ▁defend- ▁shoots- ▁imp- ▁whoo- ▁vege- ▁appeal- ▁tolerate- ▁renovate- ▁confuse- ▁implement- ▁invent- Silver- Bean- <- ▁newspapers- ▁stain- ▁overlook- ▁latte- ▁bronze- ▁unfortunate- ▁critical- ▁buff- ▁juniors- oreal- ▁Jonathan- ▁Microsoft- ▁Nokia- ▁Okinawa- ▁Starhub- ▁asthma- ▁cholesterol- ▁conducive- ▁contributing- ▁differentiate- ▁distant- ▁division- ▁duration- ▁emperor- ▁enemies- ▁exotic- ▁immature- ▁investigate- ▁jersey- ▁piercing- ▁prioritise- ▁sardine- ▁tolerance- ▁Buddhist- ▁Doctor- ▁Prime- ▁hammer- ▁reddish- ▁subscription- ▁terrorist- ▁venue- ▁wrist- ▁Osaka- ▁compound- ▁niche- ▁Duel- ▁defence- ▁unicycle- ▁Puma- ▁indecisive- ▁Lisa- ▁Bollywood- ▁Macau- ▁Oreo- ▁numb- ▁comfortably- ▁recap- ▁Geraldine- ▁fought- ▁amazed- ▁apologise- ▁Spine- ▁wireless- ▁Jessie- ▁dairy- ▁stability- ▁promoting- ▁mechanic- ▁shiny- ▁photographer- ▁slight- ▁hotter- Panther- ▁League- ▁tilted- ▁Gold- ▁lian- ▁Mary- ▁alot- ▁agreement- ▁requested- ▁poker- ▁torn- ▁Kitty- ▁carefully- ▁thicker- ▁ranger- ▁campus- ▁herring- ▁spine- ▁entertaining- ▁paddle- ▁chewing- ▁shouted- ▁supplies- ▁vacuuming- ▁sporty- ▁ticking- ▁accomplished- ▁expressed- ▁appreciated- ▁sharks- ▁pressing- ▁import- Fung- ▁lotus- ▁torture- ▁treating- ▁te- ▁rage- ▁obstacles- ▁deeds- ▁tilt- ▁parenting- ▁caps- ▁courts- ▁ow- ▁Ku- Wong- ▁bug- ▁placed- having- ▁hut- ▁owning- ▁lighting- ▁lag- ▁elements- ▁spark- ▁ponytail- ▁clue- ▁crocodile- ▁composition- ▁deadline- ▁bundle- ▁qualification- ▁sample- ▁dolphin- ▁Lao- ui- ▁fasting- ▁Uh- ▁singers- va- ▁minimal- ▁tart- nce- ei- ▁chart- ▁ke- cted- ▁swee- day- ▁peers- ▁pic- ▁De- ated- ke- ▁Sec- ▁indicate- ▁witness- ▁roast- ▁neglect- ▁tee- Ghaut- Simon- ▁distinct- ▁expert- ▁Ngee- ▁Adobe- ▁Amsterdam- ▁California- ▁Dakota- ▁Teochew- ▁Vegas- ▁acapella- ▁agenda- ▁altogether- ▁arguing- ▁dementia- ▁experiencing- ▁horoscope- ▁housewife- ▁immune- ▁injury- ▁pincer- ▁preparation- ▁protagonist- ▁remedial- ▁supernatural- ▁underrated- ▁viral- ▁wisdom- ▁withdraw- ▁yishun- ▁abroad- ▁committee- ▁hectic- ▁microwave- ▁stagnant- ▁tactic- ▁Tanglin- ▁orphanage- ▁vanilla- ▁railway- ▁Phantom- ▁interchange- ▁pasir- ▁stewardess- ▁parade- ▁Islam- ▁Somerset- ▁blade- ▁visible- ▁Thomson- ▁temporary- ▁animate- ▁Cube- ▁cruel- ▁Prison- ▁speechlessness- ▁monk- ▁villain- ▁du- ▁iconic- ▁medal- ▁overhead- ▁assembly- ▁naan- ▁Studies- ▁tete- ▁Lady- ▁kidney- ▁Kelly- ▁compo- ▁freezing- ▁binge- ▁humanity- ▁surrounded- ▁polo- ▁chatting- ▁passive- ▁bumper- ▁sci- ▁peo- ▁Song- ▁fallen- ▁biased- ▁Peter- ▁bid- ▁promoter- ▁privileged- ▁Steven- ▁remem- ▁broth- ▁Dan- ▁asset- ▁Russian- ▁flavoured- ▁weaker- ▁Sarah- ▁smallest- ▁ethical- ▁softly- ▁judged- ▁gardening- ▁lacking- ▁divided- ▁guessed- ▁weights- ▁soci- ▁attending- ▁dressing- ▁backwards- ▁nat- ▁confirmed- ▁followers- ▁methods- uhthe- ▁bass- ised- ▁masters- ▁stigma- ▁Re- ▁web- ▁overly- ▁qua- ▁camps- ster- ▁stations- ▁commitments- ▁soak- ▁gi- ▁ab- ▁tablet- ao- Yai- ▁Fa- bi- ▁fundamental- ▁bins- ▁characteristic- ▁candle- ▁element- bo- ▁insect- ▁intrigue- ▁nowaday- yu- ▁cookie- ▁aliens- ▁Go- ▁accidents- ▁ships- ▁ki- ▁Hill- ▁weddings- ial- ▁ro- land- ▁weigh- yo- ▁Lit- ▁bands- ying- ▁shots- ▁flop- ▁ga- di- iest- ▁gana- ▁ed- ▁chemicals- ▁resign- made- ▁thread- ▁brows- ▁polish- ▁Chu- ▁profession- Barrage- prata- ▁staple- Hong- ▁coast- ▁Captain- ▁Channel- ▁Adventure- ▁Bitcoin- ▁Claudia- ▁Ernest- ▁Internet- ▁Kanken- ▁Nintendo- ▁Standard- ▁alumni- ▁anxious- ▁automated- ▁calendar- ▁celebrities- ▁creativity- ▁cubicle- ▁facility- ▁gesture- ▁hummus- ▁mandatory- ▁parasol- ▁rewind- ▁rinse- ▁shadow- ▁tertiary- ▁unknown- ▁vampire- ▁Belgium- ▁Benjamin- ▁hotpot- ▁psychological- ▁abusive- ▁maturity- ▁tedious- ▁Friends- ▁fifties- ▁Thomas- ▁crystal- ▁scientist- ▁Anonymous- ▁juggle- ▁tempted- ▁Genki- ▁laser- ▁acne- ▁selection- ▁species- ▁static- ▁stationary- ▁litter- ▁protection- ▁sustainable- ▁hangout- ▁hind- ▁carbs- ▁Story- ▁fatty- ▁Silver- ▁cutter- ▁wana- ▁Five- Ann- ▁Village- ▁standby- ▁mock- ▁outfield- ▁credits- ▁kayaking- ▁lull- ▁Bank- ▁pointless- Yum- ▁trans- ▁wisely- ▁invested- ▁tryna- ▁represents- ▁achieved- ▁proven- ▁alley- ▁safest- ▁noob- ▁kaya- ▁creamy- ▁lifting- ▁Care- ▁inspires- ▁Bo- ▁thousands- ▁drying- ▁wat- ▁bull- ▁comp- ▁mixing- ▁turner- ▁Jen- ▁continued- ▁importantly- ▁explaining- ▁blast- ▁user- ▁gifts- ▁sin- ▁The- ▁mon- ban- ▁smells- Ming- book- ▁warrior- ▁examination- ▁Game- ▁affair- ▁device- ▁rhyme- ▁earring- ▁Pa- ▁piranha- ▁En- ▁prayers- ▁des- ▁tele- ▁falls- ▁chapters- ▁compet- ▁machines- ber- ▁mug- ▁hotels- ▁Ris- ▁aid- ▁Xi- lly- ▁zi- ▁sacrifices- ▁kan- ana- ji- ▁linked- ul- ▁gem- ▁temp- ▁grind- ▁greet- ▁rail- ▁align- ▁defeat- ▁strain- Loong- Heng- Yuan- ▁creep- ▁definite- Long- ▁fond- ▁Stephen- ▁Zouk- ▁Bhutan- ▁Khao- ▁Kosong- ▁Lazada- ▁Messi- ▁Pakistan- ▁Tribute- ▁Uncle- ▁ambiguous- ▁ambulance- ▁asshole- ▁assumption- ▁categories- ▁century- ▁cleanliness- ▁climate- ▁cluster- ▁disadvantage- ▁earthquake- ▁fattening- ▁foresight- ▁gigantic- ▁haystack- ▁inflation- ▁libraries- ▁milkshake- ▁multitask- ▁paragraph- ▁plenty- ▁reservoir- ▁seminar- ▁syrup- ▁themself- ▁transaction- ▁transcript- ▁wardrobe- ▁Samuel- ▁boast- ▁clap- ▁gauge- ▁granddaughter- ▁trimming- ▁unsure- ▁Skype- ▁Tony- ▁brunch- ▁relief- ▁unemployed- ▁receptionist- ▁stiff- ▁Bayfront- ▁harmony- ▁meditation- ▁analysis- ▁muddy- ▁obligation- ▁popiah- ▁scariest- ▁cohort- ▁illness- ▁prior- ▁rising- ▁Wanton- ▁cancelled- ▁zao- ▁Beauty- ▁Keith- ▁preferably- ▁recce- ▁serial- ▁Alice- ▁console- ▁dual- ▁personalities- ▁peop- ▁Angel- deciding- ▁pillar- ▁Cold- ▁Xuan- ▁Parade- ▁merit- ▁prone- ▁Wang- ▁overthinking- ▁tension- ▁doggo- ▁Dota- ▁Tru- ▁discovered- ▁secretly- ▁outgoing- ▁jealousy- ▁Raya- ▁suggested- ▁converted- rilyn- ▁sexy- ▁barking- ▁upside- ▁stem- ▁stalking- ▁positively- ▁hired- ▁pipe- Rangers- ▁announce- ▁floating- ▁cartoons- ▁existing- ▁warming- ▁marinate- ▁respectful- ▁shaped- ▁rounded- La- ▁advocate- ▁hence- ily- ▁seated- ▁mistaken- lin- ▁Bu- ▁returning- ▁ted- ▁glue- ▁cows- ▁prelims- if- ▁Girls- char- ▁listeners- ▁creatures- ▁tu- ▁handed- ▁charm- ▁believed- ▁Eve- ▁forum- ▁penguins- ▁lasted- ▁gong- ▁beg- ▁careless- ization- ▁zoom- ▁directions- ▁digg- ▁posters- ▁apa- ▁squirrel- ▁tale- ▁beginner- ▁drone- ▁aged- ▁kitten- ▁ambition- ▁honour- ▁folk- ▁Philippine- ▁YouTuber- tion- ide- ▁visitor- op- Ho- ▁Or- ▁dancer- ▁gram- ▁Las- ▁packs- ▁tool- Pa- ▁ko- ▁miles- peh- eo- ▁cam- ▁format- ▁concerns- cha- fun- ▁ty- rebus- ▁pri- ▁Glen- ▁z- park- ▁emphasize- Clinton- ▁flesh- Parade- Square- English- Year- Master- ▁Premier- Lian- ▁stitch- ▁Hawaii- ▁dang- ▁contest- ▁Amanda- ▁Lamborghini- ▁Marsiling- ▁Mooncake- ▁Munafik- ▁Vivian- ▁blossom- ▁breeze- ▁broccoli- ▁charcoal- ▁dictionary- ▁exploring- ▁extension- ▁google- ▁grandchildren- ▁hierarchy- ▁invisibility- ▁kallang- ▁lettuce- ▁outstanding- ▁palace- ▁principle- ▁savvy- ▁trombone- ▁unlimited- ▁virtual- ▁whisper- ▁workload- ▁Pacific- ▁Robert- ▁Taurus- ▁luxurious- ▁northern- ▁Alicia- ▁Sony- ▁architecture- ▁ninth- ▁padlock- ▁probability- ▁StarHub- ▁tekan- ▁Mexican- ▁rollercoaster- ▁identified- ▁batak- ▁certification- ▁miserable- ▁vocabulary- ▁Marine- ▁Novena- ▁dwell- ▁storage- ▁Tanjong- ▁impactful- ▁landmark- ▁Kimchi- ▁mike- ▁Jerome- ▁attendance- ▁Primary- ▁spiderman- ▁Ocean- ▁pax- ▁wiping- ▁yolo- ▁caption- ▁Emma- ▁Mission- ▁Royal- ▁bleeding- ▁Jenny- ▁vegan- ▁Poke- ▁Prata- ▁overwhelming- ▁Light- ▁forgotten- ▁Jerry- ▁frankly- ▁accomplishment- ▁tuck- ▁Goreng- ▁preferred- ▁employed- ▁barefooted- ▁handmade- ▁bulky- ▁Cher- ▁malaysia- ▁artistic- ▁abandoned- ▁renovated- ▁Marche- ▁reciprocate- ▁expired- ▁Nine- ▁disappeared- ▁Mao- ▁combat- ▁darkness- ▁cargo- ▁backside- ▁signing- Men- ▁Appa- ▁lemak- ▁recognised- ▁compensate- ▁Shen- ▁manners- ▁weirdest- ▁seventh- ▁epic- Glory- ▁Kang- ▁Po- ied- ▁catcher- ▁fighter- ▁heater- ▁Sri- ▁improved- ▁Bob- ▁drawer- ▁spy- ▁estimate- ▁charged- ▁wi- ▁rim- ▁relaxed- ack- ▁siam- ▁Lau- Ying- ▁timeline- ac- ▁cater- ▁generate- ▁sneakers- ▁belongs- ▁gloves- ▁trainers- ger- ▁Ross- ▁Australian- ▁ironic- mi- ▁jars- ▁Jan- ▁flights- gong- ▁collectors- ir- ▁Ro- ▁acts- ▁gadgets- ▁malam- ▁pigs- cal- ries- ye- ating- ▁Cha- ▁thr- ▁stake- ▁storybook- ▁puzzle- ▁passage- ▁employer- ▁kaki- ▁grape- ▁belonging- ▁spectacle- ▁misunderstand- Asian- ▁alter- ▁hah- ities- ▁pla- ▁caused- ▁Sal- ach- ▁gamer- ▁carbo- war- ▁melts- ▁Kit- sha- ▁swings- ▁elders- ▁sip- ▁hap- ▁shame- ▁fits- lu- ▁colors- ▁expir- ▁surround- ▁Leo- ▁tidy- ▁emcee- ▁rally- ▁Tang- ▁attach- ▁educate- cetera- Jackson- Junior- Xuan- Chong- Zhi- Poly- ▁Nepal- peng- ▁continent- ▁wok- ▁Swee- ▁excess- ▁neuro- ▁Airbnb- ▁Annabelle- ▁Argentina- ▁Fila- ▁GoPro- ▁Marcus- ▁Neopets- ▁Rihanna- ▁Sanchez- ▁Seletar- ▁Volkswagen- ▁adorable- ▁aerospace- ▁avenue- ▁bargain- ▁bathtub- ▁behavior- ▁cocoa- ▁comprehension- ▁diarrhoea- ▁energetic- ▁kiosk- ▁multiracial- ▁negativity- ▁puberty- ▁pyramid- ▁receipt- ▁repetitive- ▁reunion- ▁singlish- ▁testimonial- ▁trampoline- ▁tribute- ▁unreasonable- ▁unstable- ▁vinegar- ▁Chope- ▁Silat- ▁Zalora- ▁floral- ▁nuclear- ▁scanner- ▁Safra- ▁consistency- ▁Greek- ▁haircut- ▁riot- ▁steel- ▁Akash- ▁Grace- ▁Queen- ▁cumin- ▁laziness- ▁serum- ▁Scandinavia- ▁survival- ▁Lorong- ▁Running- ▁tinder- ▁detective- ▁restart- ▁savory- ▁bojio- ▁Shakespeare- ▁stray- ▁naive- ▁Taiwanese- ▁couch- ▁lump- ▁woohoo- ▁legitimate- ▁cotton- ▁lava- ▁xiao- ▁Ralph- ▁qualified- ▁fox- ▁bible- ▁Sonia- ▁skyline- ▁hiring- ▁Republic- ▁Kids- ▁hassle- ▁epok- ▁bathroom- ▁ashes- Panjang- ▁clan- ▁hugging- ▁Wall- ▁Market- ▁classified- ▁parasailing- ▁Fei- ▁motivational- ▁thankfully- ▁catered- ▁remembering- ▁Mid- ▁deserted- ▁Yang- ▁Wee- ▁upcoming- ▁mage- ▁convinced- ▁fulfilled- ▁Fish- ▁pastry- mail- ▁Hip- ▁organised- ▁accordingly- ▁porn- ▁introverted- ▁kiap- ▁topless- ▁breakup- ▁union- ray- ▁businesses- ▁editing- Tan- ▁Joey- ▁introduced- ▁punching- ▁blindly- ▁stealing- ▁Mile- ▁guns- ▁comb- ▁swinging- ▁Americans- ▁fairly- ▁colder- ▁coaching- mack- ▁targeting- ▁rented- ▁solar- ▁jumped- ▁pon- ▁sized- ▁filming- ▁Fai- ▁prim- wa- ▁fields- ▁br- ▁regional- ▁eighth- ▁brains- der- ▁disc- ▁chao- ▁rows- ▁diagnose- ▁cupcakes- ▁beng- ▁earphones- ▁Gu- ▁metres- ▁units- ▁codes- ▁sheeps- ▁Min- ▁smokers- ▁basics- ▁plump- ▁tools- ▁Sea- kio- ▁complaints- ▁earrings- ci- ▁outlets- ley- ▁Be- ▁investments- ▁scout- ▁curtain- ▁decoration- ▁negotiable- ▁document- ▁gadget- ▁penguin- ▁Boy- ick- ▁expense- ▁joker- ▁clo- ▁smoker- ▁idols- ▁pat- ▁requirements- ina- ▁entrepreneur- istic- ▁acquire- ▁Do- gu- master- ▁blond- ▁MacDonalds- ▁heel- ▁eater- Li- ▁toilets- ▁bonds- ▁sentiment- ▁interrupt- ▁Steve- ▁Shaw- ▁demolish- ▁compose- food- ▁kayak- ▁emphasis- ▁assign- ▁launch- ▁barefoot- Smith- Stadium- Goreng- Street- ▁Grand- Hill- ▁crunch- ▁Latin- padi- Dai- ▁steep- Link- ▁witch- ▁confide- ▁Super- ▁ethnic- ▁Alaska- ▁Avenue- ▁Croatia- ▁Eunos- ▁Joshua- ▁Mecca- ▁Sabrina- ▁Samantha- ▁Takoyaki- ▁Water- ▁aluminium- ▁arcade- ▁bacteria- ▁bazaar- ▁billionaire- ▁capsule- ▁caravan- ▁controversies- ▁deodorant- ▁domestic- ▁engaging- ▁escort- ▁eyeliner- ▁fraud- ▁frisbee- ▁impromptu- ▁inclusive- ▁instagram- ▁jurong- ▁messaging- ▁modify- ▁motive- ▁nevertheless- ▁occupation- ▁possibilities- ▁pretentious- ▁receiving- ▁reservation- ▁showcase- ▁stereotypical- ▁substitute- ▁tempura- ▁therapeutic- ▁timid- ▁unusual- ▁versatile- ▁comedian- ▁dialogue- ▁earliest- ▁summon- ▁attire- ▁Blackshot- ▁Blue- ▁clown- ▁kiwi- ▁virgin- ▁Andy- ▁plaster- ▁Jakarta- ▁bankrupt- ▁compile- ▁Coca- ▁election- ▁bluish- ▁lucid- ▁Nicole- ▁Venice- ▁aloe- ▁Charlie- ▁Wendy- ▁capabilities- ▁modified- ▁Charles- ▁banned- ▁favor- ▁urine- ▁layout- ▁Henry- ▁legacy- ▁mocha- ▁laid- ▁Superman- ▁washroom- ▁overpriced- ▁ease- ▁Halal- kali- ▁wax- ▁Missus- ▁Mitch- ▁capability- ▁sleeveless- ▁floorball- ▁blink- ▁Tiger- ▁pores- ▁rejection- ▁flush- ▁Trump- ▁Siti- ▁progression- ▁assam- ▁retriever- ▁consistently- ▁Cheng- ▁hai- ▁bookshop- ▁wealthy- ▁cui- ▁visually- ▁Forty- ▁naps- ▁obedient- wen- ▁Eleven- ▁hyper- ▁Sang- ▁mindful- ▁Bang- ▁bitten- ▁separately- ▁dresses- ▁Val- ▁pao- ▁delayed- ▁Bad- ▁deleted- ▁registered- ▁pastel- ▁bay- ▁yellowish- ▁arranged- ▁promoted- ▁migrated- ▁Land- ▁contributed- ▁downloaded- ▁directed- ▁windy- ▁solved- au- ▁cease- ou- ged- ▁calming- ▁ob- ▁wasabi- ▁designs- ▁lu- ▁contacted- ita- ▁Bears- ▁supporter- ▁investing- ▁cleared- ▁Nan- siew- ▁ancestors- ▁tackle- fan- ▁renting- ▁smelling- ▁Per- six- ▁def- ▁begins- ▁circled- ata- ▁ram- ▁glu- mation- ▁boarding- ▁tiles- Asia- ability- dey- bit- les- Pok- ▁revis- ▁biscuits- ten- ▁heading- ▁rappers- ▁Boys- her- ▁Han- ▁storm- zz- ▁Qi- ▁involves- tro- ▁candles- ▁vet- ▁holds- ▁efforts- ▁Ed- ▁originate- ▁limits- ▁Bel- our- ▁vera- ▁fe- ▁tease- ▁expire- ▁vendors- ▁milestone- ▁landscape- ▁ano- side- ▁Master- ice- ▁alphabet- ▁statue- ▁minister- ▁Legend- ▁airline- ▁consumer- ▁lastly- ▁rapper- ▁teenager- ▁belief- ▁Tu- ging- ▁downstair- ▁occur- ▁shades- ku- ▁Christ- ▁backstab- ▁defer- mai- ▁arguments- ▁writer- ▁flap- while- ▁memes- cai- ▁He- use- ▁sigh- fe- ▁volunteers- ▁sources- ▁San- ▁dri- ification- ship- ▁Mos- ▁Co- ▁tunnel- ▁Break- ▁employ- ▁choke- ▁explode- ▁perceive- ▁conquer- ▁discard- ▁approve- ▁manipulate- Pooh- ▁transcribe- ▁disrespectful- Kee- ▁shove- ▁trauma- Kai- ▁addition- ▁athletic- ▁Admiralty- ▁Digimon- ▁Eighteen- ▁Eminem- ▁President- ▁Sydney- ▁WeChat- ▁accommodate- ▁aglio- ▁attentive- ▁coleslaw- ▁congrats- ▁consumption- ▁cringy- ▁deaf- ▁district- ▁drumstick- ▁evaporate- ▁expenditure- ▁gantry- ▁hummingbird- ▁hypocrite- ▁inconvenient- ▁instinct- ▁intuition- ▁irrational- ▁policies- ▁pricing- ▁purplish- ▁servant- ▁skeptical- ▁surviving- ▁syndrome- ▁terrace- ▁turret- ▁wedges- ▁Angkor- ▁Ellen- ▁Hanoi- ▁Ofo- ▁Rebecca- ▁increasing- ▁outdated- ▁pursuit- ▁Heartland- ▁association- ▁psychologist- ▁unpredictable- ▁Yates- ▁manufacturing- ▁index- ▁botak- ▁quantity- ▁Marco- ▁runner- ▁memorising- ▁obsession- ▁ferment- ▁lamppost- ▁balm- ▁Tuas- ▁Frank- ▁announcement- ▁penalty- ▁Nyonya- ▁leverage- ▁Monkey- ▁stroke- ▁font- ▁token- ▁massive- ▁chopping- ▁wheat- ▁kiasi- ▁optimistic- ▁mochi- ▁subtle- ▁embarrassment- ▁secretary- ▁smartphone- ▁wives- ▁Arabic- ▁bold- ▁popping- ▁sync- ▁curb- ▁summary- ▁kacang- ▁Catholic- ▁continuously- ▁Mio- ▁reuse- ▁colorful- ▁problematic- ▁Tower- Centre- ▁Hsien- ▁Jackie- ▁fussy- ▁counsellor- ▁koi- ▁wastage- ▁countryside- ▁worn- ▁longkang- ▁Junior- ▁Clinton- ▁revolve- ▁cetera- ▁Rong- ▁Eastern- Schooling- Tong- ▁quitting- ▁handful- ▁Eric- ▁sewing- ▁knowledgeable- Tay- ▁walkway- ▁petty- ▁outlook- ▁disappointing- ▁monkeys- ▁Mama- ▁instantly- ▁Breaking- ▁Maggie- ▁smoothly- ▁Pong- ▁tailor- ▁Lord- ▁payout- ▁encountered- ▁updated- ▁refreshing- ▁typically- ▁warmer- ▁intended- ▁protected- ▁Potter- ▁ideally- ite- ▁shorten- ▁dull- ▁checkup- ▁borrowed- ▁tougher- ▁sheltered- ▁reported- ▁tau- ▁removed- ▁hoop- ▁tenth- ▁prisoner- pped- ▁pearls- ▁dough- Hut- ▁placement- ▁figures- ▁chewy- ▁dash- ▁coasters- tuk- ▁hurting- ▁sentences- ▁promotions- ▁lorh- ▁undergo- let- ▁loans- ▁expressing- ▁opt- ▁cult- ▁pest- ▁meow- ▁Ar- ▁cuisines- ▁mentioning- ▁fireworks- ▁teammates- ▁shi- ▁epi- ▁kang- ▁claims- ▁patterns- ▁programmes- ▁Got- ▁engineers- ▁props- ▁donut- iel- ▁vouchers- ▁overload- ▁watery- ue- ▁interviews- iao- ▁rea- lan- ▁owners- ▁extract- ▁So- ome- ▁systems- ▁faced- ara- ▁metre- can- ▁yearly- ▁terminate- ▁connections- ▁joint- ▁exception- ▁drip- ▁scrape- ▁cre- ▁listing- ▁Fun- ▁scrap- ▁lan- ▁questioning- ▁Mar- ythic- ▁scholars- hipped- hu- ▁reader- ▁col- ▁quotes- ▁strengths- ery- ▁calculation- ▁feather- ▁muffin- ▁restriction- ▁slaves- ▁downward- ▁Bun- ▁handles- ▁sandal- ▁shoulders- ▁exists- od- ▁lac- ▁que- ec- ▁Wu- ▁Ice- ring- ▁Dad- ▁ter- id- ▁Fat- ▁rob- ▁pointer- ▁min- ▁wan- ▁sy- ▁Roman- ▁sua- tai- ▁gut- ▁nieces- uhyou- ▁hun- School- ▁overthink- ▁execute- scape- ▁pierce- Kayu- ▁Louis- America- club- House- ▁rotate- Hao- ▁singlet- ▁gracious- ▁Taufik- ▁Mickey- ▁Beyblade- ▁Clara- ▁Donald- ▁Drake- ▁Eiffel- ▁Kelvin- ▁Natalie- ▁Nigel- ▁PlayStation- ▁Porsche- ▁Sundram- ▁Tamarind- ▁Tamiya- ▁Watson- ▁Zumba- ▁allergy- ▁ambience- ▁balancing- ▁belacan- ▁bimbo- ▁bisque- ▁bouncy- ▁carried- ▁clarify- ▁climax- ▁condominium- ▁decrease- ▁diversity- ▁efficiency- ▁eyelid- ▁fascinate- ▁feast- ▁fickle- ▁filtration- ▁forklift- ▁fortune- ▁increment- ▁infrastructure- ▁mattress- ▁nostalgic- ▁packaging- ▁pollution- ▁pregnancy- ▁prominent- ▁redundant- ▁revenge- ▁scandal- ▁shrink- ▁sneeze- ▁violent- ▁welcoming- ▁Avatar- ▁George- ▁Harvey- ▁Shakti- ▁cyber- ▁enforce- ▁palette- ▁shelves- ▁thinner- ▁vulnerable- ▁Conan- ▁Shangri- ▁creator- ▁Langkawi- ▁cosplay- ▁farewell- ▁literacy- ▁annual- ▁eczema- ▁Simei- ▁typing- ▁collar- ▁variation- ▁impose- ▁miracle- ▁sojourn- ▁hairstyle- ▁journalist- ▁snowball- ▁theories- ▁bedsheet- ▁lasting- ▁digit- ▁injection- ▁foil- ▁supplier- ▁charging- ▁prioritize- ▁refund- ▁gassy- ▁spur- ▁reception- ▁nagging- ▁vain- ▁occupied- ▁revision- ▁signature- ▁flute- ▁cancerous- ▁papa- ▁Harley- ▁squatting- ▁grandson- ▁pathetic- ▁measurement- ▁Melaka- ▁Hitch- ▁subconsciously- ▁ladder- ▁footage- ▁Bible- ▁consecutively- ▁hung- ▁fishcake- ▁Baby- ▁retrenched- Ondeh- anakan- ▁Jeremy- ▁patches- ▁Mario- ▁bookstore- ▁mangoes- ▁Scrabble- ▁affection- ▁investigation- ▁Tsum- ▁snorkeling- ▁relive- ▁restricted- ▁officially- Hall- ▁ballad- ▁cosy- ▁underage- ▁publication- ▁fainted- ▁pang- ▁possessed- ▁Abu- ▁Bao- ▁catering- ▁jie- ▁buyer- mark- ▁ramp- ▁poisoning- ▁dusty- ▁marvel- ▁carton- ▁setup- ▁adopted- ▁shaker- ▁hose- ▁sweaty- ▁vine- ▁pastor- ▁cheering- ▁repeated- ▁pumping- ▁Dim- ▁passes- city- ▁tearing- ure- ▁sooner- Balance- ▁figured- ▁lifted- ▁commonly- ▁printing- ▁Arts- ▁oppose- ▁retrieve- ▁Sundays- ▁caus- ▁essays- ▁organisations- ▁moderate- ▁tri- ▁camel- ▁funds- ▁warn- ▁para- ▁Muslims- ▁wool- ▁statistics- ▁shooter- ▁subtitles- ▁motivates- ▁alpacas- ▁Ji- ▁sounded- ▁morals- ▁tissues- ▁saver- ▁mart- ative- ▁Hall- ug- ▁intentions- ▁lively- ▁comforting- ▁matching- ▁Ne- ▁arc- ▁Chin- ▁covers- ake- ew- ▁Ja- ▁thi- ▁Hwa- ▁mute- ▁mar- ▁sam- ▁reasoning- ▁forces- ▁rot- ▁grapes- ▁dancers- ▁tha- ▁ordering- ▁Tuesdays- ▁devices- ▁rhymes- ▁coun- ▁chocolates- ▁Dee- ▁vo- ▁wordings- ▁dolphins- ▁packets- ▁rebu- ▁pigeons- vert- ▁pl- ▁fellas- ase- ▁whi- sion- po- den- ▁lar- wi- hai- ▁bowls- ▁clothings- con- ▁clam- ▁Scoot- ▁chunk- ▁incentive- ▁rope- ▁attribute- ▁Caucasian- ▁Alia- ▁bud- ▁acquaintance- ▁participant- ▁graphic- ▁electives- ▁earphone- ▁creature- ▁trunk- ▁females- ▁grandparent- ▁flyer- ▁awards- ▁sl- ▁instance- ▁nutrition- don- ▁tra- ▁prom- ▁Sa- ala- ▁tons- ▁Lu- ▁hamsters- ▁touche- chu- ▁swan- ▁relations- ▁via- ▁monsters- lie- ▁poo- ▁Teo- ▁ir- min- ▁hoo- ▁nets- ▁Pin- ▁High- ▁containers- ▁dan- ▁ratio- ▁disappoint- ▁Panda- wood- ▁distribute- ▁cultivate- ▁sneak- ▁exceed- Faber- McCartney- Fingers- Padang- tarik- Hotel- screen- centre- ▁dense- wei- Gaga- ▁swam- ▁fade- Wang- ▁underline- ▁interfere- ▁Sherlock- Soto- ▁Alibaba- ▁Benedict- ▁Cambridge- ▁Dylan- ▁Eunice- ▁Florence- ▁Gordon- ▁Kraken- ▁Kranji- ▁Oliver- ▁Rolex- ▁alarum- ▁autumn- ▁backyard- ▁beancurd- ▁brisk- ▁burrito- ▁butterflies- ▁collaboration- ▁concubine- ▁denim- ▁envelope- ▁esteem- ▁eyesight- ▁frivolous- ▁guidance- ▁heartbroken- ▁intensive- ▁kettle- ▁khaki- ▁lemonade- ▁liberal- ▁magenta- ▁mousse- ▁mundane- ▁muscular- ▁necessities- ▁negotiate- ▁obsolete- ▁prejudice- ▁providing- ▁raccoon- ▁resolution- ▁rhythm- ▁scotch- ▁sequence- ▁slaughter- ▁snail- ▁snatch- ▁staycation- ▁victim- ▁violin- ▁vocab- ▁abnormal- ▁collab- ▁dribble- ▁export- ▁hardware- ▁hollow- ▁jackfruit- ▁permission- ▁royal- ▁unconscious- ▁Brooklyn- ▁Hindi- ▁bouncing- ▁communicating- ▁kebab- ▁romcom- ▁Gucci- ▁Roti- ▁armrest- ▁carbonara- ▁Harbourfront- ▁Kuala- ▁inspect- ▁excitement- ▁Amazon- ▁Coney- ▁convertible- ▁grace- ▁beware- ▁biological- ▁saint- ▁galaxy- ▁inequality- ▁jewelry- ▁proposal- ▁Laksa- ▁Shopee- ▁cement- ▁disappointment- ility- Blyton- ▁Alps- ▁lobby- ▁planner- ▁disability- tinous- ▁chainsaw- ▁paragliding- ▁rapping- ▁Morrie- ▁craze- ▁relating- ▁conventional- ▁Lego- ▁Zul- ▁bullies- ▁impaired- ▁thoroughly- ▁Waterway- ▁unlock- ▁Jess- ▁q- ▁techno- ▁diary- ▁underwater- ▁opinionated- ▁engagement- ▁whine- ▁meditate- ▁specialise- ▁encouragement- ▁bride- ▁Haji- ▁institution- ▁seaside- ▁agar- ▁teamwork- ▁singaporean- ▁conductor- ▁vanish- ▁Loreal- ▁macaroon- ▁Secondary- ▁checkpoint- ▁acceptance- ▁marksman- ▁clingy- ▁eastern- ▁judgemental- ▁popularity- ▁Safari- ▁pastries- ▁brighten- ▁established- ▁intellectually- ▁amuse- ▁dramatic- ▁Holy- ▁Stadium- ▁grasp- ▁becau- ▁mono- ▁policeman- ▁tribe- ▁Rose- ▁Ahmad- ▁carries- ▁Tay- ▁fireman- ▁Lily- ▁mansion- ▁peeping- ▁peep- ▁manageable- ▁expresses- ▁guaranteed- ▁Mike- ▁interactions- ▁drowning- ▁briefing- ▁momentum- ▁trader- ▁consulting- ▁begging- ▁Shawn- ▁captured- ▁herbs- ▁strictly- ▁Kok- ▁fullest- ▁circl- ▁stolen- ▁Ash- ▁successfully- ▁painted- ▁commented- ▁impacted- ▁usage- ▁wider- outhern- ▁leaders- ▁delivering- ▁gown- ▁deeply- ▁safely- ▁positions- ▁disciplined- ▁scratching- ▁Ubin- ▁pronounced- you- ▁freshie- ▁socially- ▁timers- ▁spoiling- ▁siap- ▁tickle- ▁locally- ▁orangey- ▁paints- ▁viewers- ▁Ju- Mall- ▁simpler- ▁forties- ump- ▁Ki- ▁stepp- ▁braces- ▁seeking- ▁processing- ▁laughed- ▁cheapo- ▁boxer- ▁Home- lian- ▁simplest- ▁rumours- ▁dope- mian- ▁darts- ▁Xing- ▁serves- ▁mommy- ▁struggles- ▁Mu- ▁cracks- ▁stinks- ▁Maps- ▁branding- ▁weed- ▁graphics- ▁hints- ▁ribbons- ▁slices- Nila- ▁musicals- ▁alight- nia- Xue- ▁homely- ▁Mer- ▁apologize- fa- ▁chun- ▁sha- halia- ble- ▁kenn- ▁kites- fu- ▁Kan- ▁Na- ▁pampers- ▁differs- ▁decorate- ▁nan- ▁pu- ▁Sum- ▁twins- ▁experiments- ▁scores- nine- ▁Kat- ▁directors- ▁ration- ▁sons- com- Go- ▁estates- ▁crow- ▁notebook- ▁worksheet- ▁Guardian- ▁contribution- ▁Olympic- ▁hotdog- ▁cocktail- ▁regard- ▁headlight- ▁cupcake- ▁ray- ▁filler- ▁Girl- ▁chu- ▁influencers- ▁afterward- ▁jar- ▁tablets- ▁va- ▁appears- ▁listener- ▁realis- ▁fl- ▁Mr- ▁ache- ▁rains- ▁maps- ▁Eni- ▁trades- ▁Harri- aga- oon- ▁markets- ▁cen- ▁communications- ▁econ- Xin- ▁Ring- ▁hits- lving- ▁fro- ▁islands- ▁lizards- ▁turtles- house- ▁sen- point- Jia- ▁convey- ▁lick- ▁allocate- ▁evolve- ▁tangle- ▁dedicate- ▁disrespect- Kiat- ▁addict- carte- Theme- ▁excessive- ▁Sakura- ▁diagonal- Ayer- Xian- Siew- ▁truthful- Your- ▁vocation- ▁Spider- ▁rash- ▁proportion- ▁Carol- Hawk- ▁smash- ▁Alexandra- ▁Antarctica- ▁Balestier- ▁Barcelona- ▁Bryan- ▁Davon- ▁Domino- ▁Elizabeth- ▁Madinah- ▁Maplestory- ▁Mitsubishi- ▁Mountbatten- ▁Odac- ▁Ovaltine- ▁Pioneer- ▁Qatar- ▁Shazlin- ▁Siloso- ▁Spurs- ▁Takashimaya- ▁Under- ▁Uzbek- ▁athlete- ▁bachelor- ▁baggage- ▁beggar- ▁believing- ▁bridesmaid- ▁brilliant- ▁bursary- ▁caffeine- ▁candidate- ▁churros- ▁column- ▁culinary- ▁curfew- ▁curiosity- ▁deviate- ▁diabetic- ▁distinguish- ▁dormitory- ▁grasshopper- ▁handwriting- ▁invitation- ▁jalebi- ▁mandarin- ▁overweight- ▁portrait- ▁premier- ▁producing- ▁pursuing- ▁reputable- ▁sacrificing- ▁shredded- ▁skydive- ▁slanted- ▁societal- ▁spiciness- ▁steroid- ▁stool- ▁superstitious- ▁survivor- ▁syntax- ▁transcribing- ▁transgender- ▁tteokbokki- ▁uncultured- ▁uneasy- ▁unnatural- ▁Valentine- ▁coincidence- ▁eligib- ▁multiplication- ▁outward- ▁starving- ▁Ariana- ▁Jessica- ▁brim- ▁pronouncing- ▁redeem- ▁undeveloped- ▁Chingay- ▁FoodPanda- ▁duties- ▁merchandise- ▁excla- ▁grid- ▁coordination- ▁dynasty- ▁conversion- ▁enthusiastic- ▁flashback- ▁Catherine- ▁Kolo- ▁Samyang- ▁Cameron- ▁consultant- ▁pharmaceutical- ▁Quran- ▁Subaru- ▁Tori- ▁pumpkin- ▁representative- ▁screenshot- ▁Lush- ▁stew- ▁tropical- ▁Xiaomi- ▁cursing- ▁jamming- ▁mysterious- ▁patty- ▁slam- ▁acid- ▁coupon- ▁Karen- ▁daring- ▁permit- ▁voluntary- ▁Cherry- ▁philo- ▁armour- ▁Wicked- ▁bugis- ▁narrative- ▁foster- ▁aircraft- ▁grain- ▁admitted- ▁interpretation- ▁sceneries- ▁Jean- ▁Etude- ▁Hawaiian- ▁flick- ▁progressive- ▁arrangement- ▁indirectly- ▁lorry- ▁dispenser- ▁confession- ▁torturing- ▁wander- ▁Obama- ▁Ramly- ▁explicitly- ▁advancement- ▁Nathan- ▁workforce- ▁Lola- ▁adoption- Yan- ▁weightage- ▁warmth- ▁brag- ▁fuss- ▁Jayden- ▁White- ▁alcoholic- ▁achieving- Day- ▁laze- ▁Padang- ▁tarik- ▁specialist- ▁lightning- ▁flame- Hua- ▁sotong- ▁sixties- ▁presentable- ▁implemented- ▁Heng- ▁punished- ▁relaxation- Simpson- ▁Pris- ▁Nick- ▁hopeless- ▁cleanse- ▁freezer- ▁cop- ▁Chuan- ▁Your- ▁downside- ▁hoc- ▁vomited- front- ▁fling- Jin- ▁businessman- ▁lord- ▁preach- ▁missus- ▁wishes- ound- ▁struggled- ▁postpon- abi- ▁divorced- ▁superman- ▁sling- ▁crashed- ▁coolest- ▁funding- ▁switched- ▁draining- ▁artsy- Highland- ▁donkey- ▁former- ▁tense- ▁blown- ▁Fen- ▁fourty- ▁server- ▁cur- ▁suited- ▁tuk- ▁poorer- ▁Kate- ▁pur- ▁interacting- ▁gossiping- ▁copying- ▁survived- ▁Ann- ▁swearing- ▁screening- ▁verbal- ▁congratulations- ▁regulations- ▁sleeves- ▁blocked- ▁milky- uhso- ▁supported- ath- ▁shifting- ▁weapons- ▁cooker- mun- ▁earned- ▁tracking- ▁hanger- ▁competitors- ▁laptops- ▁Mc- ▁carbon- ▁brownies- ▁tak- ile- ▁shred- ▁baller- ▁neh- ▁trending- ▁crane- ▁solutions- ▁surroundings- ▁snakes- ▁hatch- lon- ▁listed- truck- ▁freely- ▁clash- ▁Ling- ▁phrases- ▁organs- ▁keys- ▁newly- ▁Times- ▁Malaysians- ▁shook- ▁instances- ▁participants- ties- ▁bing- ▁drawn- ▁laz- ▁perm- ▁individuals- ▁brat- ▁cal- ▁captains- ▁stressing- kar- ▁barb- ▁Lan- ▁grams- An- ▁mushrooms- ock- fish- ▁ce- ob- jo- ▁corners- ky- ▁fights- ▁rela- ell- ister- ▁Exo- ▁squats- ▁med- ▁Des- ▁complaint- rus- ▁pal- fault- izing- ▁shapes- ▁functional- tered- ▁emoji- ▁kilo- ▁vlog- ▁pudding- ▁liar- ▁highlighter- ▁prelim- ▁glitter- shit- ▁stink- ▁Map- ▁Hi- ugh- ▁ea- urf- ▁An- ▁dia- ▁deed- over- read- Legends- ▁upright- isation- vin- ▁textbooks- za- ▁cul- ▁pens- ▁lunche- ox- ▁occasions- ▁promises- Sing- ▁yum- ishan- Fu- ▁tires- ▁ov- uhbut- work- Co- ▁rum- ▁sto- sum- ▁El- ▁beak- ▁insta- back- hur- ▁excuses- ▁medic- ▁tram- ▁kindly- ▁burp- ▁flood- school- ▁analyze- ▁Yue- ▁restrict- ▁rewatch- ▁invade- Serai- padang- Bond- Express- Hsien- ▁verse- bean- Star- Canning- Yong- Kun- ▁bloom- Nine- Shop- Cola- ▁dispos- Yang- Chang- ▁Walk- ▁urge- ▁quirk- ▁Sports- ▁Buona- ▁Wolf- ▁Buangkok- ▁Dorcas- ▁Dutch- ▁Encik- ▁Eugene- ▁Farrer- ▁Fedex- ▁Gallery- ▁Giselle- ▁Gossip- ▁Israel- ▁Liechtenstein- ▁Malcolm- ▁Mustafa- ▁Northshore- ▁Phyllis- ▁Pokka- ▁Predator- ▁Pringles- ▁Sarawak- ▁Sepak- ▁Tioman- ▁Turkish- ▁Ustad- ▁absence- ▁appraisal- ▁asterisk- ▁beachcombing- ▁bluetooth- ▁calculative- ▁choosy- ▁civic- ▁claypot- ▁clutch- ▁crucial- ▁darling- ▁declare- ▁fairytale- ▁footstep- ▁fracture- ▁futsal- ▁haywire- ▁hypebeast- ▁inconsiderate- ▁invalid- ▁jewellery- ▁karma- ▁karung- ▁lanyard- ▁mayonnaise- ▁paranoid- ▁phantom- ▁placing- ▁poetry- ▁pokemon- ▁positivity- ▁replies- ▁reshuffle- ▁rooster- ▁satellite- ▁treadmill- ▁tuxedo- ▁undergrad- ▁universities- ▁unsafe- ▁yoghurt- ▁BoJack- ▁Brandon- ▁Queenstown- ▁abstract- ▁mould- ▁parrot- ▁wagyu- ▁Pontianak- ▁Stitch- ▁ZoukOut- ▁hustle- ▁vacant- ▁valley- ▁conversing- ▁crop- ▁dentist- ▁discrimination- ▁residential- ▁sperm- ▁whiny- ▁Redhill- ▁barrel- ▁distilled- ▁koala- ▁soothing- ▁recreate- ▁sauna- ▁innovation- ▁chincai- ▁citizenship- ▁keychain- ▁Melissa- ▁bubbly- ▁indicator- ▁reckless- ▁translator- ▁Nightcrawler- ▁Rudy- ▁polyclinic- ▁Christine- ▁Kenya- ▁etcetera- ▁sensible- ▁Meetings- ▁platoon- ▁Richard- ▁Chiang- ▁purse- ▁abang- ▁ledge- ▁intensity- Horror- ▁vulgarity- ▁Ramen- ▁Keaton- ▁Josh- ▁Friza- ▁blusher- ▁Joanne- ▁pantry- ▁fulfillment- ▁capitalism- ▁Saudi- ▁Sabah- ▁bloated- ▁interactive- ▁buried- ▁incredible- ▁reborn- ▁madam- ▁Martin- ▁repay- ▁Ninja- ▁accountant- ▁jalan- ▁nationality- ▁retro- ▁Body- ▁archery- ▁thrice- ▁ballroom- ▁conjur- ▁Gina- ▁Yusof- ▁biz- ▁recited- ▁maple- ▁misery- ▁traveller- ▁barbie- ▁Lynn- ▁trace- ▁sprint- ▁Way- ▁junk- ▁Angmoh- ▁Place- ▁Anne- ▁waterfront- ▁stating- ▁entertainer- ▁evolved- ▁fortunately- ▁assigned- ▁acad- ▁arrogantly- ▁latch- ▁benches- ▁commando- Chai- ▁cringey- ▁lining- ▁emphasise- ▁Love- ▁drifted- ▁Yio- ▁greenery- ▁tempered- ▁commander- ▁primer- ▁growling- ▁adrenaline- ▁decently- ▁eel- ▁Hor- ▁feeder- ▁padi- ▁tenant- ▁recorder- ▁irony- ▁freaky- ▁wired- ▁shortest- ▁healing- ▁chope- ▁united- ▁Skin- ▁reaches- ▁loading- ▁provider- ▁Mian- ▁conditioned- ▁negatively- ▁Qua- ▁approached- ▁structured- Sat- ▁coughing- ▁Kway- ▁onboard- ▁Jin- ▁bento- ▁pilates- ▁utensils- ▁Ron- ▁States- ▁otah- Hop- ▁spoiler- kueh- ▁edges- ▁protecting- ▁Jim- ▁aw- atic- ▁pressured- ▁Juliet- ▁fave- ▁Mathematics- ▁Netherlands- ▁deer- ▁marbles- ▁farting- ▁photoshop- ▁Ven- ric- ▁interning- ▁boobs- kin- ▁willingly- ▁richest- ▁Farm- ▁duplicate- ▁shortly- ▁mayo- ▁operations- West- ny- ▁settl- ▁kim- ▁Nat- ▁researching- ▁mag- shop- ▁deco- ▁tutors- ▁holder- ▁offering- ▁yawn- ▁Zac- ▁tock- ▁Ren- Lanka- ▁opener- ▁headed- thing- ified- ▁Straits- ▁beating- ▁wahseh- bay- ▁upsize- ass- ▁genetics- ▁Incredibles- ▁images- ▁Time- ▁arch- ▁viewing- wor- ▁Pes- ▁moths- Ling- seng- ▁crackers- ology- gan- ▁leak- ld- ▁offers- ▁headlights- ▁anot- Yu- ▁sno- ▁ping- gen- ▁guts- Wat- ▁teenagers- ▁Cove- ▁sch- Bo- ▁temples- ▁accents- ▁affairs- ▁characteristics- nam- ▁ku- ▁Te- ▁Joo- ▁samples- ▁Fan- ▁Pop- ▁girly- ▁patients- yi- ▁Ming- ▁equipments- eng- bar- log- ▁tit- ▁ops- ▁stu- ▁socialise- ▁influences- ▁straws- ▁ge- econs- ▁ham- ▁indi- ▁hum- uck- ▁pirate- ▁meatball- Chef- ▁prospect- ▁sunflower- ▁cosmetic- ▁intimate- ▁Euro- ▁sitcom- ▁vocal- ▁dynamic- hand- ▁obstacle- ▁cracker- ▁figurine- ▁consequence- night- ▁organ- iz- ▁Ai- ▁prop- ▁stacks- ▁bob- Mai- ▁veggies- ▁ghosts- nna- ▁Mont- uhokay- ▁sheets- ▁tutorials- ani- ipping- ▁ja- Gi- bed- ▁Cola- ▁hacks- ▁sta- ▁traditions- pao- Xi- bing- ▁workshops- ▁customs- ▁erasers- ▁cri- ▁betray- ▁detox- ▁skateboard- ▁sniff- ▁Ye- ▁canoe- ▁buffer- ▁confine- born- ▁censor- Albom- cheong- ▁nurture- Place- ▁fidget- Beach- Burger- Service- hundred- Blangah- Neo- Town- ▁hypothetical- ▁technological- ▁continuous- ▁awful- ▁selective- tete- ▁Coop- ▁gentleman- Cheng- ▁portrays- ▁manifest- ▁fav- ▁offend- ▁inferior- ▁regime- ▁quota- ▁compassion- ▁architect- ▁prac- ▁Asean- ▁horizon- ▁persevere- ▁pivot- '0'- Civic- Rebus- ▁Amoy- ▁Brussels- ▁Canadian- ▁Converse- ▁Decathlon- ▁Deloitte- ▁Engineering- ▁Kindergarten- ▁Mongolia- ▁Norman- ▁Sophie- ▁SpongeBob- ▁Taichung- ▁Tumblr- ▁accessibility- ▁algebra- ▁bonnet- ▁buggy- ▁cheerleading- ▁critique- ▁deejay- ▁disguise- ▁faculty- ▁flexibility- ▁frustrating- ▁gimmick- ▁giraffe- ▁glimpse- ▁handicap- ▁housekeeping- ▁idiom- ▁injuries- ▁intangible- ▁intolerant- ▁intriguing- ▁jelak- ▁jovial- ▁kranji- ▁liquor- ▁lontong- ▁mediocre- ▁morbid- ▁offensive- ▁operator- ▁orchestra- ▁parachute- ▁rapport- ▁sengkang- ▁soggy- ▁striking- ▁supervise- ▁thunder- ▁tolerant- ▁ungrateful- ▁unhappiness- ▁upwards- ▁vibration- ▁worldwide- ▁Pikachu- ▁abort- ▁cheque- ▁compensation- ▁impart- ▁inbound- ▁invincible- ▁jagged- ▁rigid- ▁Maroon- ▁encik- ▁fascinating- ▁Biology- ▁attain- ▁crude- ▁edible- ▁jazz- ▁moderation- ▁trek- ▁Hawker- ▁isolated- ▁mechanism- ▁rotten- ▁Ethan- ▁blister- ▁expedition- ▁fondue- ▁humility- ▁motivating- ▁personnel- ▁Sivaya- ▁Omar- ▁accuse- ▁blazer- ▁database- ▁revive- ▁sew- ▁shaggy- ▁admirable- ▁chaotic- ▁fulfilment- ▁rust- ▁mumbling- ▁oats- ▁stomachache- ▁trivial- ▁Aljunied- ▁Nemo- ▁Sunway- ▁buzz- ▁confinement- ▁flea- ▁Canon- ▁borderline- ▁Maple- ▁swimmer- ▁Liho- ▁sideways- ▁echo- ▁Flame- ▁Lucky- ▁legendary- ▁Nakhon- ▁Pentagon- ▁observing- ▁Chanel- ▁swimwear- ▁Sein- ▁innate- ▁copper- ▁mount- ▁stout- ▁Sophia- ▁inherently- ▁respective- formed- ▁baseball- ▁Creed- ▁scatter- ▁charred- Thai- ▁properties- ▁casing- ▁arthritis- ▁glory- ▁artwork- ▁detector- ▁guideline- ▁Oppo- ▁consuming- ▁trance- ▁Hannah- ▁gaze- ▁Mirror- ▁weaknesses- ▁prolong- ▁biryani- ▁workaholic- ▁werewolf- ▁sunlight- ▁hunger- ▁bury- ▁stranded- ▁Shepherd- ▁manufacturer- ▁Perry- ▁kart- ▁thrifty- ▁Siglap- ▁tomatoes- ▁intentional- ▁Astro- ▁modelling- ▁flipped- ▁Dragon- ▁puncture- ▁yelling- ▁starch- ▁Muse- ▁whiteboard- ▁Kevin- ▁resell- ▁barber- ▁southern- ▁taxes- ▁saga- ▁stretches- ▁kith- ▁booster- ▁roaming- Jie- Zi- ▁hou- ▁pek- ▁logically- ▁formulas- ▁Meng- ▁priceless- ▁nev- ▁sincerely- ▁slimy- ▁Mei- ▁Jade- ▁chemo- ▁Chen- ▁brighter- ▁rationale- ▁transform- ▁slippery- ▁genie- Flyer- ▁loaded- ▁smartest- ▁sunk- ▁initiated- ▁charming- ▁largely- ▁striker- ▁twisted- ▁sumo- ▁Lebar- ▁concentrated- ▁sweetness- ▁participated- ▁unzip- ilda- ▁voted- ▁teow- ▁toasted- ▁delivered- ▁lessen- max- ▁interviewer- ▁Choon- ▁mai- ▁steamed- Five- ▁demanding- ja- ▁pickup- ▁vomiting- ▁recreational- hell- crabble- ▁discounted- ▁widely- ▁Chem- Kim- ▁gifted- ▁tutoring- ▁moody- ▁peck- ▁kueh- for- ▁paced- ▁Vibes- ▁freebies- ▁slacking- ▁fuse- ▁strangest- ▁chased- ory- ▁tally- ▁Jon- ▁pes- Teh- ▁adopting- ▁similarly- ▁challenged- ▁grant- ▁sweeter- ▁trim- ▁pouring- ▁kissing- ▁Shah- ▁quarreling- ▁thesis- ▁melon- ▁rider- ▁commenting- ▁marked- ▁trendy- anese- ▁slime- ▁designed- ▁Airlines- ▁Max- ▁cared- ▁updates- ▁bites- ▁reminding- ▁undo- ▁professors- ▁expen- ▁formation- ▁Ko- ▁rumors- ▁litre- ▁yu- esh- ▁superb- hal- tter- ▁orca- ▁loo- ▁weirdly- ▁chap- ▁fu- ▁tile- ▁Aisha- ftee- ▁starve- ▁linguistics- itty- Besar- ▁complained- ▁fishy- ▁handphones- ▁sites- ▁clips- ▁Shak- siam- ▁Popeyes- ▁attracts- pok- ▁lungs- unch- ▁indulge- Vinci- ▁earns- tary- ▁rem- ▁Shin- ▁soba- lyn- gie- ▁memori- ▁settings- ▁acquaintances- zi- ▁Hat- ▁Les- ▁restrictions- ▁stimulate- eth- ▁rev- ▁writers- ▁bot- ▁cr- ▁Nas- aving- ▁angels- ▁waiter- ▁ambitions- ▁hash- ▁cer- ▁payments- ▁div- fro- ▁Un- ▁Sat- ▁lobsters- buy- ▁Laos- ▁bundles- ▁qualifications- ▁employees- ▁amen- ▁decor- ▁contains- ▁Macs- ▁costumes- ▁fla- ▁strips- ▁Goh- ▁mal- ▁specialize- ▁supplements- ▁achievements- ▁Happ- ▁Mas- ▁Tri- ▁til- ith- ppl- ▁conflicts- ▁Car- ▁Shan- ▁certifi- ▁borders- ▁sacks- ▁cucumber- ▁rifle- ▁Ame- ▁photograph- ▁cube- ▁accelerat- ▁soldier- ▁chopstick- ▁interval- ▁moth- ▁physic- ▁pane- ▁bas- ▁competitions- ▁ph- ▁lung- ▁gene- ▁limb- ▁maids- ▁tours- ▁cinemas- ▁rip- ▁Wednesdays- ▁Hu- ▁influenc- ▁sk- ▁oth- ▁shu- zan- The- ▁remains- sided- ▁spil- ▁Di- ▁overlap- aw- ▁marina- ▁Cat- ▁liter- ▁Fri- ▁planks- ▁dine- ▁ala- ▁opera- Kut- ▁failures- ▁scor- Oh- ▁Zoey- ▁chai- ▁establish- ▁presentations- ▁broadcast- ▁gardens- ▁Mi- sale- ▁Tam- ▁contra- ▁condense- ▁blindfold- ▁construct- Lumpur- Bird- Opera- Minister- Safari- Tower- Market- Young- economics- Cafe- white- ▁Bangladesh- ▁incline- Khalifa- ▁lee- ▁charit- ▁builds- eteor- ▁suburb- ▁navigat- ▁exhibit- ▁jewel- ▁lang- ▁knit- ▁mortal- ▁charisma- ▁orphan- ▁humanitarian- ▁Jeff- ▁kidnap- ▁Class- ▁chalk- ▁Alexander- ▁Champion- ▁Isaac- ▁Jeffrey- ▁Swiss- ▁spiral- Rudolph- Siong- uhbecause- ▁Abby- ▁Adelaide- ▁Allied- ▁Amirul- ▁Dancing- ▁Doraemon- ▁Elaine- ▁Gundam- ▁Herschel- ▁Kenneth- ▁Kopi- ▁Louvre- ▁Neutrogena- ▁Saizeriya- ▁Sapporo- ▁SingPost- ▁SkillsFuture- ▁abrasion- ▁acoustic- ▁admission- ▁algae- ▁amateur- ▁antibiotic- ▁appetite- ▁bitcoin- ▁bruise- ▁chickpea- ▁clerk- ▁collaborate- ▁complement- ▁conform- ▁democracy- ▁descriptive- ▁despair- ▁diarrhea- ▁dignity- ▁exploit- ▁foremost- ▁frustration- ▁gallery- ▁grandkid- ▁handicapped- ▁improvise- ▁industries- ▁inefficient- ▁insomnia- ▁intestine- ▁jasmine- ▁keyword- ▁librarian- ▁loaf- ▁loophole- ▁lucrative- ▁manicure- ▁mascara- ▁mascot- ▁maternity- ▁mushy- ▁nostalgia- ▁offense- ▁outspoken- ▁paramedic- ▁partition- ▁paternal- ▁piggy- ▁pitiful- ▁pleasing- ▁prestigious- ▁primarily- ▁psychopath- ▁quinoa- ▁reducing- ▁registration- ▁reluctant- ▁sembawang- ▁spacious- ▁spectacular- ▁squarish- ▁strapped- ▁suitcase- ▁takoyaki- ▁tandoori- ▁trophy- ▁tsunami- ▁tumour- ▁ultra- ▁unnecessarily- ▁unwind- ▁Chendol- ▁Feb- ▁Lukaku- ▁Wisma- ▁WolfTeam- ▁dengue- ▁determination- ▁evolution- ▁geez- ▁observation- ▁raft- ▁aisle- ▁guiding- ▁inverted- ▁radiation- ambeng- ▁Coach- ▁Evelyn- ▁Greenland- ▁Monaco- ▁demographic- ▁masala- ▁quack- ▁Grail- ▁compatible- ▁Alfa- ▁compassionate- ▁dimsum- ▁fragrance- ▁gravity- ▁skipped- ▁Penguin- ▁appreciative- ▁dominant- ▁segregate- ▁Mattar- ▁splurging- ▁taiwan- ▁versa- ▁Sambal- ▁poisonous- ▁sociology- ▁dangling- ▁gentlemen- ▁Shakira- ▁Shilin- ▁firefighter- ▁Sherry- ▁communism- ▁Titanic- ▁goalkeeper- ▁ripped- ▁uneven- ▁napping- ▁dedication- urai- ▁comparable- ▁VivoCity- ▁remake- ▁savage- ▁cashback- ▁cozy- ▁gradually- ▁Chicago- ▁haiya- ▁Danish- ▁Liam- ▁victory- ▁multiplier- ▁zai- ▁Zhou- ▁Northpoint- ▁goldfish- ▁plateau- ▁addiction- Qian- ▁Zack- ▁tweet- ▁procreate- ▁villagers- ▁haji- ▁hoarder- ▁Polo- ▁Troy- ▁laonua- ▁pique- ▁severe- Bao- ▁overwhelmed- ▁Youth- ▁crust- ▁takraw- ▁blueberry- ▁fillet- ▁blackshot- ▁hover- ▁Terry- ▁fearful- ▁Cruise- ▁monopoly- ▁lenses- ▁mosquitoes- ▁knob- ▁Lauren- ▁Dory- ▁login- ▁Green- ▁diagonally- ▁adaptable- ▁Impossible- ▁Palace- ▁edu- ▁bodybuilding- ▁enlisted- ▁hopeful- ▁losses- ▁handball- ▁Minister- ▁endure- ▁tyres- ▁romantically- Pang- ▁briefly- ▁contrast- ▁solely- ▁labor- ▁trainee- ▁vaguely- ▁scribble- ▁Centre- ▁Tuk- ▁facebook- ▁meaningless- ▁Santa- ▁Zhi- ▁Balik- ▁psycho- ▁Liu- ▁neglected- ▁behalf- ▁hood- ▁driverless- ▁Jap- ▁dean- ▁unlikely- ▁wage- ▁approved- ▁ayam- ▁specialised- ▁pong- ▁accountancy- ▁Mong- ▁arrived- ▁featured- ▁crosses- ▁Pang- ▁cling- ▁eleventh- ▁comeback- ▁puked- ▁Pandan- ▁comma- ▁kao- ▁coldest- ▁Gates- ▁ashame- ▁Dai- ▁wand- ▁Maki- ▁infinity- ▁folder- ball- ▁conducting- ▁Job- ▁num- ▁raped- ▁jobless- ▁choreo- ▁disturbed- ▁sinking- ▁furious- ▁trashy- ▁quietly- ▁attacked- ▁stumble- ▁diam- ▁dryer- ▁presented- ▁seemed- Kosh- ▁leech- ▁grounded- ▁Daru- ▁incidents- ▁filmed- ▁Payoh- ▁lego- ▁mayb- ▁mil- ▁planting- ars- ▁planes- ▁rom- ler- ▁insult- ▁rated- ▁arise- ▁soupy- ▁noble- stop- ▁suite- ▁souffle- ▁baker- az- ▁Googled- ▁Nets- ▁Yum- ▁toggle- Theory- ▁heated- ▁boo- ▁Hut- ▁rounder- ▁rode- ▁onions- ▁jap- ▁interviewing- ▁constraints- Gate- ▁oldies- ▁mor- ▁advantages- ▁pots- ▁Sin- ▁discounts- ▁Vin- ▁Los- ▁Stan- ▁scripts- ▁likewise- ▁nam- ervin- ▁ble- hy- ▁openly- ▁beers- ▁hua- ▁dynamics- Qi- ▁bicycles- eries- ▁Ni- ▁hills- ▁Hot- ▁Ra- era- ▁beret- ▁Ga- ▁Mars- ▁Hal- Scooter- ▁airlines- ▁consumers- ▁widen- ▁advertisements- ▁cables- Pagar- shi- act- ▁coloni- ▁kakis- ▁informal- ▁exco- ney- ▁grabb- ▁Mari- ▁Games- ▁examinations- ▁tights- ▁tigers- ▁Phi- ▁gaps- Ping- ▁coordinate- ▁compositions- ▁crocodiles- ▁fins- ▁sca- ▁roots- lee- 'off'- eat- ▁cheeks- ▁Se- ▁exceptional- ▁Sims- reme- ▁pil- ▁professionals- ▁graduates- ▁indoors- ▁analys- ▁aft- ▁instill- pay- zing- ▁peanuts- ▁explains- ▁flavors- ▁critic- ▁insight- ▁owned- Mi- shirts- che- ▁wipes- ek- ▁Met- ▁stuffy- ▁fer- ▁hardships- ▁thrill- ▁politician- ▁Studio- ▁Popeye- ▁sailor- ada- ▁calorie- ▁scissor- ▁Clement- hill- ction- ▁diamonds- ▁bae- zone- ▁Mon- ▁sac- ▁pita- San- ▁Saturdays- wn- xi- Ki- ▁Par- ▁scoops- going- terior- ▁stuffed- uring- agon- erie- ▁signals- mor- xin- ▁Sem- ▁actua- ▁Ap- Merah- ▁mega- Korea- ▁tar- ▁distract- ▁contour- ▁simpl- ▁manipulat- ▁celebrat- ▁Chua- You- ▁arrest- ▁Zoe- flower- Cheong- Lagoon- Utama- Crab- Willows- Dragon- White- Light- Central- Club- ▁guilt- ▁batter- Hub- ▁rapid- ▁consecutive- ▁precise- Sushi- ▁fluent- ▁raisin- puteh- ▁inject- ▁drastic- ▁worship- migrating- ▁punctual- ▁empathi- ▁Fifty- ▁Fantastic- Kinabalu- fieri- thyroid- ▁Alpha- ▁Aurora- ▁Cathay- ▁Christopher- ▁Cineleisure- ▁Dunman- ▁Expo- ▁Heaven- ▁Hitler- ▁Kumon- ▁Kylie- ▁Kyoto- ▁Lavender- ▁Learn- ▁Major- ▁Maybelline- ▁Mentaiko- ▁Micheal- ▁Mitsuba- ▁Nescafe- ▁Orchestra- ▁Oscar- ▁Pablo- ▁Pepsi- ▁Punita- ▁Radiant- ▁Ramadan- ▁Smule- ▁Snape- ▁Snorlax- ▁Sperry- ▁Swedish- ▁Wolverine- ▁Wreck- ▁administrative- ▁autobiography- ▁bicep- ▁brinjal- ▁brulee- ▁calculating- ▁calculator- ▁chimpanzee- ▁cloudburst- ▁communal- ▁correlation- ▁cricket- ▁crypto- ▁daydream- ▁dilemma- ▁disclose- ▁dizzy- ▁enlighten- ▁epitaph- ▁excursion- ▁extinct- ▁facilitator- ▁fragrant- ▁gastric- ▁geog- ▁guppies- ▁handbrake- ▁hurricane- ▁hygienic- ▁imaginary- ▁imagining- ▁immunity- ▁inappropriate- ▁jigsaw- ▁kingdom- ▁knives- ▁migration- ▁mobility- ▁moustache- ▁obnoxious- ▁offshore- ▁offspring- ▁organising- ▁paradise- ▁pedestrian- ▁platonic- ▁practising- ▁rebond- ▁safari- ▁salaries- ▁shepherd- ▁shuffling- ▁somersault- ▁stereotyping- ▁subordinate- ▁subsidies- ▁subsidy- ▁superstition- ▁swollen- ▁tamarind- ▁telepathy- ▁tentacle- ▁testament- ▁thrash- ▁tricep- ▁trophies- ▁trustworthy- ▁vibrate- ▁vicinity- ▁violence- ▁volley- ▁zinc- Hartono- ▁Aisyah- ▁Beyonce- ▁Mazda- ▁Mongkok- ▁People- ▁Yoshi- ▁android- ▁bliss- ▁bracelet- ▁cabbie- ▁output- ▁sassy- ▁sensation- ▁signify- ▁terrifying- ▁translucent- ▁Arjun- ▁Discovery- ▁Faizal- ▁Fiona- ▁Hafiz- ▁Indie- ▁Volde- ▁bangkok- ▁circus- ▁doggy- ▁esophagus- ▁hockey- ▁overheat- ▁participation- ▁sliding- ▁ColourPop- ▁Denmark- ▁Oxley- ▁botox- ▁bunnies- ▁crappy- ▁interface- ▁Joker- ▁aroma- ▁downtown- ▁empathize- ▁exaggerating- ▁orchid- ▁pixel- ▁tasting- ▁thosai- ▁trapped- ▁whiskey- Khan- ▁Reyes- ▁corporation- ▁Madam- ▁eager- ▁mercury- Bieber- ▁potluck- ▁Agent- ▁Note- ▁newbie- ▁substance- ▁Gongcha- ▁Ariel- ▁International- ▁Polytechnic- ▁Vijay- ▁Yuji- ▁productivity- ▁subset- ▁Life- ▁bartender- ▁deem- ▁pardon- ▁Ezra- ▁mhm- ▁grammatical- ▁educator- ▁arrival- ▁judgmental- ▁scarier- ▁telemarketer- ▁Face- ▁humorous- ▁stale- ▁Haj- ▁baba- ▁Llao- ▁bakso- ▁clementi- ▁overturn- ▁referee- ▁Chucky- ▁haze- ▁roundabout- ▁sinus- ▁buoy- ▁evaluate- ▁immortal- Mile- ▁visualise- ▁voting- ▁divert- ▁shatter- ▁salon- ▁probation- ▁agitated- ▁cashew- ▁expelled- ▁realistically- ▁jetty- ▁lifespan- ▁trafficking- jio- ▁Jem- ▁competent- ▁Joanna- ▁goggles- ▁Canyon- ▁pouch- ▁roar- ▁Shafiq- ▁Andrea- ▁braised- ▁whoops- ▁minority- ▁Kaka- ▁wound- ▁Christianity- ▁softball- paid- chap- ▁Chew- ▁jaw- ▁bulb- ▁fringe- ▁minimize- ▁bait- ▁Jude- ▁Nerf- ▁Brun- ▁luge- ▁Boat- ▁Aldo- ▁gland- ▁Chomp- ▁sabo- ▁panicking- ▁Angsana- ▁dispute- ▁technologically- ▁twe- ▁Storage- ▁sharpen- ▁warranty- ▁skies- ▁Train- ▁barley- ▁Thrones- ▁editor- ▁paul- ▁Dick- ▁embarassing- ▁enriching- ▁pestering- ▁Willows- ▁Secret- ▁bland- ▁Princess- ▁bobo- ▁windsurfing- ele- ▁browse- ▁waitress- ▁cray- ▁actresses- ▁Sky- Bang- ▁Chef- ▁Fingers- ▁Gary- ▁scratches- ▁bingo- ▁crunchy- ▁Smith- ayam- ▁vertically- ▁sai- ▁Athen- ▁shining- ▁intent- ▁bitchy- ▁Uno- ▁gist- ▁faded- ▁optional- ▁rooted- Cove- rrow- ▁adventures- ▁churches- ▁movements- hristian- ▁bagel- otton- ▁deepest- Sheeran- ▁blackout- ▁nerdy- ▁Chai- ▁Tian- ▁specialty- ▁predicted- Fun- ▁emceeing- ▁yacht- ▁Er- ▁somemore- ▁Nai- ▁fitting- ▁Sir- ▁skid- ▁onsen- Armour- Jian- ious- ▁forgetting- ▁Transformers- ▁mannered- ▁appealing- ▁sparkle- ▁wiper- ▁rear- ▁raging- ▁lin- ▁gathered- ▁flawed- ▁hooked- ▁Tham- ▁hesitate- ▁purchased- olio- ▁conflicting- Ji- ▁strangely- ▁backpacking- ▁skiing- ▁bodoh- ▁Pan- ▁goodnight- ▁wink- ▁Tamp- ▁tame- ▁compartment- ▁crumble- ▁pager- ▁explorer- ▁lookout- win- ▁spirited- ▁phonics- ▁tykes- ▁upgraded- ▁Call- sua- ▁fright- ▁discussed- ▁feminist- Panda- ▁blueish- heck- rmit- ▁processed- ▁untangle- ▁inconvenience- ▁spreading- ▁grudges- ▁burned- ▁retirees- ▁cycled- ▁shuffled- ▁peed- ▁titled- ▁geographical- ▁Get- ▁daytime- ▁reporting- ▁shophouses- ▁meaty- ▁escaped- atch- ▁butler- Le- ▁Bea- ▁Bon- ese- ▁justice- ▁lifts- ▁washed- ▁chilled- ▁trusted- ▁motherly- ▁pains- ink- ▁provides- ill- ▁fated- ▁topping- ▁replying- ▁instructors- uk- ▁idiots- Boys- ▁beverages- ered- ▁weirdo- ▁Eli- person- ▁cliques- ▁contacting- ▁Ri- Wars- ▁gays- ▁ques- wear- ▁drops- ▁residents- ▁chomp- roll- Peach- ▁outsider- lisa- ▁Ros- ▁Maris- ▁backgrounds- ▁Pi- ▁chopsticks- ▁intervals- ▁photographs- ▁peek- ▁panes- ▁spaces- ▁saturat- ▁trusting- ▁ew- pong- ▁triggers- ▁sober- ▁vocals- ▁acc- ▁conclude- lick- ▁poles- ▁liars- ▁highlighters- ▁Pu- ▁endless- ▁cocktails- ▁occurr- how- ▁mover- ▁criticis- ▁lawyers- ▁clams- ▁Mal- rk- ▁gory- ▁practices- ▁passengers- ▁ec- ▁farms- kai- set- ▁negotiables- ▁curtains- ▁decorations- ▁chaos- ▁shifts- ▁flooring- ▁employers- ▁boats- ▁flipp- ▁buyers- ▁defines- ▁drawings- ▁mirrors- appy- books- ▁gra- ▁guards- ▁Link- ▁warriors- ▁judges- ▁creates- ▁ser- ▁fishballs- ▁gir- nan- ▁bre- ▁deadlines- ▁clues- ▁inculcate- ▁hon- ▁Den- anti- ▁criminals- Teng- ▁lanes- ▁rant- ▁gin- ▁users- ▁farmers- Lua- ▁tasks- ▁supermarkets- ▁cabinets- ▁techniques- ▁cor- ingly- ▁smokes- ▁Swensens- ix- ▁Mua- ▁grip- ▁norms- ▁hydra- ▁bou- ically- ▁mist- ▁systematic- ▁disasters- dding- ▁surprises- ▁sho- ▁superpowers- wal- ▁Eight- ▁cho- ▁decks- ▁diseases- ▁outright- ▁procedures- ▁Che- ▁managers- ▁rug- ▁Koreans- cou- ▁sculpture- ▁nerve- ▁Aston- ▁honor- ▁dumpling- ▁resident- War- ▁Incredible- ▁genetic- ▁teammate- ▁firework- ▁backward- ▁onward- ▁reminder- ▁Starbuck- ▁Roa- ▁strategi- ▁errors- ▁producers- ▁chicks- ▁audi- iff- eddy- ▁bestie- ▁workouts- ▁dorm- ▁follower- ▁ticks- ▁notification- wer- ▁fabric- Huan- lance- ham- board- ▁astro- cake- ▁sap- dication- rich- ▁Cheese- Story- soto- ▁Philip- ▁firms- wee- ▁pai- ▁duet- ▁hyp- Kart- ▁boulder- ▁Bra- print- ▁ignor- ▁exfoliat- ▁activate- ▁enhance- ▁spots- ▁customise- Chen- ▁deform- ▁derive- ▁Xia- ▁paralys- Everest- Vista- ▁speci- Talent- Impossible- Palace- ▁Pek- Trump- Studies- River- Force- Pasir- ▁thrift- ▁Jerem- ▁Farhan- ▁assembl- ▁fiance- wash- Jerry- ▁husk- eww- Born- Lane- ▁explicit- Teck- makase- onopoly- Sheng- erminal- ouble- Peng- ▁Steph- ▁damp- ▁oblig- ▁Thom- ▁rival- ▁Brazil- ▁inherit- ▁compress- ▁symbio- aneous- ▁Felicia- ▁Ajisen- ▁Phillip- ▁Upper- ▁dismantl- ▁occupy- ▁singular- Educators- ▁Adeline- ▁Andak- ▁Bizhub- ▁Brisbane- ▁Burmese- ▁Cisco- ▁Deadpool- ▁Deliveroo- ▁Edinburgh- ▁Giordano- ▁GrabHitch- ▁Hamilton- ▁Horlicks- ▁Hyuna- ▁Jaguar- ▁Jewish- ▁Kaohsiung- ▁Kembangan- ▁Kyushu- ▁Lisbon- ▁Lynette- ▁Migros- ▁Murtabak- ▁Outram- ▁Prawn- ▁Reddit- ▁Ritz- ▁Rosyth- ▁Timberland- ▁Vikram- ▁Yakult- ▁Yvonne- ▁afterlife- ▁ambassador- ▁appreciation- ▁aqua- ▁autograph- ▁bamboo- ▁bibimbap- ▁bolster- ▁botanic- ▁cactus- ▁carrier- ▁catapult- ▁ceramic- ▁chandelier- ▁clumsy- ▁cognitive- ▁conference- ▁continuation- ▁corporal- ▁cursive- ▁defensive- ▁delicacies- ▁delicacy- ▁detergent- ▁disastrous- ▁dissolve- ▁distribution- ▁elevator- ▁elitist- ▁endurance- ▁equator- ▁equipped- ▁excellence- ▁extravagant- ▁freestyle- ▁gerpe- ▁grumpy- ▁havoc- ▁heartbeat- ▁hybrid- ▁illusion- ▁inflatable- ▁insensitive- ▁institute- ▁interrogate- ▁intimidate- ▁liberty- ▁lodging- ▁mermaid- ▁metabolism- ▁minimise- ▁motivator- ▁muslim- ▁naval- ▁neigh- ▁nightlife- ▁obtain- ▁oxy- ▁pajamas- ▁paranormal- ▁parliament- ▁philosopher- ▁pontianak- ▁postcard- ▁protocol- ▁provision- ▁puppet- ▁puppies- ▁quadrant- ▁recyclable- ▁releasing- ▁resurrect- ▁sampling- ▁sepak- ▁skeleton- ▁snowskin- ▁spendthrift- ▁summit- ▁synopsis- ▁teriyaki- ▁ulcer- ▁underwhelming- ▁unglam- ▁untouch- ▁vicious- ▁violet- ▁wharf- ▁wrapped- ▁Clarence- ▁Eileen- ▁Football- ▁Oxford- ▁Tesla- ▁Twilight- ▁affiliation- ▁ample- ▁brunette- ▁hulk- ▁ninja- ▁oblivious- ▁skull- ▁soundtrack- ▁terrain- ▁twilight- ▁utility- ▁Regina- ▁Risotto- ▁Taxi- ▁empathetic- ▁hormone- ▁impulsive- ▁lodge- ▁pessimistic- ▁racism- ▁truant- ▁Adrian- ▁Civil- ▁fragment- ▁torchlight- ▁Daiso- ▁Maidy- ▁Midnight- ▁Spy- ▁vitamin- ▁digress- ▁robbed- ▁Celine- ▁Glasgow- ▁Java- ▁Jews- ▁entitlement- ▁ignorance- ▁taekwondo- ▁terrorism- ▁puking- ▁rabak- ▁Yole- ▁whining- ▁contestant- ▁organism- ▁pegro- ▁pedal- ▁Valak- ▁disruption- ▁shotgun- ▁tangible- ▁troubleshoot- ▁Government- ▁Hundred- ▁conscience- ▁feasible- ▁makcik- ▁thrive- ▁Howard- ▁bedridden- ▁expat- ▁soundproof- ▁swine- ▁Debra- ▁lawsuit- ▁Angeline- ▁establishment- ▁Zilong- ▁batteries- ▁candies- ▁debatable- ▁accessory- ▁distraction- ▁analytical- ▁siva- ▁Panic- ▁cruelty- ▁complication- ▁component- ▁photoshoot- ▁aura- ▁humidity- ▁treetop- ▁Faith- ▁Galaxy- ▁presume- ▁shady- ▁egoistic- ▁fellowship- ▁lighthearted- ▁Kiri- ▁suc- ▁waterproof- ▁Bangla- ▁surrender- ▁warden- ▁banter- ▁scanning- ▁bali- ▁coincidentally- ▁Totoro- ▁storeroom- ▁confidential- ▁squishy- ▁pension- ▁Danny- ▁diluted- ▁Asus- ▁stationery- ▁posh- ▁westernised- ▁Valley- ▁deprived- ▁Mandai- ▁Wanna- ▁gymming- ▁submitted- ▁secretive- ▁Shuan- ▁hangover- ▁Switch- ▁floss- ▁introducing- ▁Nancy- Mars- ▁autis- ▁Baba- ▁existent- ▁corgi- ▁Ireland- Shiong- ▁Amos- ▁Rover- ▁Suria- ▁punk- ▁spize- ▁paperwork- ▁Liao- ▁Liz- Meng- Out- ▁expressway- ▁sniper- ▁leap- ▁idiotic- ▁lingo- ▁dent- ▁clinical- ▁Sega- ▁elf- ▁Fuji- ▁Leona- ▁specialisation- ▁intentionally- ▁quitted- ▁Cody- ▁bedok- ▁chanting- ▁cyst- ▁decorating- ▁competitiveness- ▁Lok- ▁upsetting- ▁integrated- ▁transcriber- ▁gray- ▁censored- ▁munch- ▁portal- ▁vast- ▁budd- ▁sloth- ▁stopover- ▁publicity- ▁Music- ▁approachable- ▁strolling- ▁confined- ▁Jones- ▁Singap- ▁coaches- ▁allocated- ▁escalate- ▁backstage- ▁Opera- ▁Barrage- gro- ▁executed- ▁Jackson- ▁suppress- Musk- ▁labourer- ▁invented- ▁downhill- ▁replay- ▁bash- ▁ikan- ▁projection- ▁breakout- ▁accountable- ▁heavenly- ▁bumpy- ▁tortured- ▁mian- ▁merged- ▁projector- ▁raid- ▁discovery- ▁greeting- ▁crown- ▁Quay- ▁ruler- ▁legally- ▁quarterly- ody- ▁perfection- ▁router- ▁Yen- ▁combi- ▁Hell- ▁troll- ▁grooming- Mulan- ▁networking- ▁melting- ▁locker- ▁casting- ▁distinctive- Ishak- ▁encouraged- ▁printer- ▁farted- ▁wary- ▁promised- ▁sacrificed- ▁freshly- ▁Ram- ▁nutrients- ▁Ant- ▁Zai- ▁miser- ▁adjusting- ▁Pe- ▁Kar- ▁clearer- ▁homeless- ▁awfully- ota- ▁reset- ▁winded- ▁kno- ▁quant- ▁deter- ▁maintained- ▁openness- ▁steaming- ▁began- ▁rejecting- ▁faulty- ▁Arm- ▁cheater- ▁boomers- yer- ▁pisse- ▁wiser- ▁opponents- ▁performer- ▁taxing- ▁Out- ▁Sen- ▁causeway- ▁Taman- ▁delight- ▁boundar- ▁defin- Ru- seven- ▁guides- ▁procrasti- ▁directing- ▁greener- Brothers- ▁snoop- ▁ubi- ▁replac- ▁recommending- ▁lobangs- ▁touchy- ▁lightly- ▁wrinkles- ▁Ying- ▁fri- mort- ▁Mai- mary- ▁banker- ▁researchers- ▁Jolin- kuah- gate- ▁bothering- chan- ▁Timb- ▁smoked- ▁formed- ▁cheers- phy- nto- ▁Pai- ▁clogg- Studios- ▁kilometers- ▁syllables- ▁aeroplanes- ▁perfumes- ▁measures- ▁Pola- Got- ▁dragg- ▁lea- ▁beetles- source- ▁cuter- ▁handbags- ▁Timah- ▁founder- ▁partying- ▁Bras- ▁Nov- ▁donated- ▁thrills- ▁scenarios- ▁meantime- ency- ▁Lab- ▁soldiers- ▁tiers- Wala- ▁Poo- ▁cosmetics- ▁Euros- tory- ▁classy- ▁trib- ▁ming- ▁Kin- ▁Rim- ater- ▁loc- ▁lunches- ▁hotdogs- ▁rays- ▁fillers- ▁hays- ▁collapse- inda- 'On'- ching- Board- ▁shin- ▁rubb- ▁sys- ▁muffins- ique- gh- ette- ▁hais- ▁cabs- ator- ▁recon- ▁bef- ▁persuad- ▁gamers- ▁Ta- ▁Dal- ▁kn- ▁kittens- ▁guitars- lated- ▁faithful- end- ▁performances- chou- ▁Bing- ▁sponsors- ille- Del- ▁roses- que- ▁apples- ▁Lo- ▁Teen- ▁laps- ▁poems- ▁je- ▁sciences- ▁Bi- ▁aesthetics- ▁arrows- ▁streams- ▁crimes- ▁Ez- ▁Del- ▁hal- ▁advis- ▁Ting- ▁lis- ▁sw- ▁concentrat- ▁planets- ium- ▁sal- ▁bricks- ▁Maria- ▁Xu- lter- Ko- ▁controlle- ▁donations- ▁Pets- bell- ▁protecti- ▁balling- Basah- ▁Raj- ogging- este- stance- arry- pol- ▁Sh- ▁pom- dan- ▁footballers- ▁Ke- ▁ruins- ▁connects- wise- ▁lim- ▁san- ica- ▁limitation- ▁robotic- Time- ▁cyclist- ▁decade- ▁beetle- ▁rib- ▁linguistic- ▁Strait- ▁dart- ▁yuck- ▁glove- ▁archetype- ▁mathematic- ▁circumstance- ▁Court- ▁Lad- ▁cra- ck- ▁dick- Bell- ▁canal- uffle- ▁impor- ▁exp- ▁frogs- ▁belts- ▁Dog- ▁startup- ▁dep- ▁Cel- Kia- yang- lash- ▁flexi- ▁sectors- ▁Carl- eba- een- iding- sai- Tea- ▁jets- Bar- ▁gia- ▁reciproc- we- ▁depress- ▁sketch- ▁Indo- hold- ▁heartbreak- ▁march- ▁roam- ▁glow- ▁demo- phone- ▁whisk- down- ▁exaggerate- ▁customize- ▁integrate- ▁enlist- ▁scent- ▁considerations- ▁reclaim- ▁eliminate- lapis- Factor- iglap- Guan- Shui- Swift- Crush- High- puff- Plus- Secondary- Fuji- Premier- University- coaster- ▁manufacture- Bear- North- generation- briyani- ▁warrant- ▁matte- jiao- ▁Iraq- personal- ▁scoot- ▁indirect- ▁subsequent- ▁Leonard- ▁fulfil- utdoor- ommunity- ▁Carousel- Box- ▁Drag- ▁depict- ▁Fresh- ▁Hero- ▁absurd- ▁coop- ▁terror- ▁resist- quid- ▁proficien- ▁Heart- ▁Arctic- ▁Dempsey- ▁Jamie- ▁continual- ▁intellect- ▁prescripti- ▁render- ▁ulti- Anatomy- Azhar- Buffet- Dhabi- Holmes- Mirza- Ramsay- Takraw- tsuka- zealand- ▁Austria- ▁Barbecue- ▁Britney- ▁Caleb- ▁Chapteh- ▁Chihuahua- ▁Chivas- ▁Chloe- ▁Citibank- ▁Commonwealth- ▁Crescent- ▁Desmond- ▁Diwali- ▁EXO- ▁Exco- ▁FairPrice- ▁Freedom- ▁Grinch- ▁Hyundai- ▁Ibiza- ▁Illusion- ▁Jurassic- ▁Keppel- ▁Maniac- ▁Mauritius- ▁Minesweeper- ▁Mohammad- ▁Normal- ▁Olivia- ▁Photoshop- ▁Popular- ▁Queensway- ▁Ringgit- ▁Scarlet- ▁Serena- ▁Shirley- ▁Slurpee- ▁Snapchat- ▁Society- ▁Supper- ▁Tiffany- ▁Ultra- ▁Vasantham- ▁Vishnu- ▁Wales- ▁Wikipedia- ▁Zendaya- ▁abuden- ▁academy- ▁accustom- ▁affirmation- ▁altitude- ▁apocalypse- ▁apostrophe- ▁articulate- ▁assertive- ▁avatar- ▁beansprout- ▁bhutan- ▁bodyguard- ▁bollard- ▁calcium- ▁chapati- ▁colourblind- ▁comfy- ▁complacent- ▁connotation- ▁crumpled- ▁deluxe- ▁detriment- ▁duff- ▁dyslexic- ▁encyclopedia- ▁enthusiasm- ▁envision- ▁envy- ▁eternal- ▁eternity- ▁folklore- ▁foreground- ▁forgiving- ▁gecko- ▁gladiator- ▁glaring- ▁gratitude- ▁gullible- ▁handkerchief- ▁handshake- ▁hologra- ▁horrendous- ▁iKon- ▁inaccessible- ▁infection- ▁innuendo- ▁intimidating- ▁judgy- ▁loneliness- ▁macchiato- ▁mankind- ▁maternal- ▁mentaiko- ▁ministry- ▁misconception- ▁misunderstood- ▁moisturising- ▁nipple- ▁notorious- ▁nudge- ▁outskirt- ▁pavilion- ▁paycheck- ▁persistent- ▁pilgrimage- ▁pledge- ▁punggol- ▁reckon- ▁recluse- ▁reincarnation- ▁retreat- ▁risotto- ▁satisfactory- ▁scalp- ▁squeak- ▁suicidal- ▁threshold- ▁tobacco- ▁twelfth- ▁unattended- ▁unfollow- ▁verify- ▁vinyl- ▁waveform- ▁widow- ▁youself- ▁Azmi- ▁Becky- ▁Drive- ▁Javanese- ▁Khairul- ▁Monica- ▁Parkinson- ▁Pasta- ▁Skyview- ▁Wonder- ▁brutal- ▁flask- ▁glitch- ▁harvest- ▁loner- ▁psychiatrist- ▁smoky- ▁spelt- ▁superstar- ▁updating- mbian- ▁Coldplay- ▁Maxwell- ▁Sungei- ▁kampong- ▁slipped- ▁stern- ▁Belinda- ▁Casino- ▁Shenyang- ▁Urban- ▁astronaut- ▁canopy- ▁melody- ▁moisture- ▁sickening- ▁sidetrack- ▁unrealistic- ▁guacamole- ▁hereditary- ▁hougang- ▁teaspoon- kerang- ▁Sasi- ▁amenities- ▁garang- ▁platter- ▁Buddhism- ▁Jazz- ▁cino- ▁drizzle- ▁elevation- ▁implication- ▁plaza- ▁reliant- ▁carbonated- ▁Luke- ▁Taco- ▁disabilities- ▁steward- ▁twinkle- ▁Barbie- ▁shisha- ▁thumbprint- Ngah- ▁Infinity- ▁mediator- ▁Brian- ▁addictive- ▁Pawan- ▁Tarte- ▁completion- ▁barrow- ▁bobian- ▁jellyfish- ▁entice- ▁Code- ▁Mahathir- ▁adverse- ▁basil- ▁Jasper- ▁eff- ▁Bradley- ▁concede- ▁populated- ▁womb- ▁comparatively- ▁complimentary- ▁hoodie- ▁resistance- Piece- ▁chute- ▁spinach- ▁pinball- ▁astronomy- ▁rivalry- ▁employment- ▁Miya- ▁courageous- ▁clueless- Dahl- ▁journalism- ▁peacock- ▁Gardenia- ▁fartsy- ▁spear- ▁Fir- ▁liais- ▁demonstrate- ▁ironically- ▁Orto- ▁documentation- ▁lagging- ▁patronize- ▁Akshay- ▁Laura- ▁Virgin- Tuk- ▁Halong- ▁Santorini- ▁mannerism- ▁Bella- ▁styrofoam- ▁disposable- ▁deja- ▁iceberg- ▁salivate- ▁preschool- ▁cherries- ▁foie- ▁proportionate- ▁invention- ▁dental- ▁jumbled- ▁modernised- ▁glider- ▁tempting- ▁moist- ▁halfhearted- ▁sphere- ▁Business- ▁Halimah- ▁irri- ▁nuance- ▁batman- ▁punny- ▁symbolise- ▁empire- ▁deduction- ▁hardwork- ▁installation- ▁fanatic- ▁conceive- ▁layman- ▁Center- ▁stitches- ▁Dark- ▁Johnson- ▁broom- ▁codeine- ▁meteor- ▁disgusted- ▁faraway- ▁gelat- ▁maze- ▁Navy- ▁Scott- ▁Three- ▁Miller- ▁adjustment- Fong- ▁involvement- ▁jab- ▁Belle- ▁continental- ▁Fanny- ▁suspended- ▁brotherhood- ▁buttock- ▁setback- ▁harness- ▁collagen- ▁deliveries- ▁healthily- ▁hospitality- ▁Colo- ▁hypothetically- ▁branches- ▁bandung- ▁vaping- ▁Peru- ▁despi- ▁plantation- ▁disbanded- ▁disconnected- ▁husky- ▁Rosa- ▁Ronaldo- ▁consciousness- ▁Bread- ▁duckling- ▁Talent- ▁knots- ▁overflowing- ▁Deb- ▁superheroes- ▁controller- 'Off'- ▁Benga- ▁Bangladeshi- ▁forgetful- ▁Law- ▁chatty- ▁sane- ▁enable- ▁cries- ▁exaggerated- ▁padding- ▁runny- ▁overturned- ▁olio- seal- ▁handover- ▁scarf- ▁Express- ▁instrumental- ▁betrayed- ▁exhausting- ▁Bird- ▁duo- ▁conch- ▁kok- ▁neon- ▁Phu- ▁playboy- ▁thirteenth- ▁exfoliate- ▁dropout- ▁partnership- ford- ▁caf- ▁armor- ▁pirated- ▁Himalayan- ▁objectively- ▁dice- ▁heartbreaking- ▁glowing- ▁beaten- ▁remov- Pong- ▁stalker- ▁sadder- jie- ▁cultivated- ▁paru- ▁Arabian- ▁nurtured- ▁countless- ▁horny- ▁satire- ▁toaster- ▁puzzled- ▁childlike- ▁permanently- ▁Keat- ▁published- ▁skater- ▁mashed- ▁Kishan- diac- ▁fend- ▁Kaki- ▁Hap- ▁Forest- ▁spotting- ▁Mini- ▁coal- ▁regulate- ▁jerk- ▁copyright- ▁subconscious- ▁thou- irways- ▁Army- ▁Yuen- ▁extroverted- ▁recognized- ▁consensus- ▁confessed- ▁tightly- ▁replicate- ▁Tshirt- ▁Siam- ▁signifi- ▁Leon- ▁observed- ▁sq- Horseman- ▁Fave- ▁angst- ▁ple- ▁sibeh- ▁morally- ▁Gem- ▁successes- ▁abused- ▁Chun- ▁sliced- nk- ▁Miam- ▁eee- ▁destroying- ▁largest- ▁fresher- ▁suffered- iang- ▁Kio- ▁rudely- ▁functioning- ▁smiley- ▁Aus- ▁discovering- ▁revealing- ▁recovering- ▁footed- ▁criticism- indows- not- ▁Toast- Thrones- pek- ▁Shell- ▁comprises- ▁dimples- ▁functions- Glam- ▁To- ▁apparent- plan- ▁mari- ▁nominate- ▁claws- ▁avoided- ▁scheduled- ▁Yin- ▁crate- ▁flex- ▁Bin- ▁castles- ▁stocking- ▁crazie- ▁electro- ▁capsize- shall- ▁Yisha- ▁teleporting- ▁eyeballs- ▁closeness- ▁Ranger- ▁crashing- more- ▁Amy- ▁Merli- itch- ▁reconcile- ▁switching- ▁troubled- ▁dum- take- ▁progressing- Carlton- Chok- ▁lima- ▁smokey- Qing- Wenger- ▁whatnot- ▁analytics- store- ▁Winn- ▁sayang- ▁wondered- ▁Lot- ▁rotat- chang- yan- ▁Hop- ▁Thor- ▁presenting- ▁channels- ▁apt- ▁dra- ▁Chee- ▁midterms- ▁kilometres- ▁symptoms- ▁poll- oke- ▁misc- ▁Tommy- ▁Bro- ▁publicize- ▁merchants- ▁souvenirs- njuk- ▁fewer- ▁Du- ible- Times- ▁ribs- ▁cyclists- ▁decades- ▁lawn- ▁fishers- ▁gan- ▁notifications- ▁Idol- ▁syn- ▁lighted- ▁Yam- ▁sailors- ▁Pass- bin- lude- ▁cubes- ▁Jenn- ▁websites- ▁interestingly- ▁acai- ▁sitcoms- ▁Kinder- ▁seating- Pi- ▁che- ▁ci- ▁puddings- aj- here- ▁odds- ax- ▁margin- ▁Caucasians- ▁attributes- ▁Alias- ▁dreamer- ▁flyers- ▁Ze- ▁blanks- list- ▁temperatures- Chi- llao- ▁Meet- ▁alphabets- ▁ministers- ▁statues- ▁Legends- rou- ▁attacks- ▁notch- ▁pointers- ▁etc- ▁gears- ▁Zhuan- ault- ▁seize- ▁puzzles- layer- ▁mana- ▁tents- ▁directional- ▁dun- omo- ▁snapp- ▁del- ▁Angu- ▁aids- ▁Ch- ▁Tun- ▁Jac- ▁sins- aki- ▁Ver- ▁wou- ▁fundamentals- non- ▁triangles- ▁buns- ▁bugs- now- ▁ele- run- ▁integrati- ▁recommendations- ▁Pad- ▁gar- shao- ▁hol- ▁fisher- old- ▁Raja- ▁spikes- ▁mun- ▁dinosaurs- ▁mentors- ▁Har- ▁spirits- ▁organizations- zy- ▁Christians- Magic- ▁dangers- erry- oi- ▁dock- ▁slopes- ▁artistes- ▁ru- ▁references- ongs- ▁Wiz- ▁markings- very- eresa- ▁kam- ▁blessings- ▁gigs- gle- ▁improvements- ▁pubs- ▁sib- bel- ▁comms- ▁meta- ▁pimples- ▁stares- ▁pota- ▁Ken- ene- Xun- ggle- ▁paw- ▁threat- ▁resonate- ▁axe- ▁schoolmate- ▁emerge- Studio- ixes- ▁merchant- ▁souvenir- hop- ▁kilometer- ▁syllable- ▁beverage- Boy- ▁competitor- ▁rumour- ▁ancestor- ▁sneaker- verse- ▁compromises- ▁whip- low- ▁brownie- ▁notion- assim- then- ential- ▁tang- ▁campaigns- ▁constrain- ▁zha- ami- ▁Eu- bal- ched- ▁constraint- fron- ▁Col- ▁Sai- ▁nu- agar- ▁riches- minate- ▁chil- Chin- minating- boro- iously- ▁historic- lay- ▁Pay- ookie- ▁Tea- turn- imp- field- ▁chang- room- place- ▁blu- De- power- keeper- qi- ▁stroll- rick- ▁snorkel- ▁Tao- ▁discharge- breaker- ▁empower- ▁vari- charge- ▁obsess- ▁locate- ▁injure- ▁disband- ▁disconnect- provoking- ▁recharge- Talk- Cooper- pedas- Bowl- Arabia- Brown- Pool- Storage- Republic- Tiger- Andrew- Mother- heaven- regardless- Bukit- kampung- eleven- Briyani- bono- curry- ▁moisturise- cute- with- Jones- ierce- Fox- ▁ima- ▁sensi- ▁convention- ▁Port- Chiong- onesty- ▁equip- iculous- ▁eavesdrop- ▁descend- ▁Naomi- ▁Warner- ▁cigar- Carter- Ferguson- Lloyd- Miserables- Purcell- '`'- ligence- ▁Atlanti- ▁Azazel- ▁Bendemeer- ▁Berlin- ▁Bluetooth- ▁Chirashi- ▁Derrick- ▁Dhey- ▁Dropbox- ▁Farouk- ▁Fifa- ▁Fitness- ▁Fullerton- ▁Henderson- ▁Jacqueline- ▁Kentucky- ▁Kukup- ▁Kumar- ▁Manila- ▁McLaren- ▁Mediterranean- ▁Mendaki- ▁Myeongdong- ▁Nagoya- ▁Nickelodeon- ▁Nissan- ▁Norwegian- ▁Office- ▁Phillipines- ▁Pinoy- ▁PlayMade- ▁Promenade- ▁Scape- ▁Sheldon- ▁Shermaine- ▁Smallfoot- ▁Spitz- ▁Supreme- ▁Tamago- ▁Thanos- ▁Umrah- ▁Winx- ▁Wushu- ▁Yoogane- ▁accuracy- ▁acrylic- ▁aggregate- ▁almond- ▁alternating- ▁approximately- ▁backdrop- ▁brainstorm- ▁calculus- ▁cannibal- ▁cassette- ▁cautious- ▁centuries- ▁chlorine- ▁chrono- ▁cinnamon- ▁cipher- ▁closure- ▁cobra- ▁comprehend- ▁condiment- ▁confusion- ▁courier- ▁cradle- ▁cuddle- ▁debrief- ▁decathlon- ▁democratic- ▁disapprove- ▁distillat- ▁diversify- ▁documentaries- ▁eclipse- ▁empress- ▁enclosed- ▁encompass- ▁equation- ▁esplanade- ▁filthy- ▁frugal- ▁funfair- ▁gengar- ▁giddy- ▁headquarter- ▁hospitable- ▁hotplate- ▁iguana- ▁impulse- ▁incense- ▁inviting- ▁jelat- ▁karate- ▁krabi- ▁laundrette- ▁magnesium- ▁marshal- ▁microchip- ▁murtabak- ▁narcos- ▁nauseous- ▁netflix- ▁odour- ▁overdrive- ▁patriotic- ▁pelican- ▁perspire- ▁pertain- ▁pringle- ▁province- ▁radiant- ▁rebuild- ▁recount- ▁rephras- ▁residence- ▁resilience- ▁revamp- ▁rinsing- ▁robbery- ▁sakae- ▁salicylic- ▁seduce- ▁silicon- ▁silliest- ▁sincerity- ▁slogan- ▁soulmate- ▁stereo- ▁sunshine- ▁symphony- ▁synonym- ▁tchoukball- ▁territory- ▁thunderstorm- ▁tragedy- ▁troublemaker- ▁unethical- ▁unplanned- ▁unpleasant- ▁untidy- ▁unwilling- ▁urgency- ▁vanguard- ▁velvet- ▁vodka- ▁whitish- ▁wholeheartedly- ▁zumba- Gerrard- Kusama- ▁Aloy- ▁Bachelor- ▁Darren- ▁Dream- ▁Dumbledore- ▁Eugeo- ▁Fairprice- ▁Googling- ▁Hunger- ▁Khalid- ▁Manhattan- ▁Mystic- ▁Topshop- ▁cadet- ▁chemotherapy- ▁communities- ▁concise- ▁convincing- ▁diagram- ▁disintegrate- ▁fragile- ▁ideology- ▁irregular- ▁lavish- ▁narrator- ▁orangutan- ▁saikang- ▁triangular- ▁Cedar- ▁JetStar- ▁Laneway- ▁Persian- ▁Totally- ▁constitute- ▁delta- ▁eatigo- ▁emulate- ▁futuristic- ▁gulp- ▁immerse- ▁mercy- ▁monologue- ▁prosperity- ▁telegram- ▁trotter- ▁unreal- China- ▁Bartley- ▁Cartoon- ▁Coleen- ▁Tutu- ▁bilingual- ▁bulldog- ▁criticizing- ▁darn- ▁hesitation- ▁interim- viation- ▁GameBoy- ▁Nazi- ▁amusing- ▁bangtan- ▁descendant- ▁garland- ▁organizing- ▁Lipton- ▁PayWave- ▁bravo- ▁brillante- ▁embassy- ▁friction- ▁hijab- ▁snoring- Hanks- ▁Elisha- ▁Entertainment- ▁Warcraft- ▁cellphone- ▁harassment- ▁multilingual- Decay- ▁comedic- ▁copied- ▁inventory- ▁rabz- ▁telok- valent- ▁Charizard- ▁Sager- ▁depressive- ▁lagoon- ▁overspend- ▁primark- angoon- ▁Kobe- ▁protest- ▁Skyline- ▁charismatic- ▁cristofori- ▁Barbra- ▁Huda- ▁bragging- ▁chinese- ▁courteous- ▁criticize- ▁ruling- lihood- ▁Percy- ▁bulgogi- ▁blaming- ▁crepe- ▁frail- ▁genetically- ▁obey- ▁retrenchment- Ridge- ▁Sandra- ▁fondant- ▁optimisation- ▁Irfan- ▁civilization- ▁physiotherapy- arnia- ▁Direction- ▁Drama- ▁Hulk- ▁Restaurant- ▁Ultron- ▁electrons- ▁hazard- ▁icing- ▁snowboard- ▁width- ▁disciplinary- ▁flavorful- ▁speedboat- ▁baggy- ▁Nando- ▁preserving- ▁adulthood- ▁stepmother- ▁Congkak- ▁Fenty- ▁Geog- ▁ethnicity- ▁guai- ▁laminate- Fei- ▁Mersing- ▁Rosie- ▁snowflake- ▁sophisticated- Steak- ▁dumbbell- ▁penny- ▁variable- ▁convict- ▁infantry- ▁slapping- ▁evergreen- ▁Edna- ▁Josephine- ▁PowerPoint- ▁amoy- ▁tuas- ▁hummer- ▁taco- ▁sunken- quel- ▁Snoopy- ▁beekeeper- ▁creation- ▁varies- ▁blondie- ▁rustic- ▁Stamford- ▁Zheng- ▁stoic- ▁examiner- ▁interruption- ▁famine- ▁copies- ▁insecurity- ▁blob- ▁crooked- ▁erupt- ▁complian- ▁Juan- ▁fanta- ▁rotation- ▁fireplace- ▁rowdy- ▁managerial- ▁korea- ▁tinge- ▁nude- ▁Chung- ▁profanity- ▁unicorn- ▁tapping- Up- ▁Mourinho- ▁Simpang- ▁Roth- ▁crutch- ▁starring- ▁vividly- ▁flawless- ▁Escooter- ▁Genie- ▁lasagna- ▁Mandy- ▁witches- ▁haul- ▁mafan- ▁Zhong- ▁subsidised- Lok- ▁Bobby- ▁appointed- ▁hurtful- ▁forgiveness- ▁midway- Boon- ▁Sandy- ▁Noel- ▁adaptation- ▁stunning- ▁bail- Yee- ▁Leonardo- ▁tonne- ▁shaky- ▁headset- ▁oppa- ▁broaden- ▁revert- ▁Oral- ▁collectible- ▁metric- ▁mountainous- ▁catfish- ▁hideout- ▁Titans- ▁strategic- ▁labelled- ▁infant- Singh- ▁sandwiches- ▁chopper- ▁selectively- ▁sexist- ▁shivering- ▁exhausted- ▁steer- ▁travelator- ▁angsty- ▁fog- Air- ▁Albert- ▁Crush- ▁Arsen- ▁Plus- ▁Halo- ▁blackboard- ▁draggy- ▁Strike- ▁moderately- ▁swamp- ▁ballot- ▁contradicting- ▁Daily- ▁protector- ▁Ruth- ▁boar- ▁Julin- ▁rusty- icity- ▁Mona- Gong- ▁Chao- ▁kung- ▁archer- ▁tempo- ▁cord- Phi- Ray- ▁fitter- ▁qi- ▁spiritually- ▁Young- noodle- ▁Baha- ▁Roy- ▁Town- ▁bunker- ▁housekeeper- ▁Canning- ▁alighted- ▁stapler- ▁transformer- ▁spinal- ▁unexpectedly- ▁Once- ▁Fang- ▁inconsequential- ▁discarded- ▁Aden- ▁greenhouse- ▁gambler- ▁Loong- ▁Bose- ▁vac- ▁pierced- ▁Ghaut- ▁Ching- ▁departmental- ▁aligned- ▁Mind- ▁yard- ▁thrilling- ▁Bond- ▁regretting- ▁hangman- ▁Tung- ▁crank- Tang- ▁dependable- ▁tuner- ▁accurately- ▁Pig- ▁flooding- Met- ▁chic- ▁steamer- ▁freelancer- ▁licking- ▁postman- ▁Rock- ▁conditioner- ▁Keng- ▁fairies- ▁Jong- ▁badass- ▁Rahma- ▁Tyr- ▁Lian- ▁voter- ▁ruby- ▁bounded- ▁conducted- ▁Along- ▁Xiang- ▁yarn- ▁Eng- ▁internationally- ▁surfer- ▁Hao- ▁duel- ▁offline- ▁rubbery- ▁entertained- ▁secured- ▁represented- ▁recovered- ▁Fest- ▁thoughtful- ▁secon- ▁Satur- bee- ▁kap- ega- Technological- ▁cracked- ▁Sally- ▁recycled- ▁balding- Siam- ▁coldness- ▁belay- Upon- ▁volt- ▁succeeded- rine- ▁fad- ▁translated- ▁conveniently- ▁ironed- ▁refused- ▁teared- ▁tendon- ▁retailer- ▁hosted- ▁seriousness- ▁advisor- ▁wayang- ▁Dell- ▁rave- ▁shaded- ▁rewarding- hood- ▁coup- ▁ranked- lock- ▁Marriott- ▁traded- ▁impre- tree- ▁Aka- ▁neighbourly- ▁packaged- ▁triggering- ▁verb- ▁Hin- taker- ▁framed- ungee- ▁showered- ez- well- ▁Sar- Lang- ▁sapa- ▁pier- ▁rushed- ▁reporter- ▁lad- ▁shelving- empt- ▁sham- ▁fashioned- ▁bask- ▁remix- ▁snowing- ston- ▁Zak- ▁tester- ▁header- Girls- odium- ▁remarks- ▁premises- ▁streaks- ▁wolves- ▁flakes- Kids- ▁suan- ▁Pat- ▁harden- ▁Wing- ▁excused- ▁Biore- ▁pung- ▁reno- ▁quo- ▁crossed- ▁Seah- ▁accom- nea- ▁educat- ▁centered- rade- ▁justified- ▁metro- ▁striv- ▁peeing- ▁Resorts- ▁tantrums- asan- ▁pickles- sheng- ▁withstand- ▁faked- Zhen- ▁matched- ▁Holl- ▁avoiding- ▁disappears- ▁perks- ▁corals- ▁bead- ▁Pooh- ▁addressing- ▁Yun- ▁landing- ▁asam- ▁singa- ▁spoons- ▁nouns- ▁emissions- ▁otters- ▁Ham- Ha- ▁unc- ▁orang- ▁pairing- ▁shap- ▁sash- ▁haters- ▁donating- ▁Falah- ▁Denis- ▁skim- ▁forgo- ▁asian- ▁Simpl- ▁schoolmates- ▁axes- ▁paws- ▁Ipoh- ▁influ- ▁wires- ▁yucks- ▁cosm- ▁Pit- ▁deteriorate- ▁Pana- ▁cou- ▁cutest- dicated- ▁dumplings- ▁honors- ▁stirr- ▁sued- ▁batche- ▁Salah- ▁hairy- lec- ▁bam- ▁Studios- ▁Salt- ▁Vi- ▁wit- ▁limbs- ▁nations- ▁lem- lux- ▁prospects- ▁sunflowers- Chefs- ▁besties- 'yes'- ▁closely- rip- ▁pleased- katsu- kart- ▁vlogs- rlyn- ▁Ais- ▁touring- ▁bore- ker- ▁See- teen- ▁rang- ▁Guardians- ▁contributions- ▁Olympics- ▁rations- ▁medi- ▁Mrs- iew- rance- ▁colouring- ▁manly- ▁Huat- ▁ropes- ▁incentives- ▁pans- gged- ches- ▁vu- ▁salads- ▁motors- ▁feathers- ▁calculations- ▁ads- late- ▁Cos- ▁rel- ▁flaps- ▁circulat- ▁choppe- eas- ▁barn- ▁scouts- ▁jokers- ▁aches- ▁counsel- ▁generalise- ▁drones- ▁beginners- ▁YouTubers- ady- ▁fined- ▁Mia- ▁consi- ▁Ever- je- eck- fin- ▁ponytails- ▁sparks- alam- ▁spo- ▁winners- riving- ▁flatter- opo- agi- ache- ▁creamer- lar- hun- ▁bullets- lio- illa- arian- ▁deb- ▁persuade- ▁reli- ▁factual- ▁reta- ▁trac- ▁nightmares- ▁tw- Cantona- Bones- lted- ester- ▁Tar- Tock- Hu- Hoon- isang- ception- ▁xia- ▁desires- ▁pleasures- ▁bom- ▁boug- pping- ▁objectives- ▁standardise- ▁Kia- laying- ▁kiam- Koon- ▁rig- ual- ppy- ▁lions- ▁Ari- ▁Gra- tech- ▁cit- owing- chong- ▁Mag- ership- ▁missions- ▁Ge- but- ▁mannequins- lab- ▁memora- alari- fraction- stro- ▁ep- cast- ▁volun- ▁litera- rselves- ▁files- ▁ethic- ▁Mad- ima- ogy- water- jun- fer- pend- Soo- ▁memor- ▁blackhead- ▁emission- Toba- ▁otter- ▁kilometre- ▁symptom- ▁midterm- ▁rumor- ▁swi- ▁alpaca- abby- ▁strand- ▁stair- ▁railing- oki- ctors- ▁Won- ▁hog- ▁Ser- ▁corona- ▁moo- ▁ei- unny- rise- ▁por- kang- coming- adi- ▁transparen- ▁snoo- ▁nex- ▁For- ▁repea- ▁brew- ▁debat- ▁Fu- ▁haunt- ▁subtitle- ▁alia- vo- ▁Zy- key- pra- ▁torch- ▁Gan- cumulative- ▁procras- ▁hesita- look- ▁Bala- ▁ven- Hit- ▁cycl- ▁exhaust- Sia- ▁respon- ably- ▁zig- ▁frown- ▁stat- ▁parasail- ▁Arabia- ▁expos- ▁separat- ▁incur- ▁nurtur- ▁invad- ▁Find- ▁Prince- ▁Vic- scooter- corn- Karat- ▁subsidize- ummer- lbert- ▁congest- ▁recite- ▁misuse- ▁retrench- about- course- oodle- ▁debut- Smart- Batisah- Jovi- Turtle- ristiano- Airline- Titans- Ronaldo- Chomp- Cruise- Mirror- States- Nathan- Leong- kacang- Prata- Romeo- jalan- Autumn- William- negotiable- Chicken- James- Science- boyfriend- chocolate- machine- drama- twenty- Miam- ▁crisp- biryani- Mouse- center- ▁summar- motion- ▁theoretical- Minh- ▁clutter- ▁vivid- ▁instantaneous- ▁Lor- ▁Saba- asian- ▁authorit- ▁midfield- post- chiong- ▁imply- Wee- ▁proactive- ▁pronoun- ▁immigrati- ▁disrupt- eptic- ▁Buddh- ▁experi- ▁revolution- ▁Yayoi- ▁Xav- ▁Corp- Vuitton- ▁indefinite- ▁mislead- ▁residu- '?'- Bilis- Einstein- Giggs- Hospital- Local- Muniz- Quinn- Sivan- jumma- siol- ▁After- ▁Atiqah- ▁Backstreet- ▁Badminton- ▁Bidadari- ▁Britain- ▁Broadway- ▁Capella- ▁Century- ▁Chijmes- ▁Cinderella- ▁Colosseum- ▁CrossFit- ▁Cyclops- ▁Daegu- ▁Darvis- ▁Dasani- ▁Diablo- ▁Diploma- ▁Dyson- ▁Egg- ▁Elliot- ▁Fight- ▁Foodpanda- ▁Foodshed- ▁GERPE- ▁Garfunkel- ▁Generation- ▁Genghis- ▁Gentle- ▁Ghost- ▁Gillman- ▁Haagen- ▁Heidegger- ▁Hermione- ▁Hermoine- ▁Hiroshima- ▁Inferno- ▁Istanbul- ▁Jasmine- ▁Jerusalem- ▁Lancer- ▁Lapidas- ▁Leftfoot- ▁Machine- ▁Medisave- ▁Mendel- ▁NAFA- ▁Newcastle- ▁Odette- ▁Olympiad- ▁Orchid- ▁Palestin- ▁Picoult- ▁Portugal- ▁Rafiq- ▁Razor- ▁Redbull- ▁Ripple- ▁Riverdale- ▁Samoyed- ▁Shamsuddin- ▁Sharlene- ▁Sheryl- ▁Skechers- ▁Snickers- ▁Sogurt- ▁Sprite- ▁Sucremo- ▁Sudoku- ▁Terengganu- ▁Theodore- ▁Tomahawk- ▁Toothless- ▁Vanguard- ▁Vitality- ▁Yogyakarta- ▁accreditation- ▁advancing- ▁aloud- ▁analyzing- ▁angklung- ▁annoucement- ▁apologies- ▁apparatus- ▁appreciating- ▁armband- ▁asbestos- ▁asylum- ▁barista- ▁belanja- ▁berserk- ▁biography- ▁blockbuster- ▁boardwalk- ▁breadwinner- ▁buffalo- ▁buttermilk- ▁contraband- ▁convocation- ▁cosmopolitan- ▁counterpart- ▁croissant- ▁cryptocurrency- ▁culprit- ▁curvy- ▁delicate- ▁discourage- ▁durable- ▁ectomorph- ▁elbow- ▁endearing- ▁epidural- ▁etiquette- ▁evaluation- ▁eyeshadow- ▁fabulous- ▁facade- ▁facilitate- ▁fatigue- ▁favoritism- ▁favouritism- ▁fencing- ▁fiesta- ▁fingernail- ▁freshener- ▁frizzy- ▁gargantuan- ▁ghetto- ▁gondola- ▁gorgeous- ▁graveyard- ▁grumble- ▁gyoza- ▁heartwarming- ▁homecooked- ▁hurdle- ▁hyuna- ▁iCarly- ▁iTunes- ▁illogical- ▁incorrect- ▁intermediate- ▁intrinsic- ▁intuitive- ▁invigilator- ▁jesus- ▁kacau- ▁laundries- ▁leukemia- ▁lieutenant- ▁lifeguard- ▁mammal- ▁marshmallow- ▁masculine- ▁meddle- ▁meddlesome- ▁merrier- ▁monotonous- ▁neural- ▁nonsensical- ▁observant- ▁outbreak- ▁paintbrush- ▁paprika- ▁parquet- ▁participating- ▁penalise- ▁platinum- ▁plunge- ▁pragmatic- ▁procrastinator- ▁propaganda- ▁proximity- ▁pufferfish- ▁quantify- ▁racquet- ▁rambutan- ▁receptive- ▁reciting- ▁recliner- ▁referral- ▁remembrance- ▁renovating- ▁retrain- ▁ripple- ▁safeguard- ▁seashore- ▁staycay- ▁stylist- ▁substantial- ▁sundae- ▁surgeries- ▁susceptible- ▁symbiosis- ▁tablespoon- ▁telemovie- ▁terrapin- ▁terrified- ▁tombstone- ▁toothbrush- ▁traumatising- ▁traumatizing- ▁tudung- ▁tumble- ▁uncooked- ▁unhygienic- ▁universal- ▁unofficial- ▁unsightly- ▁unused- ▁velcro- ▁vibrant- ▁vibrating- ▁wildlife- ▁windshield- ▁xiaxue- ▁xiong- /- ▁Basil- ▁Calbee- ▁Children- ▁Coco- ▁Hershey- ▁Karaoke- ▁Nivea- ▁Pandora- ▁Ricky- ▁Rulang- ▁Spies- ▁Stephanie- ▁Teacher- ▁Wheelock- ▁crazily- ▁granddad- ▁narrating- ▁perpetually- ▁quizzes- ▁recurring- ▁snooker- ▁swirl- ▁titans- ▁trilogy- ▁zodiac- ▁Lakeside- ▁Mentos- ▁Penny- ▁Rosti- ▁Stanford- ▁Underwater- ▁Vanessa- ▁Yamaha- ▁beneficiary- ▁bookworm- ▁bowtie- ▁cooperative- ▁dehydration- ▁depreciate- ▁engross- ▁martini- ▁silat- ▁slingshot- ▁symbiotes- ▁tamp- ▁tulang- ▁Hazel- ▁Ravana- ▁Vicky- ▁gigabyte- ▁strangle- ▁visor- Spears- ▁Avene- ▁Cecilia- ▁emptie- ▁innovative- ▁reflexes- Before- ▁Daven- ▁Intel- ▁Katsu- ▁commuters- ▁elastic- ▁exploding- ▁obese- ▁unfit- Downey- ▁Forex- ▁geek- ▁radar- ▁seasick- ▁Yolo- ▁posi- ▁Batu- ▁Burma- ▁Jaws- ▁purification- ▁summarise- Kook- Yacob- ▁Allen- ▁Pahang- ▁congee- ▁cooperate- ▁corpus- ▁statistically- ▁trumpet- ▁Christina- ▁contemp- ▁crease- ▁extinguisher- ▁hooray- ▁Barney- ▁Janice- ▁kanasai- ▁phoenix- ▁repetition- ▁scammed- ▁wiring- ▁backbone- ▁blunt- omodo- ▁assassination- ▁approv- ▁babysit- ▁bugger- ▁championship- ▁prospective- ▁Bencoolen- ▁roster- ▁stoning- ▁claustrophobic- ▁delusional- ▁dysfunctional- ▁leash- ▁punctuality- ▁boastful- ▁mugging- ▁paddling- ▁Dead- ▁Toby- ▁churn- ▁torso- ▁traumatic- Lipa- ▁playmate- ▁shush- ▁Foot- ▁Perak- ▁decompose- ▁enlistment- ▁inevitable- ▁mythology- ▁refine- ▁reproduce- ▁Margaret- ▁civilised- ▁lentil- ▁photocopy- ▁Maltese- ▁Prada- ▁chrome- Bahar- ▁Fantasy- ▁appetizer- ▁kuku- ▁maritime- ▁piping- ▁cunning- ▁hesitating- ▁blockchain- ▁pagan- ▁sequel- ▁Channing- ▁Celsius- ▁expertise- ▁globalization- ▁raspberry- ▁existential- ▁hastily- ▁Library- ▁biking- ▁grim- ▁disfigured- ▁reggae- ▁palate- boy- ▁Metro- ▁Saat- ▁naggy- ▁Bogo- ▁Artbox- ▁Mayday- ▁Shark- ▁Taiti- ▁deviation- ▁govern- ▁deferment- ▁possessive- ▁lingerie- beng- ▁eyelashes- ▁frighten- ▁rehearsal- ▁scarred- ungry- ▁annoyance- ▁anthem- Runner- ▁dilly- Caesar- ▁duper- ▁Pinnacle- ▁Makan- ▁immersi- ▁quartermaster- ▁Sanya- ▁Zhang- ▁carriage- ▁dumbass- ▁Joelyn- ▁Lovi- ▁Murder- ▁Kenny- ▁raving- ▁Vada- ▁overlord- ▁Shahira- ▁Banyan- ▁authenticity- ▁intima- Claus- ▁carpenter- ▁seawater- ▁Tupperware- ▁consultation- ▁macro- ▁attendant- ▁traumatised- ▁Lilo- ▁restrain- ▁flock- ▁squeezy- egor- ▁mozz- ▁scarce- ▁charities- ▁flavourful- ▁Cali- ▁Academy- ▁Reservoir- ▁parenthood- ▁dhal- ▁Lester- ▁Ruby- ▁recep- ▁Faris- ▁furry- ongdae- onito- ▁prettier- ▁commercialised- ▁slopp- ▁enterprise- ▁Timor- ▁Davidson- ▁rotting- Jong- ▁Never- ▁fortnight- ▁beatbox- ▁College- ▁Garfield- ▁Kacang- ▁Lena- ▁omakase- ▁elevated- ▁objection- arnish- learning- ▁Moses- ▁spies- ▁nonstop- ▁amplifier- ▁shortlisted- ▁representation- ▁Parkway- ▁Brigade- ▁Pattaya- ▁Noah- ▁Dua- ▁psychic- ▁Wak- ▁moto- regano- ▁throwback- ▁parkour- ▁attractiveness- ▁Real- ▁tada- ▁backstabbing- ▁Mouse- ▁Angeles- ▁Brown- ▁Taj- ▁sketchy- ▁pulley- ▁Toy- ▁Fire- ▁clubber- ▁agony- ▁Swift- ▁expressive- ▁spotlight- ▁truthfully- ▁choy- rgent- ▁chord- ▁subsidized- ▁Ford- ▁Momo- ▁baseline- ▁repeatedly- ▁seasaw- ▁Guan- ▁mite- ▁Pool- Frost- ▁Koko- ▁convent- ▁Duck- ▁bala- ▁Crab- ▁Leong- ▁mindedness- ▁paralysed- ▁Eden- ▁Kanji- ▁hump- ▁Ulu- ▁connector- ▁seamen- ▁sleepover- ▁hoarding- ▁johor- ▁okie- ▁lent- ▁constructed- ▁Belly- ▁goosebump- ▁hahaha- ▁Serai- ▁customised- ▁critically- ▁ign- ▁sneaky- ▁chunky- ▁padang- ▁Owen- Kat- talk- ▁italy- ▁Gang- ▁reap- ▁socialize- ▁cookhouse- ▁offset- ▁satan- ▁scape- ▁sadden- ▁overboard- Lau- ▁Shao- ▁pony- ▁composer- ▁overdo- Ego- ▁dua- ▁desc- hei- ▁marching- ▁ladylike- ▁transferable- ▁aspiring- ▁Shui- ▁Jose- ▁Peking- ▁Ox- ▁criticising- ▁exploded- ▁perceived- ▁contouring- ▁distracting- ▁Alexa- ▁stickman- ▁stickies- ▁superficially- ▁Ayer- ▁mumble- ▁Tok- ▁witnessed- ▁netting- ▁probe- ▁collective- ▁Alan- ▁Maha- ▁environmentally- ▁abus- ▁mak- ▁canoeing- ▁skateboarding- ▁lament- ▁smoother- ▁suspected- ▁peacefully- ▁burping- ▁yeha- ▁cramped- ▁postponing- ▁manipulated- ▁readily- ▁seaman- arents- Mutant- ▁sway- ▁anonymous- ▁frost- ▁Shar- ▁Kith- Khoo- ▁professionally- ▁lup- ▁healed- ▁cocky- ▁organiser- ▁Tau- ▁Villa- ▁buster- ▁interrupting- ▁tel- ▁respectable- ubl- ▁tidying- ▁recovery- ▁exited- ▁excluded- ▁Tong- ▁abuser- Char- ▁hav- ▁sourc- ▁Bai- dong- ▁shaved- ▁fest- ▁independently- stain- ▁sacrificer- ▁funded- ▁tun- ▁tricked- Aziz- gun- ▁owing- ▁adapted- ▁Evi- Sum- ▁Bahru- ▁overdose- ▁bearded- ▁molest- ▁absorbing- ▁cured- ▁Matt- ▁reflected- ▁ondeh- ▁Mun- ▁Planet- ▁exes- ▁Easter- ntil- ▁remover- ▁simulate- ▁lighten- ▁sinful- ▁painter- ▁actu- nstitution- Aw- shot- ▁twisting- lia- ▁Khan- Bin- ▁What- ▁pine- ▁Fall- ppo- that- ▁Can- caf- ▁clothed- ▁gui- ▁cracking- Don- ▁meowing- ▁hampers- ▁fluctuates- ▁refugees- rina- ▁carte- ield- ▁broker- ▁ignored- ▁Will- ▁Tup- ▁hater- oul- ▁ward- ▁Mumm- ▁angri- ▁blamed- ▁incoming- ▁caged- ▁feat- ▁Ger- ngkat- ▁gained- ▁helli- ▁vent- ▁connecting- ▁mach- ▁sugary- ▁Glenn- ▁pretending- ▁suntan- ▁hunting- ▁aerial- ▁disagreements- ▁Semb- Min- rawl- ▁devoted- dri- ▁downloading- ▁chor- ▁creak- zhen- ▁identi- ▁gam- ▁bossy- ▁thirdly- ▁noun- ▁Ani- ▁climber- ▁Tap- ▁Ng- ▁apparels- ▁enrolling- ▁admired- ssured- ▁respected- ▁gras- nding- ▁graz- ▁misbehave- epok- ▁Net- ▁ringing- ail- ▁tangent- ▁chilly- ▁Nam- ▁returned- ▁Miru- ouch- ▁crumbs- ▁Sands- ▁powered- ▁bon- Jolie- ▁railings- ▁blackheads- ▁bearing- loo- ought- ▁Julia- fort- ▁positioning- Cadet- oba- ▁hid- ▁emerg- ▁buttered- utan- olate- ▁resonates- ▁threats- scow- Thief- ▁colli- Jing- ▁Bart- ▁liner- ▁Marl- ike- ida- ▁yourselves- ▁pasty- creme- ▁cultured- ▁dicks- ▁startups- ▁limitations- ▁robotics- ▁astrolog- ▁Farah- ▁flopp- gates- ▁momento- ▁beam- ▁priced- ▁Astons- ▁nerves- ▁sculptures- ▁rested- ▁reminders- cous- ▁Sher- ▁kneel- Coles- ▁anticipate- ▁DC- ▁politicians- ▁pam- arley- ▁commercialize- ▁harp- ▁accelerate- Donki- ▁cucumbers- ▁rifles- ▁Run- ▁gro- ▁insider- ▁jav- ▁meatballs- ▁pirates- ▁spi- ▁handy- ▁Pas- ▁blogg- kie- rack- illion- ▁Pak- ▁emojis- ▁kilos- ▁Thin- lying- ▁worksheets- ▁notebooks- ▁crows- cia- ▁Kent- urity- ▁anal- ▁chunks- ▁buds- ▁Zen- ude- ▁ze- ola- ▁concentrati- ▁shak- ▁selfless- ▁Masters- ▁landscapes- ▁milestones- ▁expires- ▁moderniz- misunderstanding- Rush- ▁lou- ipped- ▁growl- ▁skit- elle- oid- por- Cook- ▁stakes- ▁belongings- ▁passages- smati- ▁zhu- ▁storybooks- ▁Rav- ▁fra- opped- ▁val- ▁squirrels- ▁tales- ▁prais- ▁colon- kee- rul- ▁relocate- ▁Cad- ▁Gia- ▁oppo- ▁opp- ▁optim- alized- ▁zipp- ▁Phil- dar- neo- ▁Pant- nuel- ▁Shake- ▁auditor- ▁Zhu- own- ▁tec- ▁stru- ▁terminat- gue- ▁rece- achi- urn- ftie- ▁opposit- ▁exa- ▁worsen- ▁sti- folding- shui- lessly- ▁marginal- ▁lob- rom- ▁crumb- bble- ▁Alon- acy- ▁Jenni- ▁spe- ▁Band- ▁spra- ▁shoo- afar- ▁ste- bak- Pie- ▁stan- ▁Ou- ime- fetched- iterate- ▁stead- ▁ferri- elecast- anna- ▁Lam- dol- ▁Bab- uhwe- mpang- ▁mindless- rman- Leste- ▁sympath- ▁ken- Clan- pad- ▁Human- atory- chai- decker- ▁cous- ▁Com- onia- ▁Bee- ▁bermuda- ▁scallop- ▁Pilate- ▁diaper- ▁pebble- ▁germ- ▁coral- ▁investor- ▁statistic- Ranger- ▁brace- ▁lyric- ▁alway- ▁zo- ▁slush- merah- ▁perk- ▁researcher- alism- stage- leen- body- ▁rab- ▁sportsman- ▁neg- Cent- make- ▁decorat- ▁certif- ▁gran- ▁oldie- Cage- ▁iden- ▁clog- ▁Chang- ality- ▁hur- ▁glam- wo- ▁Pul- ▁Julie- ▁Cal- ▁lectur- ▁Sand- west- Jobs- ▁complet- ▁achiev- tude- oup- nova- away- ▁Kee- Ban- ▁purchas- ▁esca- ▁wor- ▁Himalaya- ▁froze- ▁Sho- ▁deserv- ▁blush- ▁hoard- ▁choreograph- ▁dishearten- craft- ▁deci- ▁windsurf- ▁disco- ▁sightsee- ▁accord- ventu- ▁figur- pson- ▁schem- ▁arrang- Angel- ▁snip- icular- world- ▁ostracise- ▁chant- ▁confiscate- ▁excite- ▁elect- ▁endanger- bloc- ▁detach- atholic- ▁suspend- Network- Singapore- Woman- vious- Grande- Brigade- holder- Scott- Three- Bull- chomp- child- takraw- colli- tempered- Obama- Ninja- Ocean- attaya- restricted- Ralph- lifting- spirit- Busan- Black- Stella- ngsana- tight- different- grass- merit- queue- wak- consider- road- Maths- Ayam- boat- ondeh- Grey- Singaporean- shock- ▁greed- heard- yana- obby- ▁Ronald- Strange- clockwise- ▁suff- ▁graceful- ologist- open- ▁carpent- astle- ▁swag- ▁servic- ▁rehears- ▁millenni- vergreen- ▁submissi- hennai- enegade- esistance- ▁Mexic- ▁obstruct- ▁Aqua- ▁coincide- ▁depart- ddling- ▁celeb- ▁deploy- evio- negotia- ▁hydro- ▁protrud- ▁Comfort- ▁Disco- ▁boycott- Beckham- Bennett- Carrey- Clues- DiCaprio- Muhammad- Payne- Ramsey- Ribbon- Rowling- Solo- Uemura- arella- ligently- rrogate- ▁AddMath- ▁Adele- ▁Aidil- ▁Akbar- ▁Aloysius- ▁Anderson- ▁Anjib- ▁Anusha- ▁Bermuda- ▁Buddy- ▁Canberra- ▁Carnage- ▁Clean- ▁Colorado- ▁Coupet- ▁Daryl- ▁DeepMind- ▁Depot- ▁Donnie- ▁Durian- ▁Edusave- ▁Fiido- ▁Georgia- ▁Ghibly- ▁Gudetama- ▁Guinness- ▁Guzheng- ▁Heidi- ▁Hummus- ▁Immortal- ▁Insidious- ▁Jewel- ▁Kahshee- ▁Katherine- ▁Kelantan- ▁Kozminski- ▁Labyrinth- ▁Loann- ▁Lookism- ▁MUIS- ▁Mcnugget- ▁Millennials- ▁Mongrel- ▁Mountain- ▁Mutton- ▁Narcos- ▁Nolan- ▁Oprah- ▁Pagoda- ▁Paladin- ▁Panopticon- ▁Paramore- ▁Pochinki- ▁Raisa- ▁Rampage- ▁RedMart- ▁Rojak- ▁Rolanda- ▁Rumba- ▁Sanhok- ▁Sembcorp- ▁Shatec- ▁Shazleen- ▁Sheila- ▁Siberia- ▁Spirulina- ▁Spongebob- ▁Sugar- ▁Tiaga- ▁Tibet- ▁Tintin- ▁Toronto- ▁Umairah- ▁Vain- ▁Vegan- ▁Walter- ▁Webtoon- ▁Whatsapp- ▁Yasmin- ▁Yellow- ▁Zipline- ▁abdomen- ▁adequate- ▁adversities- ▁aftertaste- ▁aggravate- ▁armchair- ▁artefact- ▁artifact- ▁avengers- ▁averaging- ▁barnyard- ▁beloved- ▁blueberries- ▁boisterous- ▁bolognese- ▁bouquet- ▁breadcrumb- ▁brooch- ▁chamber- ▁champagne- ▁chihuahua- ▁chrysanthemum- ▁cinematography- ▁coffin- ▁coherent- ▁collarbone- ▁colloquial- ▁condescending- ▁consolidat- ▁consonant- ▁contagious- ▁contemplating- ▁contemporary- ▁coriander- ▁courtyard- ▁cynical- ▁daunting- ▁deadlift- ▁decreasing- ▁degrading- ▁dentures- ▁devoting- ▁dictate- ▁dodgy- ▁doorstep- ▁dopamine- ▁douchebag- ▁dwarf- ▁earthworms- ▁emporium- ▁enclosure- ▁entails- ▁esketit- ▁espresso- ▁execution- ▁exfoliant- ▁exquisite- ▁fingertip- ▁gizzard- ▁globe- ▁graffiti- ▁hiccups- ▁hokkaido- ▁hyperactive- ▁iModel- ▁imitation- ▁impediment- ▁indebted- ▁indomie- ▁inertia- ▁infested- ▁infinite- ▁interconnected- ▁introspective- ▁intrusive- ▁jewelleries- ▁keloid- ▁keropok- ▁knuckle- ▁liddat- ▁lychee- ▁mackerel- ▁malamute- ▁mechatronics- ▁memorabilia- ▁menacing- ▁menthol- ▁messenger- ▁migraine- ▁mortgage- ▁muachee- ▁muffled- ▁mussels- ▁narrate- ▁negotiation- ▁nitrogen- ▁obscure- ▁oriental- ▁overcooked- ▁overcrowded- ▁paitao- ▁parasite- ▁persuasion- ▁pinafore- ▁pistachio- ▁pistol- ▁predator- ▁premature- ▁preoccupied- ▁prettie- ▁profiling- ▁prototype- ▁radish- ▁reincarnated- ▁reindeer- ▁repurpose- ▁resilient- ▁retrospect- ▁revenue- ▁rhino- ▁ritual- ▁roulette- ▁salvage- ▁sandbag- ▁scorpion- ▁scrawny- ▁sculp- ▁secluded- ▁silhouette- ▁simulation- ▁simultaneously- ▁slipshod- ▁sneezing- ▁snippet- ▁sparring- ▁splatter- ▁spooky- ▁sprinkle- ▁structural- ▁strudel- ▁stylus- ▁succulent- ▁supervision- ▁tattered- ▁terribly- ▁ticklish- ▁tidbit- ▁tomollow- ▁tremendous- ▁trespass- ▁trishaw- ▁unaware- ▁uncommon- ▁uncouth- ▁underestimate- ▁understudy- ▁unknowingly- ▁unwanted- ▁upbeat- ▁username- ▁utilize- ▁wavy- ▁woodworking- ▁wurly- ▁Boost- ▁Brighton- ▁Neslo- ▁Silk- ▁abundance- ▁advent- ▁analogy- ▁calibr- ▁conscientious- ▁ingrain- ▁misjudge- ▁noisier- ▁parsley- ▁peppermint- ▁recontract- ▁smuggle- ▁spacing- ▁stomp- ▁truancy- mitten- ▁Dengue- ▁Emily- ▁Fajar- ▁Harbin- ▁Kamal- ▁Toggle- ▁abalone- ▁celery- ▁copycat- ▁dubious- ▁glare- ▁greasy- ▁hydrogen- ▁influential- ▁jeopardize- ▁laboratory- ▁perseveran- ▁reform- ▁shucks- ▁Kingsman- ▁Prive- ▁Steffi- ▁boomerang- ▁estimation- ▁eventual- ▁glamour- ▁goblin- ▁intersect- ▁mimic- ▁slimmer- Beautiful- ▁Famous- ▁Kylo- ▁figurative- ▁troop- ▁vapour- Gogh- ▁Amber- ▁Beatles- ▁Brenda- ▁Logan- ▁Nasser- ▁Ramesh- ▁avid- ▁carol- ▁flaming- ▁geese- ▁rattan- ▁sledge- ▁Nineteen- ▁Nurul- ▁Pegan- ▁apology- ▁escaping- ▁existentialist- ▁lasik- ▁mansionette- ▁masculinity- ▁percussion- ▁shards- ▁speculation- ▁template- ladder- ▁Cholo- ▁Gerpe- ▁Store- ▁Suri- ▁ambiance- ▁screwdriver- ▁shading- ▁telephone- ▁Gamebooks- ▁Valerie- ▁Zaibo- ▁antisocial- ▁carnation- ▁corpse- ▁droplets- ▁hypocritical- ▁memorizing- ▁perspiring- ▁salsa- Buloh- Patterson- ubis- york- ▁Ahkah- ▁LinkedIn- ▁babysitter- ▁battlefield- ▁censorship- ▁disruptive- ▁perfectionist- ombie- ▁backfire- ▁compact- ▁outerwear- ▁Kanye- ▁Levina- ▁diaries- ▁exclusivity- ▁indulgence- ▁intonation- ▁liberat- ▁magnetic- ▁molecul- ▁patties- ▁quotation- ▁raffle- ▁Powerpuff- ▁compatib- ▁sulk- ▁trump- ▁General- ▁Muji- ▁lulu- ▁spicie- ▁ramble- ▁stimulation- ▁Kashi- ▁thorn- ▁Colour- ▁clump- ▁dulan- ▁lazier- ▁manipulative- ▁shimmer- ▁undergraduate- logue- ▁Angelina- ▁Suzy- ▁capsizing- ▁lik- ▁psychotic- ▁understatement- ▁ventilat- Pahat- ▁bankruptcy- ▁contradiction- ▁destruction- ▁sanity- ▁Dawn- ▁Salva- ▁fluid- ▁pricy- ▁Satay- ▁frock- ▁pending- ▁restrictive- ▁scammer- ifier- ▁mingling- ▁Sapa- ▁grandchild- ▁rosy- Nun- ▁physician- ▁comprehensive- ▁kope- ▁qual- ▁rubric- ▁evade- ▁globalisation- ▁radiotherapy- ▁tripped- ▁Race- ▁denial- ▁redemption- wow- ▁anorexia- ▁displace- ▁Ashton- ▁Zeus- ▁anatomy- ▁Family- ▁Murakami- ▁Oriental- ▁dreadful- ▁glamor- ▁Damai- ▁Hogwarts- ▁billboard- ▁consumerism- ▁explosion- ▁booze- ▁cathedral- ▁pianist- ▁Shaun- ▁Freshies- ▁Lavi- ▁eeyer- ▁freight- ▁wholesome- ▁affectionate- ▁euro- ▁pussy- ▁slut- ▁twinning- ▁mellow- ▁quoting- ▁paintball- ▁primate- score- ▁Istana- ▁Kayaking- ▁affiliated- ▁blatantly- ▁dehydrated- ▁eyelash- ▁chubby- ▁hottest- ▁unproductive- ▁unrelated- ▁womanizer- endang- ▁daugh- Kheng- ▁Chronicle- ▁harmful- ▁Sakae- ▁Shoppe- ▁clipper- ▁insistent- ▁sparkling- ▁trademark- took- thical- ▁kuih- ▁diesel- ▁incest- ▁Station- arabat- ▁charac- ▁Heroes- ▁deliberately- ▁Dior- ▁discriminate- ▁zag- ▁Prudential- ▁bubbling- ▁suffocating- ▁noticeboard- ▁patrol- ▁tagged- ▁Evan- ▁wrapper- ▁Kickapoo- ▁sank- ▁Monster- ▁adaptive- ▁spillage- ▁cheongsam- ▁haram- Chamber- ▁Ella- ▁transferring- ▁Maslinda- ▁beautif- ▁Naan- ▁shaw- ▁Bosch- ▁Dash- Gandhi- ▁bodysuit- Mahal- ▁Chevron- ▁mantis- ▁trashcan- ▁utter- ▁enunciate- ▁consent- ▁guitarist- ▁Who- ▁powderful- ▁reaper- ▁rashes- ▁Conjuring- ▁Education- ▁iCloud- ▁Like- ▁propel- ▁Salvation- ▁Gula- ▁witty- ▁Keane- ▁yuan- ▁vow- ▁Evo- ▁shareholder- ▁hazel- ▁bolt- ▁changi- ▁autonomy- noya- ▁perfumery- ▁undertaker- ▁Putra- ▁Halia- ▁communist- tigate- ▁rapist- ▁zipline- dog- ▁prune- ▁bustle- ▁illustrator- ▁blurry- ▁viewpoint- ▁drawback- ▁potent- ▁repress- ▁litted- ▁disturbance- ▁treehouse- ▁Miami- ▁rework- Chuan- Wall- Depp- ▁lax- ▁Greatest- ▁formality- ▁Smoo- ▁overview- ▁validated- ▁volcanoes- Rice- ▁easel- ▁locket- ▁fluently- vour- ▁detached- ▁biasness- ▁hypo- ▁practicality- ▁elected- ▁Wood- ▁Batisah- ▁Turtle- ▁Grabfood- ▁Jovi- ▁sev- ▁cooper- ▁rundown- ▁Sedan- ▁queer- ▁kaka- ▁Stal- ▁Xbox- ▁swerve- ▁native- ▁Bowl- ▁Talk- ▁confiscated- ▁stubbornness- ▁factories- ▁jiak- ▁damm- ▁saman- ▁traumatize- ▁profitable- ▁Gmail- ▁Sakurai- ▁downfall- ▁quali- ▁percentile- ▁keng- ▁Made- ▁Factor- ▁varied- heongsam- ▁ahem- ▁signpost- ▁Biz- ▁Vista- ▁Born- ▁occasional- ▁Liang- ▁ditch- ▁crip- ▁muse- ▁Everest- ▁mainland- ▁compu- ▁denser- ▁Lagoon- ▁Utama- essert- ▁Nepali- ▁Show- ▁potion- ▁creamier- ▁Jake- ▁zipper- ▁Six- ▁Cooper- ▁Zhen- ▁pesto- ▁Guo- ▁realisation- ▁maki- ▁cheong- ▁jug- ▁restructur- chup- ▁activated- ▁minimally- ▁Chiong- ▁clone- ▁kaw- ▁crushes- ▁bender- ▁nani- ▁Minh- ▁westerners- ▁implying- ▁mustache- ▁brushes- Xie- ▁urgently- ▁tuning- ▁Sister- ▁burped- ▁eliminated- ▁strengthen- ▁doughy- ▁sizing- ▁giveaway- ▁bronzer- ▁comical- ▁disrespected- ▁beeping- ▁campaigner- wang- ▁Nara- ▁Soon- ▁Circu- ▁merely- ▁enduring- ▁exceeded- ▁standee- ▁Cass- ▁Premiere- ▁godson- ▁fleshy- ▁skii- ▁dane- ▁sketching- tiao- ▁sesh- itive- ▁tangled- Bai- Chap- ▁Gaga- ▁bir- ▁whisker- ▁Grande- ▁Post- ▁coverall- ▁distributed- ▁underlined- ▁amused- ▁adapter- ▁bouldering- ▁externally- ▁hotline- suit- ▁interrupted- ▁wholesale- ▁overwork- ▁invaded- ▁maximi- ▁Victor- ▁runway- ▁Penyet- ▁composed- ▁optimis- ▁pawn- ▁stained- ▁Kayu- ▁assessed- ▁exuberant- ▁carom- ▁kur- ▁internally- ▁worthless- ▁stopper- ▁crawled- Tee- ▁freshness- ▁insisted- ▁Jana- ▁Tik- cker- ▁bearable- ▁Puti- ▁quad- ▁dryness- ▁Dana- ▁tuba- ▁EZ- ▁absorbed- ▁Jet- ▁unto- ▁amend- ▁Dong- ▁Socr- ▁jiao- ▁threatened- ▁Taois- ▁restless- ▁outcast- ▁getaway- ▁coping- ▁additionally- ▁tasteless- ▁expanded- ▁adver- ▁jokingly- ▁dune- Brock- ▁defender- ▁gasp- Yun- ▁murdered- ▁manually- ▁desired- ▁expiring- ▁Kath- ▁fist- ▁Nur- ▁pressurize- ▁grinding- ▁traitor- ▁oopsie- ▁threading- ▁bridg- ▁stricter- ▁firsthand- ▁sucker- ▁Airy- ▁iceman- ▁ridiculously- ▁defending- ▁formally- ▁jungler- Gen- ▁Age- ▁yel- ▁applic- ▁Nadia- being- ▁sud- ▁Comm- ▁behaved- ▁damaged- ▁Sean- ▁sweeten- ▁responded- ▁Kei- langah- Dong- Guilin- Drew- ▁reviewed- ▁reminisce- fare- ▁daylight- ▁Chell- malam- ▁dozen- ▁Keds- ▁Kung- ▁tracker- ▁baht- mega- ▁retaining- ▁memorised- ▁gossipy- ▁Bosc- ▁Team- kia- ▁Cam- ▁tru- ▁screamed- Team- ▁marginalise- ▁cheeky- ▁tic- ▁puree- ▁displayed- ▁lieu- ▁slider- ▁situational- zbuy- ▁Mariam- ▁laying- ▁fru- ▁portraying- ▁Kill- ▁Jup- ▁tryout- ▁disappearing- eggae- ▁clamp- Dazs- ▁tomb- ▁filtering- ▁DJ- ▁Jacky- ▁Low- ▁beautifully- qing- ▁ghostly- ▁recalled- ▁Lucas- ▁gymnastics- ▁immigrants- ▁pellets- ▁magnets- ▁nachos- ▁glamp- ▁scorer- ▁divider- ▁sati- ▁bedding- ▁pedas- ▁responding- ▁Cambodian- ▁Live- ▁coster- ▁Pup- ▁ref- ▁Billy- ▁instruct- ▁Kal- ▁particle- ▁crushing- ▁deserved- ▁Kun- ▁misses- ▁monitoring- ▁skilled- ▁Pull- ▁Davi- Pei- ▁Tha- ▁archi- ▁inches- ▁emotionless- holster- ▁pressed- ▁curls- ▁displaying- ▁shameless- ▁conditioning- girls- ▁riddles- ▁drooling- ▁Kitte- ▁slum- ▁Malaya- ▁Cart- manship- ubby- ▁interviewed- uhwhat- ▁flavouring- ▁Ria- ▁orbit- elly- Yin- ▁Jonah- ▁stacking- ulf- ▁scrapp- ▁flowing- ▁patronis- ▁stre- ▁petals- ▁adulting- ▁poorly- irl- ▁sau- ▁pac- bati- ▁parka- ▁hanged- lendon- ▁weirder- ▁catchy- proving- ▁investors- ▁Pilates- ▁bermudas- ▁diapers- ▁germs- ▁pebbles- ▁scallops- ▁defined- yung- Reap- ▁handcuff- nut- wiping- ▁usable- diate- ▁alre- ▁doze- ▁Ande- erf- ▁beca- ▁informati- lalang- ▁centred- ▁goose- osity- ▁pete- RA- ▁suprem- ▁imme- ▁Av- ▁wrinkle- ▁pinky- ▁marr- ▁believer- ▁holi- ▁Carls- ▁realist- ▁Nav- ▁yell- ▁afro- ▁cleaned- ▁happ- ▁fractio- ▁Pen- ▁picker- sim- ▁accumulati- uge- Junction- ▁nutritional- ▁gyming- ▁forge- cho- ▁acquir- top- play- ▁luo- ▁swo- ▁plush- erome- ▁sibe- Shack- ▁Stu- entrepreneurship- aker- ▁melo- ▁optic- moo- garden- ▁wiggl- ▁memo- ▁Elf- ▁fizz- ▁Kor- ▁coloring- ▁gy- ▁Glad- anny- izard- Lamb- ▁Tur- ▁Sub- otte- ▁Baker- ▁Tora- ▁humiliat- Ringo- ▁physiologi- ▁giggl- ▁hugg- ▁Lip- ▁aimless- ▁padd- ▁Merc- addy- ggers- ilia- ▁divin- ▁minimalist- heng- ▁Za- Yeo- ▁secur- actually- Now- ▁Lol- fusing- ▁Ele- ▁dub- agging- eenage- logical- ▁gl- kay- ▁purg- ummies- hiong- fully- ▁wil- ▁downgrade- ▁coordinat- ▁walker- ▁glut- rain- oth- ▁publicise- ▁airdrop- ▁embod- ▁stor- ▁bulg- Bike- ▁perf- gui- lease- ▁committ- ▁Nest- ▁beep- ▁cripple- iction- pei- ▁bac- ▁pressur- ▁jer- ▁defi- nese- ▁Dot- ease- ▁fou- ▁Woo- lao- bur- ▁Jum- pang- roy- ▁Sia- ▁smo- ▁sel- okay- ▁pickle- ▁diagnos- izzle- media- ▁bod- ushi- ▁reme- ▁commentar- ▁indulg- ▁scrambl- ▁wag- ▁ventur- ▁sighted- ulated- Pai- ancy- pian- Gab- esar- ux- Jenner- ▁zh- ▁dial- ▁indicat- inning- ▁cran- ▁basin- ▁concur- ▁patron- ▁tackl- ▁Act- sulting- imo- arred- Kueh- erial- ▁assure- hoc- ▁apparel- Fan- ▁tantrum- ▁Resort- ▁analytic- Brother- ▁regulation- ▁congratulation- ▁Airline- ▁boob- ▁cockle- ▁frie- ▁shophouse- ▁cau- Lan- ▁fatal- ▁Soci- ▁enc- Lun- ▁clothe- ▁ela- ▁lif- ▁stin- capped- ▁eng- ▁instruc- ▁viewer- ▁conver- ▁apparen- icles- ▁feminis- ▁petal- ▁rese- abo- Por- eech- ▁Wind- Png- cination- Ten- ▁sui- ▁recreation- rmal- ▁replica- Chia- ▁quan- ▁admir- ▁Mil- ▁feng- dded- ▁appli- gba- ▁Rou- oded- Christ- kling- ▁acco- cock- ▁fir- ▁stud- ▁conti- ▁generat- ▁dab- hanger- ▁scribbl- ▁Kevi- ▁overwhelm- ▁disgust- ▁translat- learn- ▁overflow- ▁embarass- ▁enrich- ▁Zion- ▁festi- ▁eliminat- exist- ▁involv- claim- luck- ▁jade- ▁implie- shoot- ▁entitle- ▁flourish- ▁communi- axophone- abilities- fresh- ▁appoint- ▁amplifie- ▁lingui- Bueno- Campbell- Ericsson- bilis- Curry- Hardy- Possible- Waterfront- llustrator- Putra- write- cooper- College- Garfield- Kacang- clutter- Chee- Zhong- Switch- floss- Martin- Mario- Melaka- ▁Morgan- league- Audi- Royal- Museum- sufficient- South- capable- omelette- Geylang- Raffles- Secret- frame- pilot- slept- ▁autonom- Bedok- Jurong- brother- girlfriend- when- family- glory- Court- ▁enterpris- class- sports- Primary- ▁Mega- ▁procreat- Shore- stral- ▁lasagn- Katong- ▁fluff- ▁energ- arthritis- paint- balance- woman- Giant- malay- nerd- Boat- ▁meditat- ▁multiplie- Amos- ▁glide- why- ▁restore- ▁alwa- irates- ▁inherent- ▁thorough- chek- ▁especial- Center- illenials- Dark- nounce- ▁gradual- hallenger- ▁unfriend- game- erald- atural- chemic- ▁coincident- ▁judgment- ▁coincidental- ▁Michel- ormula- ▁coward- ▁explosi- ditor- ivalry- thritis- ▁enthusiast- ▁congratulat- ▁orientat- ▁assassin- ▁uncertain- linders- ▁environ- ▁subtract- latan- ▁homosexual- Huang- migrant- ▁Capital- ▁commute- ▁Casi- '3'- ▁Battle- ▁Crime- ▁Rasuk- ▁Constance- ▁Leicester- ▁Sistine- ▁dermatologi- ▁Binjai- ▁Kavis- ▁Okto- ▁Silicon- Thatcher- ▁Bohemian- ▁Dennis- ▁Raymond- ▁Taroko- ▁Whampoa- ▁bumble- ▁devotion- ▁levitat- Atkinson- Bolton- Bridge- Brule- Corden- Cumberbatch- DeGeneres- Diesel- Gambino- Garrix- Hemsworth- Heritage- Hussain- Interchange- Laundrette- Level- Negara- Neville- Pacquiao- Persie- Ramlee- Streisand- lluminati- normous- penyet- quamarine- ▁Adriel- ▁Akira- ▁Anastasia- ▁Andriod- ▁Antwerp- ▁Arizona- ▁Auckland- ▁Awaz- ▁Azkaban- ▁Beethoven- ▁Bodyguard- ▁Braddell- ▁Bruce- ▁Buzzfeed- ▁Chadwick- ▁Chandler- ▁Cheddar- ▁Chernobyl- ▁Clarins- ▁Coachella- ▁Colorpop- ▁Company- ▁Condo- ▁Counterstrike- ▁Crayon- ▁Cuisine- ▁Culture- ▁Daenerys- ▁Deekosh- ▁Digest- ▁Dillon- ▁Dungeon- ▁Durarara- ▁Esther- ▁FOMO- ▁Fajita- ▁Fieldsville- ▁Fiji- ▁Flume- ▁Hataraku- ▁Heeraj- ▁Hercules- ▁Honolulu- ▁Houston- ▁Jiufen- ▁Joakim- ▁Kadir- ▁Kasta- ▁Kindle- ▁Kitchen- ▁LMAO- ▁LaSalle- ▁Lalamove- ▁Lawrence- ▁Luqman- ▁Madonna- ▁Martial- ▁Matilda- ▁McFlurry- ▁Megazord- ▁Ministry- ▁Mississippi- ▁Mormon- ▁Morocco- ▁Napfa- ▁Nirvana- ▁Nissin- ▁Oleander- ▁Ostrava- ▁Othello- ▁Palawan- ▁Picnic- ▁Pixel- ▁Poptropica- ▁Poseidon- ▁Rabbit- ▁Radiohead- ▁Razer- ▁Redmart- ▁Reebo- ▁SOTA- ▁Sadie- ▁Sebastian- ▁Seiko- ▁Seremban- ▁Shenkuu- ▁Shiberty- ▁Shopkins- ▁Skittles- ▁Solecase- ▁Somalia- ▁Songket- ▁Spice- ▁Starfire- ▁Stomp- ▁Subsuka- ▁Sumatra- ▁Surabaya- ▁Syndra- ▁Targaryen- ▁Terraria- ▁Unfabulous- ▁Usopp- ▁Vitagen- ▁Watami- ▁Wharf- ▁Wilfred- ▁Woodleigh- ▁Xiaxue- ▁Yugioh- ▁Zidane- ▁abolish- ▁academia- ▁accommodating- ▁adjective- ▁african- ▁ahmad- ▁allegedly- ▁ambiguity- ▁anchovies- ▁appliances- ▁apprentice- ▁armskote- ▁availabil- ▁barricade- ▁believable- ▁billiard- ▁blackcurr- ▁bookshelf- ▁calefare- ▁cashflow- ▁categorise- ▁caterpillar- ▁cheapskate- ▁chief- ▁clarity- ▁clause- ▁cleave- ▁codependent- ▁commonwealth- ▁compilation- ▁concurrently- ▁conspiracy- ▁conspire- ▁corruption- ▁cottage- ▁credible- ▁crescent- ▁damaging- ▁decline- ▁declining- ▁degenerate- ▁demolition- ▁demotivate- ▁devastated- ▁devastating- ▁diaphragm- ▁dictator- ▁disgrace- ▁dispatch- ▁displeasure- ▁dystopian- ▁elitism- ▁endorphin- ▁ensemble- ▁equity- ▁estella- ▁exempted- ▁exorbitant- ▁fanciful- ▁flaunt- ▁flavourtown- ▁forefather- ▁forensic- ▁gibberish- ▁gimme- ▁gloomy- ▁glucose- ▁gratification- ▁gruesome- ▁guava- ▁gynae- ▁hammock- ▁harmonizer- ▁heaviest- ▁hibernate- ▁hickey- ▁honeydew- ▁hungrier- ▁hurried- ▁hypothermia- ▁imaginative- ▁impractical- ▁inducing- ▁inefficiency- ▁infatuated- ▁influenza- ▁infused- ▁inquisitive- ▁insecurities- ▁insignificant- ▁jaguar- ▁jinx- ▁kanken- ▁lavender- ▁lenient- ▁lilac- ▁litigation- ▁locksmith- ▁loiter- ▁longevity- ▁maggots- ▁maisonette- ▁majestic- ▁meritocracy- ▁millipede- ▁mojito- ▁monastery- ▁monorail- ▁mukbang- ▁nepotism- ▁nonchalant- ▁nonetheless- ▁obesity- ▁odac- ▁opaque- ▁origami- ▁ostrich- ▁outstretch- ▁overpopulated- ▁override- ▁parapet- ▁patriarchal- ▁persuasive- ▁phenomenon- ▁pigmentation- ▁piloxing- ▁pomelo- ▁powerbank- ▁preservation- ▁pressurising- ▁prostitute- ▁prostitution- ▁rambling- ▁recreating- ▁rectify- ▁reimburse- ▁relevanc- ▁remedies- ▁renowned- ▁reorganise- ▁reptile- ▁responsive- ▁rethink- ▁reunite- ▁revelation- ▁rosti- ▁sabotage- ▁sacrificial- ▁sanctuary- ▁saviour- ▁sidekick- ▁skinnier- ▁slapped- ▁sleek- ▁slurp- ▁smirk- ▁stellar- ▁stench- ▁storytelling- ▁stylo- ▁submarine- ▁substantiate- ▁sunbathing- ▁surcharge- ▁surmise- ▁surreal- ▁suspens- ▁swept- ▁tactful- ▁tangerine- ▁thanksgiving- ▁threadmill- ▁tortoise- ▁transmission- ▁trickshaw- ▁tumeric- ▁turmeric- ▁unbreakable- ▁unconventional- ▁unfamiliar- ▁unforgettable- ▁unfulfill- ▁unheal- ▁unpack- ▁unreliable- ▁unveil- ▁velocity- ▁vigilant- ▁volatile- ▁wacoal- ▁wicked- ▁wilderness- ▁withdrew- Ketchum- ▁Brokeback- ▁Clifford- ▁Economics- ▁Eeyor- ▁Eudora- ▁Kebab- ▁Matcha- ▁Narelle- ▁Patrick- ▁Salim- ▁berapa- ▁concuss- ▁entangle- ▁imprison- ▁inactive- ▁incinerati- ▁insured- ▁irritable- ▁juggling- ▁kerb- ▁penthouse- ▁physiotherapist- ▁posterior- ▁prosecut- ▁robust- ▁shrunk- ▁solitude- ▁turd- ▁underpass- ▁wholemeal- ▁yip- Ambeng- Kennedy- ▁Hydr- ▁Inisha- ▁Kellogg- ▁Morinho- ▁Petercrouch- ▁Reader- ▁desensitize- ▁eggplant- ▁embroider- ▁enchant- ▁fandom- ▁hamburger- ▁harmonic- ▁investigating- ▁lassi- ▁leftward- ▁miserably- ▁mistress- ▁pagoda- ▁pigtail- ▁pulpo- ▁recognising- ▁reign- ▁riffs- ▁sleepwalk- ▁tatami- ▁temptation- ▁twitch- ▁yikes- itamin- ▁Pierre- ▁bypass- ▁delegat- ▁pawnshop- Charlotte- endrick- lender- ▁Aberc- ▁Carrot- ▁Kamu- ▁Loyang- ▁Peaky- ▁Smurf- ▁Yahoo- ▁garner- ▁pressurizing- ▁simplify- Cowell- Neeson- ▁Apax- ▁Clive- ▁bloop- ▁bodied- ▁eagle- ▁jeera- ▁republic- ▁sachet- ▁witchcraft- ▁worrywart- ▁Jumper- ▁Patek- ▁Shannon- ▁Tofu- ▁Zubi- ▁airshow- ▁beacause- ▁caesarean- ▁inspiriting- ▁maximize- ▁microbio- ▁mysteries- ▁remedy- ▁saloon- ▁saucy- ▁teapot- ▁tutu- ▁Lovisa- ▁Saraca- ▁Scout- ▁arbitrary- ▁fuming- ▁ivy- ▁lollipop- ▁poetic- ▁solemn- Chaplin- ▁Carlyn- ▁Collin- ▁Gelato- ▁Kenji- ▁Merek- ▁stutter- ▁Sahana- ▁Sehun- ▁holocaust- ▁plaque- ▁Masala- ▁Pyth- ▁comedies- ▁dabbing- ▁eavesdropping- ▁frilly- ▁revolutionary- ▁uprising- ▁Yankee- ▁Melody- ▁Saku- ▁Ubergrapher- ▁obligated- ▁robbing- ▁villian- Granger- fected- ▁Peace- ▁assurance- ▁collide- ▁stubble- ▁tiresome- ologne- ▁Phisha- ▁Rasa- ▁cauli- ▁Germaine- ▁Libra- ▁Seventeen- ▁agak- ▁dividend- ▁Raned- ▁Stray- ▁detest- ▁esters- ▁froyo- ▁recollection- ▁toppled- ▁prerequisite- ▁pyjamas- ▁sacred- ▁selves- ▁Fariz- ▁Lucy- ▁Musa- ▁Davina- ▁Judy- ▁blemishes- ▁hippie- ▁porch- ▁skewe- ▁exponentially- ▁mistreat- ▁sparrow- Diaries- kram- ▁gourd- ▁horlick- ▁ascend- ▁daft- ▁subtraction- ▁maturing- ▁normative- ▁Aquaman- ▁Farid- ▁Pinang- ▁Soju- ▁parody- ▁rasp- Xiong- ▁Demi- ▁Hebe- ▁gently- ▁shameful- ▁drumlet- ertis- ▁confrontational- ▁pupa- ▁drastically- ▁guac- ▁Jared- ▁Marmalade- ▁empowerment- ▁flunk- ▁jellybean- ▁visc- Paddle- ▁Dollah- ▁Tangled- ▁bullier- ▁clapping- ▁resembles- Care- ▁Asos- ▁Moza- ▁Westgate- ▁quarry- ▁Lazuli- ▁chorus- ▁tequila- ▁wafer- ▁Jeanette- ▁SpiderMan- ▁grumbling- ▁kinship- Lapis- Madrid- ikgu- ▁coordinator- ▁dahl- ▁yoogane- ▁Kimberly- ▁Pharrell- ▁brigade- ▁forgivable- ▁dyslexia- ▁nicotine- ▁sensitivity- ▁Chick- ▁Edward- Ferrell- ▁Siva- ▁bleak- ▁Cheong- ▁civilized- ▁reciprocation- ▁Singsale- ▁elementary- ▁laloo- ▁Gear- sibility- ▁Mogu- ▁limelight- Train- ▁kakak- ▁shortlist- rped- ▁carousell- ▁footprint- Kurau- ▁globalised- ▁mower- ▁backstory- ▁monit- ▁Trans- ▁daisy- ▁hijack- ▁compass- ▁prankster- ▁Jinna- ▁transformation- ▁navigation- ▁homesick- ▁Robinson- ▁alps- ▁liability- ▁solidif- ▁whistl- ▁Luka- ▁Goro- ▁extraordinary- ▁Mollywood- ▁hobo- ▁shapeshift- ▁absent- ▁endorse- ▁exclaim- ▁tradesman- ▁Tanuki- ▁modification- ▁Asam- ▁shawl- ▁Heath- ▁chapteh- ▁Desiree- ▁alignment- ▁rollerblade- ▁grit- ▁vacancy- liath- ▁Mitchie- ▁purposeful- idle- ▁Salman- ▁cylinder- ▁supposing- ▁Dora- ▁Institute- ▁Convenience- ▁Future- ▁Gabriel- ▁Gateway- ▁Krunch- ▁Satan- ▁Schwarzenegger- ▁Technical- ▁Theatre- ▁alteration- ▁hush- ▁crayon- ▁snipe- Kardashian- ▁moonlight- ▁emit- ▁Stephenie- face- ▁aburi- ▁constipated- ▁Kurt- ▁nutri- ▁cowardly- ▁omega- ldering- ▁hopped- ▁recruitment- ▁slavery- ▁lever- ▁faci- ▁Austin- ▁rotan- ▁breathless- ▁indian- ▁swish- ▁Spartan- ▁Usman- ▁Tabata- ▁precaution- Law- ▁Anabelle- ▁Carrie- indef- ▁vary- ▁moisturize- ▁pester- ▁underdog- ▁gracefully- ▁Aquarium- ▁Caribbean- ▁Hathaway- zuo- ▁installment- ▁Shepard- ▁ladu- ▁acknowledgement- ▁affordability- ▁unfriendly- ▁tagline- ▁Camp- ▁TAF- ▁noticing- Group- ▁instantaneously- ▁roman- ▁salivating- Duck- yaki- ▁betrayal- ▁laces- ▁Fault- ▁waive- ▁Grabpay- ▁Fomo- ▁exert- ▁utai- ▁disposal- ▁unpaid- luted- liate- ▁pullover- ▁Curry- ▁Possible- ▁skillful- ▁inflated- ▁fomo- Rock- ▁Waterfront- ▁illnesses- ▁zhai- ▁uber- ▁alkali- Liu- ▁fruitful- ▁choreography- ▁jiang- ▁firewood- minal- ▁seniority- ▁Woman- ▁goatie- ▁conserving- ▁socializing- ▁sweetener- ▁speck- ▁deadass- ▁Riz- ▁trou- ▁clubhouse- Liang- Hai- ▁familiarity- ▁implied- ▁spaceship- ▁restored- ossil- ▁Semi- ▁endangered- ▁Lake- ▁Mango- Tomato- ▁Cind- ▁Smart- ▁predictable- ▁rover- ▁Huang- ▁Willy- ▁reassure- ▁Meg- ▁popper- Thanh- ▁situat- ▁Hardy- ▁Asher- ▁pushover- ▁Aqil- ▁congested- ▁ostracised- ▁shopped- cigarette- ▁blacklist- ▁appam- ▁Abba- ▁drier- ▁unfa- ▁adaptor- ▁backstroke- ▁excessively- ▁empowered- ▁worthwhile- ▁innovat- ▁Ride- ▁baton- ▁altruism- ▁Jez- ▁biases- ▁Udon- ▁epitom- ▁Dover- ▁shutter- ▁hatred- ▁poof- ▁reclaimed- ▁bitterness- ▁ushering- ▁romanticize- ▁gab- ▁smoothness- ▁songwriter- ▁Abel- oma- ▁Sota- Siang- ▁lapis- ▁firing- ▁Muk- ▁calmness- ▁interven- ▁misused- ▁crawler- ▁Stone- ▁Dew- ▁purging- ▁recharged- ▁exhi- Tsum- ▁selfishness- ▁fidgety- ▁miso- ▁Latino- ▁arrested- ringe- ▁histories- ▁Fist- ▁barrag- ▁Missha- ▁Blan- ▁deformed- ▁punches- ▁Fox- ▁doctorate- ▁kera- polis- ▁Beast- ▁Brad- ▁brainless- ▁talentless- ▁Lou- ▁masses- ▁crosster- ▁Hamza- burn- ▁specialization- ▁Tango- hmm- ▁shyness- gram- ▁Wheel- ▁Finding- ▁frowning- ▁stealth- ▁neatly- ▁lug- ▁McCartney- ▁Rex- ▁Faber- ▁deli- gana- ▁destroyer- illian- ▁homecoming- ▁raya- ▁conception- ▁betrayer- ▁nip- ▁derived- ▁kayponess- ▁Box- Candle- ▁Guy- ▁latter- Sue- ▁lun- ▁Blink- ▁headline- ▁heartedly- ctive- ▁Kasan- ▁Moon- ▁loosely- ▁versed- ▁Sci- ▁bonuses- ▁mul- ▁analyzed- ▁Haik- pize- ▁sever- ▁contradict- ▁Top- mination- lushie- ▁Ghe- fry- ▁sharper- ▁Clini- ▁desperately- ▁Dino- ▁thickness- ▁Sara- ▁Peng- ▁organizer- ▁breadth- ▁pow- icable- ▁honoured- ▁strained- ▁Hang- ▁defeated- ▁mov- ▁Tei- ▁Hary- ▁chup- ▁Fong- ▁revisi- ▁turnover- ▁establishing- Yorke- ▁polished- ▁politely- ▁befriend- ▁converter- ▁Tammy- ▁cranberr- ▁googling- ▁antagonist- ▁inconsistent- ▁Ono- ▁buffering- ▁eBay- boi- ▁sweeper- ▁Swan- ▁slowest- ▁deng- pai- ▁yawning- Gui- ▁heartless- ▁reductio- Korean- ▁Sex- ▁unle- blanc- ▁processes- ▁flavored- ▁waterway- ▁shirtless- ▁toughest- ▁speciality- ▁detected- ▁playback- ▁chicky- Food- ▁partial- ▁tolerated- ▁seng- ▁deducted- ▁teased- ▁usher- ▁resolved- ▁Bigo- ▁compl- thful- Sun- ▁tunneling- ological- ▁consumed- ▁lovingly- ▁Fann- ▁soften- ▁pate- Tian- ▁puffy- ▁rescued- Wu- ▁shoppe- ▁distressed- ▁ambi- Cai- ▁corny- otto- ▁Gilm- ▁makeover- ▁umrah- watch- ▁pref- ▁quicker- ilky- ▁conce- ▁weighing- ▁nailed- ▁roasting- ▁lec- ▁cov- ▁successor- ittle- Map- ▁filtered- Mac- ▁schoolwork- ▁Ong- ▁publishing- arments- ▁blo- ▁Zam- ▁sobbing- Dion- ▁tuned- ▁Lemak- toms- ▁Kana- ▁jailed- ▁drafting- wave- ▁Manu- ▁Tra- ▁reachable- ▁Kao- ▁guarded- ▁lightest- ▁zeroes- ▁burner- eye- ▁ou- ▁comply- ▁reduced- ▁Ibis- ▁stretchy- ▁Prat- ▁honk- ▁Bull- ▁Hali- ▁arriv- lph- ▁predicting- nstaStory- ▁pursued- ▁challenger- ▁Kris- ▁banger- ▁prevented- ▁squeezed- ▁heartlander- ▁snowed- ▁produced- ▁cram- ▁drilling- ▁spreaded- ▁treasurer- ▁imag- ▁vegeta- ▁proceeding- ▁eleg- anji- ▁racer- ▁hundredth- Phone- ▁parental- ▁planted- lding- ▁benefited- houl- ▁Barb- ▁jumper- ▁moolah- Friend- ▁mill- ▁expe- ▁deg- ▁developer- ▁contracted- ▁Schooling- ini- imbley- ▁clicked- ▁cape- ▁visualize- ▁haunting- ▁walkable- edical- ▁grilling- ▁Alar- geo- ▁worser- rinate- ▁poom- ▁Harif- most- ▁sicko- Lulu- rose- ▁bodybuild- ▁realism- itude- ▁criti- ▁handler- Ariff- ▁tramp- ▁degrade- Francis- ▁chocolatey- ▁hydrate- ▁glorif- ▁overlapp- ▁Hil- rgot- ▁asap- ▁environmentalis- AF- opper- ▁harmless- ▁curate- ▁dork- ▁chionging- ▁spank- ▁za- ▁winding- ▁blinded- ▁subside- ▁qu- ▁legi- lingual- ▁orderly- ▁lure- base- ▁Medi- ▁sleeper- ▁computerise- duh- ▁choc- curred- ▁cy- gina- ▁socio- ▁Orio- ▁Deep- ▁Yo- hildish- arro- Ah- ▁End- kul- sands- rupt- Tech- ▁earner- ▁hund- pool- ello- ▁dinn- stinate- ▁Neo- even- ▁bustl- tories- pathetic- ▁hasten- entity- oodlands- ▁Pea- Fury- eran- berg- ▁capitalise- ▁Levi- masak- ▁accumulat- inch- stand- ▁emba- oxid- gging- ▁Monte- ▁argumentati- call- bber- ▁vid- ocr- ▁Fuch- ▁backstabbe- ▁nationalis- ▁exc- ▁Zal- ▁traveler- ever- ▁eth- ▁deriv- ▁grate- ferring- ▁unfold- iation- cking- ▁Mur- rover- ▁Canton- stilled- him- ▁dime- cheng- ▁Tele- kuma- hol- ▁vin- ▁Huali- anuel- chun- eady- itis- epen- imer- ▁compe- order- ▁Myth- olla- ▁Az- ▁pul- ▁deficien- ▁matri- ulge- ▁deca- unk- With- ▁franc- lari- ▁Austra- ▁intrud- lame- ▁apologiz- Zhai- erries- utical- ego- seller- rched- lebar- emb- ▁Qu- ▁kua- uro- ▁buri- ▁circulate- lush- nial- Raw- aiyo- col- ▁kala- lang- ▁fixate- ▁cru- mati- ▁stimulat- ▁propos- ▁cel- Gao- ▁poli- Bake- ▁subscrib- Roof- Alam- Hung- zen- ▁refu- andar- ▁logge- Yung- uggle- ula- ▁jumb- nnies- erson- Cake- athon- ▁urbanis- ▁capitalist- Papa- ▁tran- ▁Vinc- ▁bul- ervic- ▁Wenh- espera- ▁capitaliz- ▁enti- ▁Aunt- ived- Boss- Bron- izer- ▁destin- ▁kisse- Maid- ▁prev- ▁angpa- ▁Juli- bab- ▁Zend- Kid- ▁interpreta- ▁gener- ▁vap- communication- ipe- anning- ▁satur- acin- Hyung- ▁advocat- ▁detaine- ▁Fin- Card- ▁labell- ▁cartoonis- ayer- ▁Web- ▁Rayna- ubbing- ▁Cho- ddler- ▁treasur- girl- ▁riddle- berry- ▁procra- oving- Girl- ▁premise- ▁wolve- ▁streak- ▁sadist- ▁disagreement- ▁flake- ▁eyeball- ▁grudge- ▁remark- ▁Mathematic- ▁Netherland- echnology- ▁Avenger- ▁Physic- ▁boomer- ▁Jame- ▁poi- ▁Father- ▁reliev- abata- lice- ruff- ▁tannin- Bare- head- utmost- wfully- lywood- ingham- ▁espe- ▁retiree- andan- ▁astig- ▁dir- ▁empha- ▁Marriot- lander- ▁expel- ▁edi- ▁catalys- ▁shou- ▁fami- ▁gif- burger- cky- ▁Wha- aggy- finity- stead- ▁dislik- tract- ryani- ▁brid- Prima- Halt- ▁twi- Sale- ▁tack- lded- ▁Gui- ▁Tae- tivating- rovi- abil- ▁regula- avier- ▁Gun- essa- shift- ▁Shape- phon- ▁instil- ▁amputat- ▁usua- ▁Gol- ▁Bur- lopp- after- ▁Havai- killers- ▁swop- oosebumps- sheet- ozy- ▁qualifi- ushed- ▁cohesi- ▁squeez- ▁smel- ▁Choo- ▁consol- ▁swerv- view- ▁schedul- ▁shiver- ▁troubl- heart- ▁ide- ▁initiat- ▁desir- ▁retir- Sua- ▁emphasiz- ▁reschedule- ▁inflate- ▁incredibl- ▁subsidise- ▁elevate- ▁Nico- ▁overrate- ▁satisfie- mother- minded- planning- science- ▁refuge- hearted- weetener- therapy- Chocolate- Health- Kingdom- curricul- xuan- Union- ▁Lyn- ▁retard- Aquarium- Caribbean- Hathaway- Tatum- fiqah- Beast- Conjuring- Education- interrupted- rapist- piece- ▁bloat- ▁financ- Academy- Davidson- Reservoir- alvation- Amri- Business- Forest- Toast- Maria- Valley- social- Mourinho- Canyon- Chew- bulb- ▁commodit- Zhou- knob- crackers- Juliet- Siti- Beauty- Cube- Keith- Lauren- Coffee- Spine- determined- ▁Anabell- Nicholas- balcony- organize- spicy- Michael- subscribe- Africa- British- professional- satisfied- typical- Cloud- married- theatre- thousand- value- written- friendly- ▁enunciat- primary- waste- drink- lemon- grown- Love- igger- ▁victor- hunter- bedok- clip- colour- tongue- ▁cemeter- ▁monopol- ▁Clair- ▁Clark- paper- ▁Tosh- upperware- metal- good- aslinda- packaged- held- butter- damn- Rod- ▁spher- ▁unconditional- Angeles- depth- anjong- Quee- ▁volcan- ▁ziplin- fringe- ▁deliberate- jack- residency- chemical- rifle- ▁clement- Polo- reasure- grapher- latform- deco- ▁firefight- ▁telemarket- ountry- riendzone- ompass- ▁carousel- ▁hawk- whitt- ▁trivia- yslexia- around- Xia- ▁measur- island- ▁communicati- enefit- ▁resembl- productive- ▁voic- ▁percepti- ▁homophob- ▁samba- ▁Burg- ▁phil- ▁squish- rigue- ejected- ▁schoo- ▁bribe- ▁rearrange- ▁exaggerati- eptical- ▁Entertain- ▁supple- ▁Bomb- ▁abili- ▁frantic- ▁transcend- ▁stagna- rank- pulsive- ▁Farooq- ▁Naru- ▁Second- ▁philanthrop- ▁repack- reckles- ▁pharma- Reptile- rocious- ▁Napoleon- ▁Wednes- ▁valentine- ▁validate- ▁Storm- bbish- constru- ▁Cecil- ▁Mastercard- ▁Sezairi- ▁Solomon- ▁hyperventilat- ▁peripheral- ':'- Alchemist- Brolin- Cavani- Converter- Defence- Exchange- Explore- Fansipan- Girlfriend- Grannis- Kerang- Lovato- Mandeb- Marbles- Marinda- Meyer- Packard- Ragnarok- Reborn- Rendezvous- Samsuddin- Spect- Tarik- Trench- Walker- appetising- appuccino- bahru- conferenc- dministration- gerrard- incarnate- iramisu- kyscraper- ntartica- ockingbird- osaurus- rangel- uhthis- '}'- '- ▁Abdullah- ▁Abraham- ▁Addam- ▁Aladdin- ▁Allyssa- ▁Anaheim- ▁Ananas- ▁Aristotle- ▁Assassin- ▁Atlanta- ▁Atticus- ▁Axel- ▁Ayden- ▁Balmain- ▁Bambang- ▁Bazaar- ▁Becka- ▁Bernice- ▁Bloom- ▁Bosphorus- ▁Brockhampton- ▁Burberry- ▁Cantho- ▁Capri- ▁Casper- ▁Chateraise- ▁Cheeketah- ▁Chipsmore- ▁Corolla- ▁Corvallis- ▁CosRX- ▁Cosrx- ▁Counter- ▁Creamier- ▁Cristofori- ▁Darrel- ▁Darwin- ▁Deathmatch- ▁Demons- ▁Design- ▁Dictator- ▁Dundee- ▁Dunkin- ▁Edgar- ▁Elane- ▁Eleanor- ▁Electro- ▁Enactus- ▁Equal- ▁Equator- ▁Eternity- ▁Ethiopian- ▁Everlast- ▁Fairuz- ▁Fatcat- ▁FavePay- ▁Favor- ▁Finsta- ▁Frisbee- ▁Front- ▁Giva- ▁Godiva- ▁Gojek- ▁Gulliver- ▁HabourFront- ▁Hanzo- ▁Harzik- ▁Hayde- ▁Hiragana- ▁Holdings- ▁Hollandaise- ▁Hologram- ▁Honestbee- ▁Hoshino- ▁Hsinchu- ▁Hunter- ▁Husserl- ▁Imperial- ▁Inktober- ▁Innok- ▁Jamaica- ▁Janabelle- ▁Jefri- ▁Jolibee- ▁Kendra- ▁Kenora- ▁Khalees- ▁Kinokuniya- ▁Kitori- ▁KouFu- ▁Leaves- ▁Leuch- ▁Lexus- ▁Libya- ▁Lilac- ▁Lontong- ▁Lorraine- ▁Luffy- ▁Management- ▁Matthew- ▁McNugget- ▁Motorola- ▁Mumbai- ▁Nebraska- ▁Nelson- ▁Nigeria- ▁Nobel- ▁Nothingness- ▁Nyx- ▁Oliander- ▁Otogi- ▁Paradise- ▁Pentatonix- ▁Petpetpet- ▁Pharaoh- ▁Poppins- ▁Portuguese- ▁Poteng- ▁Prakash- ▁Pretty- ▁Puff- ▁Qihua- ▁Reebonz- ▁Refash- ▁Remember- ▁Revlon- ▁Ribena- ▁Rooney- ▁Roxy- ▁Sabbath- ▁Sabsuka- ▁Scorpio- ▁Scramble- ▁Senibong- ▁Sennheiser- ▁Sensei- ▁Seraphina- ▁Shabir- ▁Shrek- ▁Silence- ▁Sogou- ▁Soraya- ▁Spotty- ▁Squirtle- ▁Supernatural- ▁Swarovski- ▁Syaz- ▁Sylvester- ▁Technique- ▁Thanksgiving- ▁Thosai- ▁Thriller- ▁Tigreal- ▁TikTok- ▁Transylvania- ▁Trivers- ▁Ukraine- ▁Uprising- ▁Valuetronic- ▁Vatican- ▁Velvet- ▁Wacom- ▁Wagyu- ▁Waiki- ▁Wakanda- ▁Wallace- ▁Westlife- ▁Winston- ▁Xenia- ▁Yeezy- ▁Zahirah- ▁abbreviate- ▁abbreviation- ▁abdominal- ▁abseil- ▁accessories- ▁acclaimed- ▁accompanie- ▁acutally- ▁administrator- ▁adversary- ▁adversity- ▁affluence- ▁affluent- ▁alligator- ▁alliteration- ▁anemone- ▁antihero- ▁applause- ▁apprehensive- ▁arrogance- ▁articulation- ▁ascertain- ▁asparagus- ▁bibliography- ▁bittergourd- ▁blasphemy- ▁bourgeois- ▁buckwheat- ▁bursaries- ▁cajon- ▁carbohydrate- ▁categorize- ▁catwalk- ▁caviar- ▁centimeter- ▁chameleon- ▁chauffeur- ▁chawanmushi- ▁cheddar- ▁cheebye- ▁cheerleader- ▁chimichanga- ▁chromo- ▁chrysa- ▁circumference- ▁clarinet- ▁coastguard- ▁cocoon- ▁commuting- ▁concious- ▁condolence- ▁confetti- ▁conglomerate- ▁congregate- ▁connectivity- ▁correspond- ▁coworker- ▁crisscross- ▁cuff- ▁customaries- ▁cutlery- ▁deceiving- ▁declaration- ▁deconstructor- ▁delifrance- ▁delinquent- ▁depleted- ▁digimon- ▁diminish- ▁disciple- ▁discrete- ▁discretion- ▁disparity- ▁disregard- ▁drenched- ▁droop- ▁dwindling- ▁dynasties- ▁eEcons- ▁electromagnetic- ▁enforcing- ▁entrap- ▁entrusting- ▁equilibrium- ▁euthanasia- ▁expedit- ▁expendable- ▁explanatory- ▁exploration- ▁eyebags- ▁faggot- ▁fajitas- ▁fashionista- ▁feminine- ▁fictitious- ▁florist- ▁foggy- ▁freeloader- ▁fretboard- ▁furnish- ▁fuzzy- ▁gachapon- ▁gallon- ▁gallop- ▁gonorrhea- ▁grenade- ▁griev- ▁hairpins- ▁handicraft- ▁herbivores- ▁hibernating- ▁hippopotamus- ▁hitchhiker- ▁hobbit- ▁homogeneous- ▁horribly- ▁hyena- ▁iPod- ▁identifiable- ▁ideologies- ▁igloo- ▁imperfection- ▁impolite- ▁incompetent- ▁indigestion- ▁infertile- ▁infringing- ▁instalment- ▁intricate- ▁investigator- ▁invoice- ▁iodine- ▁isolation- ▁jargon- ▁jenny- ▁jockey- ▁kicap- ▁kidnapped- ▁kinetic- ▁lechon- ▁lethargic- ▁lexicon- ▁ligament- ▁loudspeaker- ▁malacca- ▁mastermind- ▁melodies- ▁mischie- ▁miscount- ▁misguided- ▁monotony- ▁muesli- ▁multicultural- ▁multiplayer- ▁murta- ▁muruk- ▁neanderthal- ▁nihon- ▁nudity- ▁nutcracker- ▁nutritious- ▁ostracize- ▁otaku- ▁outburst- ▁outweigh- ▁overarching- ▁overcrowding- ▁overhyped- ▁overpowered- ▁paramour- ▁paraphras- ▁peacemaker- ▁perspec- ▁pessimism- ▁pesticide- ▁petroleum- ▁phenomenal- ▁phlegm- ▁physique- ▁pickpocket- ▁plural- ▁poeple- ▁precision- ▁prescribe- ▁pricier- ▁prorated- ▁pupil- ▁quantitative- ▁quarantine- ▁radius- ▁ramekins- ▁rebatch- ▁reclusive- ▁recuperate- ▁reenacti- ▁refurnish- ▁regenerate- ▁registry- ▁reinstate- ▁relativity- ▁relegate- ▁reprimand- ▁respawn- ▁retention- ▁retrac- ▁rewriting- ▁rofl- ▁rudimenta- ▁rupee- ▁scrutinise- ▁serenade- ▁shoelace- ▁shrimp- ▁shrub- ▁silhoutte- ▁skilful- ▁smudge- ▁smuggling- ▁societies- ▁spatula- ▁splinter- ▁sprout- ▁stepdad- ▁succinct- ▁sugarcane- ▁sunroof- ▁surgical- ▁surveillanc- ▁suspicion- ▁symmetr- ▁thickener- ▁titanium- ▁toothpick- ▁tornado- ▁transsexual- ▁treading- ▁trench- ▁unattainable- ▁unavailable- ▁unbeat- ▁uncountable- ▁undercover- ▁underprivilege- ▁unemployment- ▁unfrozen- ▁unleashed- ▁unopened- ▁unprepared- ▁unscrew- ▁unsustainable- ▁unwittingly- ▁utilise- ▁utilitarian- ▁vernacular- ▁vicar- ▁videography- ▁vigorous- ▁virtue- ▁voodoo- ▁waifu- ▁walnut- ▁wapiang- ▁webtoons- ▁widget- ▁workflow- ▁zebra- ▁Award- ▁Beetle- ▁Croc- ▁Easy- ▁Eeny- ▁Infocom- ▁Prize- ▁arguabl- ▁enthu- ▁inflamma- ▁misinterpret- ▁refail- ▁shrewd- ▁utopia- olitaire- ▁Burgess- ▁Cash- ▁Childhood- ▁Cinema- ▁Egive- ▁Guangzhou- ▁Hakim- ▁Johanna- ▁Laurel- ▁Merchant- ▁Miniclip- ▁Olaf- ▁Orbis- ▁Petpet- ▁Spring- ▁Talib- ▁Tuptup- ▁Zinger- ▁appendix- ▁coagula- ▁crucifie- ▁dailies- ▁demure- ▁discriminatory- ▁disperse- ▁dutch- ▁fantasies- ▁fetish- ▁gundu- ▁hairstylist- ▁hypothesi- ▁iBank- ▁imitate- ▁immigrate- ▁mangrove- ▁melanin- ▁mortar- ▁presumably- ▁rehab- ▁snitch- ▁strenuous- ▁sugarcoat- ▁tenacity- ▁theorems- ▁tutee- ▁wolverine- seido- ▁Adil- ▁Auto- ▁Battlefield- ▁Canmake- ▁Gemini- ▁Ikroh- ▁Latte- ▁Mcspicy- ▁aptitude- ▁bumblebee- ▁dismiss- ▁dissect- ▁douche- ▁generalising- ▁hairband- ▁harmonious- ▁helium- ▁kaopei- ▁nourish- ▁prophet- ▁socialising- ▁spinner- ▁swift- ▁twitter- Duxton- Golding- Monteiro- omeranian- ▁Bellerina- ▁Fernand- ▁Gareth- ▁MAN- ▁Makisan- ▁Serene- ▁Utown- ▁Work- ▁contradictory- ▁conversa- ▁farthest- ▁gambat- ▁kilogram- ▁luminous- choles- imony- ▁Barbara- ▁Goddess- ▁Protos- ▁craziness- ▁merging- ▁micromanag- ▁philanthropist- ▁pronounci- ▁retardant- ▁veteran- ▁Jonker- ▁Wingstop- ▁accomodation- ▁ailment- ▁choppy- ▁colonisers- ▁overfill- ▁ridicu- ▁serene- ▁omni- ▁stepmom- Scofield- shraf- ▁Garang- ▁Maslow- ▁Whis- ▁elongate- ▁morph- ▁motel- ▁retell- ▁revoke- ▁slouch- ▁swarm- ▁tablas- ▁uncover- ▁vegetation- ▁friendliness- ▁sociological- ridian- ▁Marshall- ▁collate- ▁fleet- ▁flim- ieved- ▁Annette- ▁Classified- ▁Mobike- ▁automobiles- ▁cider- Fuyong- ▁Meghan- ▁Yoko- ▁frantically- ▁pocky- ▁reciprocating- ▁Bombay- ▁Boston- ▁Capitalism- ▁Donkey- ▁annum- ▁colonized- ▁hedgehog- ▁intersting- ▁jacuzzi- ▁subsidiaries- alyps- ▁Theater- ▁ambient- ▁sailboat- ▁sakura- ▁Pesta- ▁breach- ▁converge- ▁counselled- ▁fluctuation- ▁hanoi- ▁staging- ▁Aiden- ▁Notebook- ▁Tasha- ▁drummer- ▁segregation- ▁Diana- ▁Reese- ▁SAR- Jackman- latoni- ▁Clare- ▁copywrit- ▁pallet- ▁variant- loating- ▁tropic- Khalsa- ▁kaput- ▁omit- ▁shredder- ▁thrones- ▁Ashley- ▁unimportant- Hwa- ▁Burj- ▁Deyi- ▁Emails- ▁Fallout- ▁bloke- ▁multimedia- ▁traction- apalang- riple- ▁BTS- ▁Laurance- ▁calisthenic- ▁profanit- ▁Zepp- ▁fertile- ▁forbid- ▁initiation- ▁Slim- ▁epita- ▁Sportslink- ▁stabbed- ▁vocalist- ▁interference- ▁opposing- commerce- ▁larva- ▁terracotta- ▁Jovina- ▁accusat- ▁countertop- ▁recollect- ▁spitball- ▁unisex- ▁yankee- osacea- ▁Dolly- ▁Heights- ▁Tapas- ▁extensively- ▁snorkelling- ▁civilisation- ▁hardwire- ▁Hazi- ▁reinforce- ▁warped- Modric- ▁Alipay- ▁campsite- ▁outshine- ▁proficiency- ▁Poland- elope- ▁Marx- ▁Zero- ▁humanitarianism- ▁marinade- ▁mentorship- ▁quirkiness- ▁Amex- ▁cooperation- ▁hydrant- ▁roving- ▁kinky- ▁Koda- ▁Radin- ▁boredom- ▁contextual- ▁swum- ▁terminolog- ▁urbanization- ▁Bengali- ▁Paper- ▁preview- ▁spectro- ▁fleshier- ▁mantou- ▁Otak- ▁tonkatsu- ▁Badang- ▁Brit- ▁mortality- Free- Russell- odyne- ▁Ginger- ▁juici- ▁drake- ▁medalist- ▁memento- ▁tolerat- ▁vapor- ▁Caroline- ▁Arthur- ▁sewage- ▁strategise- ▁suction- worth- ▁Jenga- ▁alleviate- ▁marvelous- ▁resent- ▁scrutinize- ▁termination- ▁separation- ▁neurotic- ▁viper- ▁unravel- ▁defect- ▁Complex- ▁Paradigm- ▁Singapura- ▁joving- ▁metallic- ▁punchek- ▁marries- ▁menses- ▁resourceful- rangle- ▁Subhas- ▁Milan- ▁Witch- ▁barracks- ▁evasion- upiah- ▁renegade- urgen- ▁Waken- ▁forcefully- ▁swagger- ▁tiara- ▁chapel- ▁reconnected- ▁causally- ▁habitual- ▁Bookhouse- ▁thinggy- ▁Charmander- ▁Pika- ▁friday- ▁governor- ▁newsstand- ▁subcon- eonard- ▁devour- ▁Mafu- ▁burial- ▁LiHo- ▁Redang- headed- ▁Dettol- ▁excelled- ▁glutes- Titl- ▁kennel- gedil- ▁negro- ▁radically- plish- ▁Motion- ▁dawn- ▁sunburn- uzu- ▁sedan- ▁transcendent- ▁Camry- ▁inheritance- ▁magma- ▁Inception- ▁Tepp- ▁cheeseburger- ▁prideful- ▁Hajj- ▁Orang- ▁Luna- ▁marinara- ▁Rochor- ▁Yogi- ▁hostile- ▁stepsister- ▁Tores- ▁redevelopment- ▁bidet- ▁Quek- ▁sanitizer- ▁Qiao- ▁Jackpot- ▁dampen- ▁idolise- ▁sewers- ▁crating- ▁foursome- ▁uncontrollable- ▁mailbox- ▁slipping- ▁Ashik- ▁bonobo- ▁tragically- ▁Haidi- bear- ▁iffy- ▁relearn- ▁repent- ▁Marilyn- ▁agaration- ▁civilian- ▁shrine- ▁irra- ▁concourse- ▁rubble- ▁repeti- ▁Chungha- ▁Baliza- ▁chye- ▁fantasize- ▁corp- chatting- local- ▁Skippy- ▁authorities- ▁monogamy- ▁Yoga- ▁excruciating- Luak- aksa- ▁miller- ▁Suki- ▁Glenis- Tree- ▁Pakcik- ▁vasectomy- ▁veil- ▁Escobar- ▁Francisco- ▁Shuttle- ▁Tyson- ▁scum- ▁Grill- baby- ierra- ublic- ▁ounce- ▁chemist- ▁Kardashians- comfort- interesting- ▁Atwood- Jack- ▁Jetty- ▁demoralized- ▁graciousness- ▁horrified- ▁regimented- ▁adik- ▁dependence- ▁modul- ▁repost- ▁shiba- ▁Voon- ▁organically- ▁farmhand- ▁reflective- ▁Showman- ▁prick- ▁chaperon- ▁Cuba- ▁Joann- ▁harass- ▁mindfulness- ▁prophecy- ▁chives- Steel- ▁dirtier- ▁astray- ▁submerged- ▁marley- ▁plasticky- ▁panicked- ▁punya- rief- ▁awk- ▁neutralise- ▁talism- ▁doubtful- culi- ▁Anton- ▁elev- ▁Bora- ▁treasury- ensity- ▁commodity- ddess- tweet- ▁forceps- ▁crossover- ▁Porter- ▁cordon- ▁Health- ▁Kingdom- ▁Tatum- ▁robin- ▁xuan- ▁Chocolate- ▁cupid- ▁pimp- ▁stil- ▁curricul- ▁hallucinating- ▁platelet- ▁antics- ▁Laden- thering- ▁decay- ▁Cupid- ▁mitch- acies- ▁shoul- riding- ▁Minion- ▁Take- ▁Amri- ▁Shawan- ▁bedek- ▁bloc- ▁Morgana- ▁bowel- jori- ▁heatiness- ▁Hailing- ▁jeng- ▁reese- ▁Nature- ▁cheerfulness- ▁moose- bread- ▁accountability- ▁pokka- ▁Tues- ▁hunk- ▁posing- ▁bucketlist- ▁linguist- ▁manoeuvre- ▁cyan- bury- ▁sexism- ▁Bueno- lliance- ▁Ericsson- ▁panties- ▁Campbell- ▁bilis- ▁frap- ▁thinning- ▁calf- ▁rescheduled- evolving- pagar- ▁Dude- ▁hula- ▁flailing- ▁illustrating- ▁lingering- ▁regurgitating- ▁fax- ▁ampli- ▁alrea- ▁cremat- ▁Linda- ▁brushless- ▁flatten- ▁numer- dicu- ▁voiceover- ▁Liver- miliar- ▁stopwatch- ▁optimise- ▁Buri- ▁binders- ▁MediS- ▁handcraft- erja- ▁saxophone- Pek- ▁Network- ▁colony- ▁Marrie- ▁Americanize- jang- ▁hillman- Max- ▁Shang- ▁Manny- ▁uncom- ▁astrology- Maki- ▁harshness- eletubby- ▁jaded- ▁banish- ▁rapidly- ▁Heat- ▁kwa- ▁instructed- ▁chek- bogg- ▁bloodline- ▁Summer- ▁voicemail- Stone- ▁morality- ▁gentlemanly- ▁respectively- ▁Hambr- ▁Doha- Kwan- ▁Jiu- ▁Que- ▁Deli- Kok- ▁cluttered- ▁debuted- ▁provoking- ▁bleed- ▁Tale- ▁steeper- ▁standpoint- ▁quitter- ▁policemen- ▁mili- ▁burnout- Daily- uhsorry- ▁Farhana- ▁qualifier- ▁Shaf- Shin- ▁choreographer- ▁Bike- ▁Angkat- ▁puffin- ▁taxation- ▁fiancee- ▁maxi- ▁dimensional- ▁cohesive- pour- ▁Frenchie- ▁Carri- ▁snapped- arracks- apse- hank- ▁Kip- ▁Meal- ▁scented- ▁flourishing- ▁tata- ▁mamak- ▁disrespectfully- ▁Rama- ▁Rina- ▁Botanical- ▁Buk- ▁blogger- ▁cir- ▁Taken- ▁smoothen- esco- ▁Nasa- ▁dented- ▁pasture- ▁discharged- ▁showroom- ainted- ▁trad- ▁Geo- ▁Lumpur- ▁Sweep- static- ▁Beau- ▁barang- ▁beauti- ▁siren- ▁Union- ▁blushing- ▁disheartening- ▁refresher- ▁Albom- handed- ▁bandage- ▁customized- bio- ▁blindfolded- ▁examine- ▁enhanced- ▁salesman- ▁Pound- ▁creativeness- ▁Back- ▁saltish- ▁ballpoint- ▁groomer- ▁Teck- ▁magna- ▁announcer- ▁fallout- ▁kui- Amin- ▁heroine- ▁Louise- ▁Sailor- ▁relay- ▁Sound- ▁leaked- ▁painless- Mei- ▁browser- ▁rewatched- Rex- ▁Blangah- ▁Azan- ▁bartending- ▁artificially- ▁endured- ▁Bir- ▁dif- ▁anoth- stability- ▁Irene- ▁liv- ▁Chio- ▁sexually- ▁equalise- ▁economically- ▁ponder- ▁narcissis- ▁shooked- ▁Ivy- ▁broader- ▁Gig- ▁Opeh- ▁Zionis- ▁procession- ▁Chay- Sec- ▁Imbu- jar- ▁fourteenth- ▁hiong- ▁correlate- Yen- ▁conquered- ▁tailored- rce- ▁hisses- ▁Aero- ▁Dada- avainas- chain- ▁Site- nguish- ules- ▁launched- ▁warned- ▁documented- ▁Boba- ▁Pau- ▁mutate- ▁Wani- ▁tui- ▁Lane- ▁haw- ▁Lang- eous- ▁Hard- ▁tickled- Husse- ▁choked- essie- ▁Rad- abyte- ▁Osa- ▁processor- ▁globally- ▁Full- ▁booklet- Shi- ▁chemically- ▁easter- ▁ferti- ▁frontier- ▁broadcasting- ▁clinging- ▁halve- ▁Darli- ▁soaked- related- ▁Zu- ▁classist- north- ▁Atta- ▁overlooked- ▁Achar- ▁Lai- ▁battl- ▁ceased- cord- ▁Nata- ▁detoxing- ▁betraying- ▁kee- ▁stupidity- ▁erecti- Benoit- ▁Zone- ▁seamless- ▁stealer- ▁patientuh- ▁condemned- ▁Indon- ▁emphasized- ▁rotated- Swan- ▁mengs- ▁minion- ▁Mela- ▁Date- ▁friendzone- ▁earl- ▁mandate- ▁bomber- ▁conveying- ▁showke- ▁quietness- ▁Medan- ▁reversed- ▁Dilma- ▁quieten- ▁backlash- ▁fury- ▁ranting- ▁Chou- ▁toughness- nkers- ▁formant- ▁efficiently- ▁digger- ▁Fara- ▁glorify- Fest- ▁renewed- lier- ▁Jung- ▁chairman- Sang- ▁dashing- ▁qing- ▁publisher- eacock- ▁dino- ▁highlighted- ▁polygam- ▁tighter- ▁demolishing- ▁calmly- ▁unsee- ▁awkwardness- ▁sealed- ▁Bane- ▁Cara- ▁fertiliz- ▁pap- ▁Horn- ▁relieved- Song- sebum- ▁Gar- amant- ▁Dove- ▁resigning- ▁Philipin- ▁Fred- ▁nei- Tat- ▁witnessing- ▁Kina- ▁Tange- audi- ▁compromised- ▁weeding- ▁breather- ▁Xian- ▁importing- Ali- ▁springy- ▁Sling- ▁Tell- ▁understooded- rchaeology- ▁murderer- ▁layered- Van- ▁Qin- fall- ▁hyped- ▁measured- ▁Even- ▁purchaser- ▁fainting- ▁Oman- ▁stifl- ▁scorch- ▁programmed- ▁recesses- ▁nee- ▁Choi- ▁Patta- ▁highlighting- ▁brainer- ▁dramatise- ▁bureaucra- ▁Susan- ▁braid- ▁sung- inary- ▁Check- ▁curl- alakat- ▁Chitt- entities- ▁pitcher- ringing- ▁corr- iative- ▁Rain- Unagi- ▁nin- dora- cidentally- ▁daze- ▁Kara- hepard- ▁engi- gemuk- ▁Romania- ▁Bren- erbal- moral- bike- ▁Corin- ▁Sherle- ecurity- ▁Vik- ▁rumba- urities- ▁Buck- ▁Ava- ▁Nabila- ladi- mbing- raz- ▁Westerner- oronation- ▁detain- zoning- utting- ▁confesse- ntries- ▁Sala- ▁humbl- ▁mara- ▁Halif- ▁sled- Hood- lator- ▁swank- ▁Alv- gazing- Harrison- zel- ▁strategiz- ▁Dean- ovan- umanities- untie- Ben- omer- ▁chronic- ▁Arch- ▁packer- junct- zhang- appe- ▁dabbl- ▁kato- Liars- ▁boater- ▁Wul- ▁Univers- ▁rekindle- ▁steadi- ▁rac- ▁Yao- ▁gad- amil- ▁crashe- ▁tro- anie- ▁Shaku- uppy- nite- Shopping- Baker- position- ▁Ace- ▁Magn- ▁Tubb- anner- ightful- ▁Mill- Eighty- competency- ▁legalis- impang- ▁dirtie- ▁grann- ▁Dogg- Wool- atically- ▁Mina- ▁preconce- ▁competenc- ▁boggl- ▁crippl- zed- Perr- Carlo- Chek- ▁provoke- ▁conserve- ▁Lud- caster- uted- orium- rumbling- graded- ▁cultivati- ▁nauti- shoong- ▁centralize- ▁Nestl- uchi- ▁intrude- erati- ▁optimiz- ▁reassur- ▁integra- bodies- referred- xora- ▁subtl- ridden- ▁professionalis- bbed- Dali- ▁relocat- ▁unfaithful- ltering- oller- ▁brack- ▁formulate- iggly- cialised- ▁conserv- provoked- Donut- istan- uja- ▁panick- ▁physio- zhe- ▁dependenc- haps- ▁humili- Mercy- lashes- ▁collaps- Sophia- ▁Elfi- Aini- ▁wrinkl- Name- ▁spiri- xie- logy- Pol- unned- ▁Len- contentment- Mania- yukat- ▁deteriorat- Jiang- ▁outsourc- ▁psychiatr- ▁tortur- ▁grea- ▁Thie- Simple- ompan- ▁masa- ▁Child- ador- exter- jung- ▁glen- ▁duplicat- aburi- kiang- umbling- ▁prudent- mobile- ravel- ▁educa- ▁moderat- oaky- eeper- ▁geographic- ▁Franc- ▁electrop- ▁Marg- ▁marbl- ▁ceas- flicted- ▁probab- ▁craz- ▁magnet- ▁gymnastic- ▁pellet- ▁immigrant- ▁nacho- ▁Luca- ▁defini- ▁hamper- ▁fluctuate- ▁refugee- ▁dimple- Throne- ▁comprise- ▁nutrient- ▁phonic- ▁tyke- ▁freebie- ▁Vibe- ▁utensil- ngee- ▁pilate- ▁State- ▁supplie- ▁barbecu- ▁trouser- ▁posses- ▁obviou- Nee- ▁jean- roti- ▁circ- cratic- ▁bureau- compartmentalize- conceiv- ▁Canto- ▁vol- mount- ssistant- mmoners- ifle- ▁Moham- ▁Scoo- ▁genera- ▁peda- rati- ▁reminiscen- ▁Plane- ▁impatien- ▁accep- josh- ▁buil- ▁archaeolog- ▁Horse- founded- ▁Roz- gnific- ▁fertili- ▁synchron- visible- ▁distanc- friend- ▁craw- paced- ▁statu- aiya- half- ▁revol- ▁privat- ogling- uishin- ppressed- ▁narciss- ▁Techno- opsicles- lugg- nvestigations- ▁drow- ▁Digi- enetic- etica- writers- stroke- lags- Mercie- ounce- wolf- acaroons- ▁introduc- force- ▁inclin- ▁disput- ▁collage- aholic- interest- okki- ▁professio- ▁Pearly- plit- ▁moisturiz- ▁volu- ▁candleli- ▁linger- ▁bartend- ▁illustrat- odeling- ▁regurgitat- ▁dispens- ▁Zhe- proof- ▁flail- ▁compromis- finals- ▁disciplin- ▁embarra- ▁empir- ▁bibl- perform- ▁submerge- rystal- ▁Roma- flakes- lgari- ▁apologis- ▁Jayde- ▁traumatise- akcik- ▁amaze- ▁agitate- ordinary- ▁occupie- ▁overprice- ▁fluctuat- ▁dilute- coast- fruit- collect- ▁horrifi- copy- stream- ▁demoraliz- quish- udrey- ▁constipat- ▁jumble- ambodia- ▁crook- stresses- sighted- Dogg- olution- urrender- tyrofoam- ▁impair- Buri- Escobar- Jetty- Showman- Shuttle- Tyson- ceased- aktor- ▁unexpect- Technical- Grill- Convenience- Future- Institute- Krunch- Schwarzenegger- Theatre- polished- Gabriel- antorini- Evan- Keane- Monster- ntegrated- Francisco- ▁deprive- ▁discriminat- ▁referenc- Kenny- Murder- Zhang- carriage- ▁Joan- ▁Skipp- ▁monogam- ▁prophec- Atwood- Stamford- ylvia- Akshay- Banyan- Virgin- linguistic- proportionate- founder- Music- buoy- evaluate- immortal- comparable- Jade- Miller- Friza- conditioned- innacle- Morrie- Waterway- conductor- crow- ndependence- Henry- Monkey- Nyonya- Shaw- monkeys- second- Shakespeare- catcher- organised- qualified- storage- Thomson- animate- executive- invent- starter- ▁rollerblad- ▁vacanc- Festival- Jordan- emphasis- frequent- settled- weekly- ▁Desire- college- factory- growth- organisation- profit- sentosa- Holland- Kampung- Laden- Nature- Seoul- Spirit- Tae- bridge- innocence- legend- village- Friday- Orchard- Sentosa- between- culture- decided- explore- popular- responsibility- romantic- square- studies- valuable- Great- blue- chicken- confirm- ▁cruis- akhon- album- driver- ▁regiment- Green- ▁Snoop- secondary- luckily- ppb- toast- ▁Galax- ▁demonstrat- ▁prioritiz- ▁savor- ▁vocabular- anuki- ▁voluntar- ▁temporar- heeps- ▁warehous- Gateway- ▁naught- ▁Whit- ▁itinerar- ▁ultimat- ▁ugl- Environment- ▁diverg- ▁wrestle- ▁leverag- large- cool- plus- hursday- ature- shiok- ▁Chuck- ▁sanitize- ▁suppo- ▁solemnise- usband- ▁Titani- ▁savour- chips- Paul- uesday- ▁sequential- ▁unintentional- Army- consult- ▁braise- ▁evident- ▁radical- death- dough- Comm- hicago- version- ranscendent- Mark- ropic- ▁blatant- ▁comparative- affle- Youth- rophecy- eepavali- oothpaste- welve- reserving- ▁consum- latoon- erfect- rofessor- athedral- ettol- husband- ▁Mobil- indly- ▁appetiz- iracle- ninety- erlion- urious- ragrance- flection- ▁Yog- Hyun- proper- ▁commercialise- dept- onjour- lower- rganic- ubilee- ustin- ▁delusion- ▁dysfunction- armony- dead- ulgogi- czema- lazer- utchers- xperiment- ynasty- inosaur- ▁ceter- ▁trembl- cessor- degrad- ▁misus- ▁blemish- suade- alloween- crastinating- ▁sunglass- polar- requisite- ▁evasi- ▁Project- aspberry- ▁associ- ▁pacif- wives- ▁demograph- edemption- ejection- ▁confisca- gregation- oomie- ▁Isabel- ▁Olymp- ▁satisfact- awyer- ▁pronunciat- ▁subsidiar- ▁subscript- ▁unpredictab- ngkok- ednesday- ▁challen- ▁esophag- luding- ▁typi- ▁activi- ▁arbitra- ▁opportuni- esarean- ▁transmit- eceived- ▁advan- ▁ponch- arlic- iatric- mplify- ▁Stef- ▁illumi- ▁luxuri- ▁Pontian- ▁reputa- '2'- ▁Kean- ▁Remains- cendant- rrifying- ▁desensiti- ▁jeopardi- Little- vasion- grudg- zumi- ▁Anytime- ▁Lantau- ▁Morris- ▁Niagara- ▁Preeti- ▁Qistina- ▁cerebral- ▁dhoby- ▁dysph- ▁perpetua- ckelodeon- grimage- icultural- ychology- ▁Analytic- ▁Moldov- ▁acclimat- ▁anthropolog- ▁hexagon- ▁implicit- ▁profess- ▁shrivel- ▁symphoni- '@'- Agency- Anthony- ArkBar- Atria- Brigg- Conven- Counselor- Dominique- Dracula- Effron- Fallon- Griffith- Jabba- Kinsella- Kukoh- Millionaire- Motoring- Movie- Mustachio- Mustafi- Noraini- Philipp- Regis- Robbie- Sandler- Sheares- SquarePants- Thunder- Tonic- acerbate- amgyetang- angelo- antiago- arijuana- cotta- cryptocurrencies- dchildren- deekap- dyssey- enocide- ifiable- itzer- neumonia- nspirasi- osophy- ptuous- resistible- rowana- rwegian- tête- ucerin- uddin- uhwait- umental- umentary- urgundy- ▁Abdillah- ▁Adaline- ▁Adawiyah- ▁Afghan- ▁Agnus- ▁Alfred- ▁Amirah- ▁Andorra- ▁Anglican- ▁Annalise- ▁Annyeong- ▁Applied- ▁Aravin- ▁Asmara- ▁Balenciaga- ▁Bhatoora- ▁Bibimbap- ▁BitCoin- ▁Blastoise- ▁Bleeding- ▁Boiling- ▁Bonnie- ▁Boomerang- ▁Botox- ;- .- '9'- 不- 代- 喊- 在- 沟- 钟- ','- '1'- '4'- '5'- '6'- '7'- '='- \\- à- 七- 么- 什- 们- 你- 分- 吃- 完- 样- 看- 要- 这- 苦- ê- é- '{'- init: chainerinput_size: nullctc_conf: ignore_nan_grad: truemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram20000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: fs: 16kspecaug: nullspecaug_conf: {}normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_en_bpe20000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: transformerencoder_conf: input_layer: conv2d num_blocks: 12 linear_units: 2048 dropout_rate: 0.1 output_size: 256 attention_heads: 4 attention_dropout_rate: 0.0decoder: transformerdecoder_conf: input_layer: embed num_blocks: 6 linear_units: 2048 dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.6distributed: trueLM configconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_en_bpe20000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 57264dist_launcher: nullmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 20patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 64valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_en_bpe20000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_en_bpe20000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁I- ''''- ▁the- ▁you- ▁like- ']'- ▁[- s- ▁to- ▁that- ▁it- ▁is- ▁ya- ▁a- ▁and- ▁so- t- ▁then- ▁okay- ▁what- ▁of- ▁but- ▁uh- ▁know- ▁in- ▁one- ▁my- ▁don- ▁have- ▁they- ▁we- ▁no- ah- ▁not- ▁just- ▁for- lah- ▁think- ▁can- ▁there- oh- ▁do- ▁was- ▁this- ▁your- ▁right- ▁he- '-'- ▁are- ▁me- ▁go- ▁or- ▁be- ▁very- ▁if- ▁will- _- ▁on- ▁she- ▁how- m- ▁with- ▁want- ▁about- ▁because- ▁ppl- ▁all- ▁really- ▁when- ▁also- ▁time- ▁say- ▁at- ▁why- eh- ▁would- ▁um- ▁got- ▁mean- ▁see- ▁thing- ▁as- ▁actually- ▁people- ▁cause- ▁yes- ▁two- ▁now- ▁good- ▁more- ▁get- ▁ppo- ▁maybe- ▁ppb- ▁lot- ▁from- ▁up- ▁only- ▁her- ▁already- ▁kind- ▁out- ▁some- ▁something- re- ▁who- ▁them- ▁need- ▁where- ▁three- ▁let- ▁quite- ▁yeah- ▁most- ▁even- ▁talk- ▁never- ▁after- ▁did- ▁other- ▁still- ▁feel- ▁school- ▁eat- ▁which- ▁take- ▁Singapore- ▁should- ▁food- ▁cannot- ▁first- ▁back- ▁always- ▁life- ll- ▁same- ▁next- ▁things- ▁ask- ▁last- ▁come- ▁nice- ▁person- ▁make- ▁their- ▁were- ▁work- ▁didn- n- ▁our- ▁much- ▁wait- ▁too- ▁going- ▁went- ▁him- ▁five- ▁question- ▁<- ▁guess- ▁different- '>'- UNK- ▁give- ▁had- ▁way- ▁has- ▁tell- ▁by- ▁friend- ▁place- ▁his- ▁those- ▁well- ▁buy- ▁mine- ve- ▁before- ▁day- ▁four- ▁long- ▁love- ▁any- ▁look- ▁correct- ▁mm- ▁true- ▁money- ▁try- ▁bad- ▁play- ▁everything- ▁down- ▁best- ▁remember- ▁K- ▁stuff- ▁bit- ▁many- ▁us- ▁home- ▁been- ▁huh- ▁use- ▁put- ▁wah- ▁said- ▁guy- ▁here- my- ▁anything- ▁than- ▁doing- ▁year- ▁could- ▁house- ing- ▁friends- ▁sure- ▁find- leh- ▁an- ▁someone- ▁must- ▁gonna- ▁thought- ▁ten- ▁doesn- ▁watch- ▁keep- ▁another- ▁oh- ▁every- ▁point- ▁years- ▁call- ▁family- ▁old- ▁err- ▁better- lor- ▁won- god- orh- ▁man- ▁damn- ▁around- ▁name- ▁course- ▁favourite- ▁left- ▁talking- ▁top- ▁own- ▁turn- ▁girl- ▁into- ▁twenty- ▁am- ▁over- ▁sometimes- ▁start- ▁help- ▁whole- ▁these- ▁six- ▁wow- ▁shop- ▁again- ▁important- ▁mind- ▁probably- ▁blue- ▁big- ▁colour- ▁though- ▁part- ▁end- ▁does- ▁side- ▁parents- ▁read- ▁bring- ▁being- ▁red- ▁close- ▁new- ▁yea- ▁job- ▁ever- ▁hard- ▁nothing- ▁difference- ▁interesting- ▁else- ▁together- ▁car- ▁called- ▁whatever- ▁show- ▁white- ▁sorry- ▁change- ▁pay- ▁kids- ▁basically- ▁done- ▁seven- ▁free- ▁hundred- ▁learn- ▁green- ▁fun- ▁book- ▁told- ▁small- ▁off- ▁answer- d- ▁sign- ▁usually- ▁eight- ▁few- C- ▁open- ▁wanna- ▁mum- ▁chicken- ▁myself- ▁understand- ▁A- ▁means- ▁care- ▁both- ▁describe- ▁game- ▁once- ▁saying- ▁used- ▁teacher- ▁saw- ▁inside- ▁later- ▁happen- ▁C- ▁through- ▁date- ▁yourself- S- ▁stay- ▁looking- ▁movie- ▁dollars- ▁during- ▁move- ▁live- ▁until- ▁primary- ▁least- ▁nine- ▁wearing- ▁card- ▁thirty- ▁stop- ▁alright- ▁wanted- ▁trying- ▁Chinese- ▁each- ▁everyone- ▁having- ed- ▁example- ▁enough- ▁plus- ▁s- ▁haven- ▁cook- ▁working- ▁yup- ▁away- ▁spend- ▁expensive- ▁kid- ▁might- ▁secondary- ▁since- ▁sad- ▁whether- ▁night- ▁phone- ▁children- ▁water- ▁days- ▁study- ▁S- ▁enjoy- ▁young- meh- ▁fine- ▁super- ▁door- ▁class- ▁moment- ▁wrong- ▁drink- ▁second- ▁i- ▁came- ▁week- ▁thinking- ▁sense- ▁dog- ▁made- ▁getting- sia- ▁beside- ▁walk- ▁become- ▁happy- ▁world- ▁shit- ▁partner- ▁hand- ▁minutes- ▁choose- ▁scared- ▁ball- ▁word- T- ▁front- ▁half- ▁easy- ▁anyway- ▁- ▁hour- ▁P- ▁bro- ▁meet- ▁picture- ▁cool- ▁N- ▁fifty- ▁hours- ▁rice- ▁child- ▁country- ▁pretty- A- ▁worst- ▁guys- ▁brown- ▁far- ▁funny- ▁room- ▁little- y- ▁black- ▁normal- ▁English- ▁heard- e- what- ▁looks- ▁group- ▁experience- ▁sleep- ▁near- a- ▁table- ▁story- ▁conversation- ▁weird- ▁face- ▁today- ▁exactly- ▁definitely- ▁travel- ▁type- ▁boy- ▁especially- ▁Singaporean- ▁high- ▁rather- ▁real- ▁twelve- ▁T- ▁miss- ▁brother- ▁problem- ▁without- ▁believe- ▁generation- ▁while- ▁number- ▁O- ▁finish- ▁able- ▁says- ▁yet- ▁hair- ▁playing- ▁save- ▁everybody- ▁times- ▁such- ▁supposed- ▁die- ▁sit- ▁late- ▁yours- ▁run- ▁dad- ▁everyday- ▁age- ▁meal- ▁sell- ▁M- ▁yellow- loh- ▁break- ▁area- ▁queue- ▁married- ▁took- ▁coming- M- ▁mother- ▁fast- ▁eating- ▁certain- ▁wear- ▁plan- ▁leave- ▁month- ▁collect- ▁aiya- ▁topic- ▁fish- ▁Malay- ▁anymore- ▁makes- ▁teach- ▁honestly- ▁outside- c- ▁serious- ▁father- ▁started- ▁speak- ▁pass- ▁beach- ▁bought- ▁full- ▁share- ▁character- ▁hate- B- ▁dollar- P- ▁depends- ▁morning- ▁sister- ▁B- ▁J- ▁tried- ▁special- ▁send- ▁mmhmm- ▁future- r- ▁between- ▁idea- ▁cheap- ▁company- ▁music- ▁wife- ▁thousand- ▁lady- mah- ▁dream- ▁relationship- ▁short- ▁either- ▁recently- ▁list- ▁please- ▁tomorrow- ▁listen- ▁follow- ▁bus- o- ▁level- ▁difficult- ▁isn- ▁sometime- ▁check- ▁If- ▁drive- ▁great- ▁value- ▁continue- ▁past- ▁pick- ▁suddenly- ▁hear- ▁order- ▁forty- ▁business- ▁lesson- ▁hot- ▁personal- ▁cry- ▁light- ▁famous- ▁imagine- ▁matter- ▁shoes- ▁alone- ▁taste- ▁join- ▁confirm- ▁places- ▁nowadays- ▁eleven- ▁behind- ▁ppc- ▁moving- ▁less- ▁U- p- ▁may- ▁feeling- ▁ago- ▁using- ▁million- ▁books- ▁rest- ▁floor- ▁ice- ▁bottom- ▁single- ▁complain- ▁cut- ▁almost- ▁stupid- ▁crazy- ▁sitting- ▁cute- ▁favorite- ▁E- ▁forgot- ▁asking- ▁pink- D- ▁hope- ▁agree- R- ▁below- ▁reason- ▁risk- ▁shirt- ▁stress- ▁under- ly- ▁dinner- ▁unless- ▁percent- ▁deal- ▁goes- ▁trip- ▁hello- i- ▁nobody- ▁H- ▁coffee- ▁prefer- ▁taking- ▁months- ▁perfect- ▁instead- ▁pet- ▁biggest- ▁anyone- ▁fifteen- ▁circle- ▁clean- ▁poor- ▁D- ▁stand- ▁found- ▁yesterday- ▁games- ▁points- ▁cold- ▁poly- ▁students- ▁realise- ▁clothes- ▁heart- ▁god- ▁Malaysia- ▁grey- ▁comes- ▁seen- ▁taxi- ▁song- ▁thank- ▁push- ▁obviously- ▁team- ▁write- ▁somewhere- ▁t- ▁girlfriend- ▁younger- ▁tea- ▁head- ▁sounds- one- ▁reading- ▁student- ▁hawker- ▁middle- ▁line- ▁durian- ▁wake- ▁shopping- ▁towards- ▁body- h- ▁fail- ▁sing- ▁boring- ▁legit- ▁hold- ▁win- ▁test- ▁gone- ▁girls- ▁watching- ▁local- ▁paid- ▁marriage- ▁normally- ▁road- ▁third- ▁bucket- ▁cafe- I- ▁hungry- U- ▁worth- ▁bag- ▁older- ▁knew- ▁Singlish- ▁sweet- ▁train- ▁throw- ▁dark- ▁education- ▁early- ▁toilet- ▁simple- ▁uni- ▁tuition- ▁air- ▁restaurant- ▁honest- ▁living- ▁telling- ▁p- ▁price- ▁per- ▁Japan- ▁paper- ▁uncle- ▁minute- ▁itself- ▁terms- ▁overseas- hor- ▁driver- ▁o- ▁F- ▁set- ▁childhood- ▁words- G- ▁cards- ▁hmm- ▁brand- ▁grow- ▁reach- ▁choice- V- b- ▁scary- ▁main- ▁birthday- huh- ▁China- ▁cat- ▁career- ▁somebody- ▁along- O- ▁extra- u- ▁lunch- ▁hit- ▁lost- ▁subject- ▁exercise- ▁Korea- ▁hey- ▁parent- ▁add- ▁straight- E- ▁window- right- ▁chair- ▁explain- ▁sound- ▁soccer- ▁c- ▁online- ▁drama- ▁making- ▁culture- ▁fight- ▁k- ▁literally- ▁related- ▁latest- ▁interest- ▁felt- ▁human- ▁blah- ▁cream- ▁apparently- ▁G- er- ▁tired- ▁kinda- ▁studying- ▁earn- ▁suppose- ▁bird- ▁drop- ▁fried- ▁count- ▁holding- ▁m- ▁recess- ▁dating- ▁n- ▁forget- ▁sixty- ▁movies- ▁R- ▁catch- ▁baby- ▁color- ▁smart- ▁shoe- v- ▁teh- ▁success- ▁fact- ▁embarrassing- ▁pants- ▁countries- ▁dish- ▁Indian- ▁sports- ▁shows- ▁egg- ▁mostly- ▁rich- ▁chance- ▁Korean- ▁piece- ▁truly- ▁elderly- ▁soon- ▁social- ▁Singaporeans- ▁sort- ▁meaningful- ▁general- ▁angry- ▁shack- ▁club- ▁cooking- ▁seat- ▁clear- ▁lose- ▁photo- ▁hi- ▁busy- ▁period- ▁non- ▁fair- ▁dude- ▁questions- ▁running- ▁memorable- ▁holiday- ▁item- ▁leg- ▁system- ▁un- ▁bar- ▁interested- ▁touch- ▁sea- ▁couple- ▁zero- ▁self- ▁planning- ▁post- ▁video- ▁dead- ▁ex- ▁park- ▁totally- ▁hall- ▁store- ▁weekend- ▁building- ▁loud- ▁happiest- ▁milk- ▁trust- ▁chill- ▁lobang- L- ▁common- ▁fit- ▁board- ▁cost- ▁brought- ▁case- ▁laugh- ▁situation- ▁skin- ▁power- ▁re- ▁friendship- ▁f- ▁consider- ▁fat- ▁wish- ▁fall- ▁wash- ▁event- ▁soup- ▁woman- ▁willing- ▁sec- gosh- ▁Grab- ▁faster- ▁voice- ▁L- ▁trait- ▁dance- ▁differences- ▁entire- ▁effort- ▁science- ▁waste- ▁strong- ▁meat- ▁awkward- ▁specific- ▁exam- ▁current- ▁husband- ▁son- ▁seems- ▁visit- F- ▁box- ▁centre- ▁skip- ▁expect- ▁fire- ▁draw- ▁hero- ▁teachers- ▁whenever- ▁amount- ▁often- ▁kill- ▁Japanese- ▁boyfriend- ▁space- ▁support- ▁wise- ▁kay- ▁army- ▁ready- ▁giving- ▁tree- ▁art- ▁hobby- ▁swimming- ▁shoot- ▁football- ▁comfortable- ▁jump- ▁easier- ▁control- ▁public- ▁cake- ▁low- ▁spot- ▁gym- ▁search- ▁weeks- ▁walking- ▁lazy- ▁learning- ▁speaking- ▁carry- ▁orange- ▁similar- ▁soft- ▁pets- ▁seriously- ▁health- ▁World- ▁standing- ▁compared- ▁gave- ▁bake- ▁anywhere- ▁ninety- ▁ate- ▁Friday- l- ▁New- ▁Paul- ▁socks- ▁facing- ▁view- g- ▁worry- ▁apply- ▁ability- ▁based- ▁message- ▁fly- ▁huge- ▁season- ▁bed- ▁taken- ▁lucky- ▁freaking- ▁return- ▁hell- ▁computer- ▁tend- ▁smoke- ▁others- ▁aiyo- ▁relax- ▁energy- ▁hub- ▁waiting- ▁mix- ▁daughter- ▁bottle- ▁meaning- ▁corner- ▁sick- ▁office- ▁term- f- ▁sheep- ▁sauce- ▁size- ▁city- ▁driving- ▁currently- ▁cheaper- ▁eyes- ▁crab- ▁boss- wah- ▁hang- ▁safe- ▁step- ▁advice- ▁eighty- ▁happened- ▁match- ▁deep- ▁particular- ▁impression- ▁shall- ▁pull- ▁bread- ▁possible- ▁round- ▁comfort- ▁blind- ▁ride- ▁kampung- ▁meeting- ▁wine- ▁staying- ▁internship- ▁seventeen- ▁stall- ▁longer- ▁watched- al- ▁higher- ▁training- ▁remembered- ▁Sunday- ▁signboard- ▁closest- ▁wonder- ▁project- ▁fan- ▁caught- ▁government- ▁form- ▁tough- ▁Google- ▁everywhere- ▁healthy- ▁build- ▁trend- ▁cheese- ▁hat- uh- ▁vegetable- nah- ▁within- ▁slowly- ▁market- ▁block- ▁Saturday- ▁hotel- ▁technology- ▁machine- ▁craziest- ▁whereby- ▁selling- ▁math- ▁Australia- ▁makeup- ▁sand- ▁although- ▁works- ▁mention- ▁weather- ▁Hong- ▁manage- ▁afraid- K- ▁bike- ▁easily- ▁above- ▁alive- ▁listening- ▁respect- ▁mouth- ▁eventually- ▁feelings- ▁worse- ▁smell- ▁dress- ▁party- ▁language- ▁quiet- ▁chocolate- ▁possession- ▁seventy- ▁exams- ▁tray- ▁sun- ▁amazing- ▁mom- ▁e- ▁basic- ▁songs- ▁forward- ▁cap- ▁rock- ▁splurge- ▁stick- ▁busybody- ▁define- ▁woah- ▁act- ▁b- ▁contact- ▁issue- ▁potato- ▁studies- ▁fishing- ▁empty- ▁treat- ▁sleeping- ▁decide- ▁grandfather- ▁bigger- ▁previous- ▁asked- ▁cover- ▁classes- ▁d- ▁jobs- ▁kidding- ▁slow- ▁properly- ▁con- ▁laptop- ▁balance- ▁shark- ▁everytime- ▁X- ▁met- ▁base- ▁opposite- ▁canteen- ▁design- ▁random- ▁cousin- ▁happens- ▁hands- ▁given- ▁w- ▁pain- ▁focus- ▁proper- ▁y- ▁travelling- ▁degree- ▁flying- ▁missing- ▁police- ▁total- ▁j- ▁fourteen- ▁hated- ▁chores- ▁acronym- ▁accept- ▁dry- ▁transport- ▁Taiwan- ▁stage- and- ▁Facebook- ▁h- ▁center- ▁neighbours- ▁further- ▁breakfast- ▁doctor- ▁mic- ▁band- ▁cars- ▁Monday- ▁walao- ▁nearby- ▁decided- J- ▁siblings- ▁standard- ▁except- ▁activity- ▁quality- ▁themselves- ▁romantic- ▁spicy- ▁till- ▁ghost- ▁bank- ▁lie- ▁rent- ▁fake- ▁saddest- ▁stresses- ▁feels- ▁eye- ▁fear- ▁style- ▁text- ▁happening- ▁handle- ▁tiring- ▁considered- ▁wedding- ▁fresh- clock- ▁kopi- ▁eaten- ▁nope- ▁equal- ▁beautiful- ▁became- ▁bee- ▁environment- ▁inspiring- ▁history- ▁g- ▁shape- ▁maths- ▁escape- ▁purple- ▁annoying- ▁peach- ▁somehow- ▁pie- ▁drinking- ▁compare- ▁natural- ▁drinks- ▁names- ▁East- ▁motto- ▁dislike- ▁flat- ▁closer- ▁positive- ▁Instagram- ▁double- ▁sixteen- ▁concert- ▁Thailand- ▁paying- ▁seeing- ▁camp- ▁neighbour- ▁grandma- ▁boat- ha- ▁earlier- ▁private- ▁react- ▁gold- ▁interview- ▁express- ▁charge- ▁pictures- ▁auntie- ▁timing- ▁curry- ▁friendly- ▁aspect- ▁oil- ▁popular- ▁stories- ▁mee- ▁service- ▁nevermind- ▁growing- ▁mark- ▁learnt- ▁offer- ▁phrase- ▁brain- ▁talent- ▁nineteen- ▁eighteen- ▁cross- ▁field- ▁physical- ▁technically- ▁serve- ▁thirteen- ▁ma- ▁realize- ▁admire- ▁exchange- ▁born- ▁helping- ▁usual- ▁pool- ▁settle- ▁thanks- ▁played- ▁umbrella- ▁nature- ▁valued- ▁differently- ▁fault- ▁buffet- ▁sh- ▁position- ▁account- ▁u- ▁regret- ▁buying- ▁against- ▁laughing- ▁broke- ▁lame- ▁died- ▁noodles- ▁film- ▁YouTube- ▁iPhone- ▁news- ▁dogs- ▁pro- ▁agency- ▁library- ▁hopefully- levels- ▁sugar- ▁track- ▁radio- ▁North- ▁net- ▁negative- ▁horror- ▁kitchen- ▁society- ▁boys- ▁prata- ▁street- ▁problems- ▁reply- ▁l- ▁role- ▁session- ▁birds- ▁durians- ▁star- ▁action- ▁besides- ▁taught- ▁pair- ▁crowd- ▁grab- ▁wide- ▁starting- ▁noodle- ▁louder- ▁lower- ▁awhile- ▁sport- ▁scold- ▁appreciate- ▁ground- ▁recent- ▁Tom- ▁anybody- ▁generally- ▁shorts- ▁crowded- ▁irritates- ▁photos- ▁cents- ▁wall- ▁lives- ▁homework- ▁Cup- ▁actual- ▁female- ▁chore- ▁teaching- ▁quit- ▁himself- ▁twice- ▁pack- ▁lead- ▁enter- ▁neighbourhood- ▁notice- ▁anyways- ▁joke- ▁bear- ▁plastic- ▁license- ▁bowl- ▁stinge- ▁pop- ▁dare- ▁harder- ▁prepare- ▁legs- ▁kia- ▁finding- ▁research- ▁goal- ▁roll- ▁December- ▁tennis- ▁bin- ▁skills- ▁lessons- ▁Europe- ▁ahead- ▁product- ▁rude- ▁kept- ▁minus- ▁kena- ▁direction- ▁rate- ▁playground- ▁grandmother- ▁university- ▁Mister- ▁stuck- ▁personally- ▁pasta- ▁passed- ▁burn- ▁de- ▁survive- Kong- ▁rubbish- ▁beef- ▁Asian- ▁knowledge- ▁Hokkien- ▁gap- ▁achieve- ▁bo- ▁Orchard- ▁memory- ▁putting- es- ▁McDonald- ▁cup- ▁procrastinating- ▁version- ▁recording- 'on'- ▁create- ▁model- ▁force- ▁depend- ▁opportunity- ▁sushi- ▁swim- ▁station- ▁media- ▁dishes- ▁personality- ▁shut- ▁shift- k- ▁climb- ▁ways- ▁ha- ▁needs- ▁holidays- ▁plate- ▁bye- ▁topics- ▁nasi- ▁brands- level- ▁title- ▁blood- ▁successful- ▁afford- ▁basketball- ▁hurt- ▁across- ▁dirty- ▁forever- ▁none- ▁key- ▁invest- ▁opinion- ▁land- ▁accomplish- ▁aunty- ▁farm- ▁traditional- ▁toy- ▁snack- ▁ticket- ▁fruit- ▁financial- ▁dabao- ▁Thai- ▁peng- ▁improve- ▁Sentosa- ▁fell- ▁Netflix- ▁religion- ▁weight- ▁breaker- ▁background- ▁handphone- ▁inspire- in- ▁activities- ▁seafood- ▁bored- ▁finally- ▁pre- ▁loyal- ▁changing- ▁chilli- ▁trouble- ▁episode- ▁average- ▁terrible- ▁roof- ▁sem- ▁law- ▁glass- ▁heavy- ▁slightly- ▁fries- ▁town- ▁lines- N- ▁address- ▁rare- ▁animal- ▁chat- ▁lift- ▁Indonesia- ▁apart- ▁ulu- ▁bother- ▁press- ▁industry- ▁race- ▁cleaning- ▁present- ▁feet- ▁shine- ▁issues- ▁maker- ▁Bill- ▁process- ▁excuse- ▁honey- ▁pharmacy- ▁cried- ▁passion- ▁app- ▁island- ▁spending- ▁thick- ▁memories- ▁raw- ▁duck- ▁r- ▁ended- ▁V- ▁shuffle- ▁fashion- ▁suit- ▁Tai- ▁kick- ▁Tampines- ▁skincare- ▁mini- ▁burger- ▁allow- able- ▁cash- ▁airport- ▁Changi- ▁nickname- ▁chillax- ▁Bedok- ▁items- ▁shock- ▁divide- ▁writing- ▁mindset- ▁rain- ▁sale- Y- ▁devote- ▁dangerous- ▁bowling- ▁Wednesday- ▁purpose- ▁stun- ▁singing- ▁church- ▁salary- ▁supper- ▁aunties- ▁sian- ▁artist- ▁cycle- ▁explore- ▁changed- ▁India- ▁beer- ▁competition- ▁er- ▁tour- ▁maintain- ▁identify- ▁internet- ▁similarity- ▁mid- ▁throughout- ▁fruits- ▁com- ▁attention- ▁death- ▁aircon- ▁skill- ▁page- ▁goals- ▁trash- ▁volleyball- ▁split- ▁due- ▁stressful- ▁boxes- ▁remind- ▁dustbin- ▁deck- ▁actor- ▁known- up- ▁release- ▁Vietnam- ▁juice- ▁treasure- an- ▁Sue- ▁hanging- ▁catching- ▁ship- ▁bubble- ▁gain- ▁surprise- ▁record- ▁pizza- ▁speed- ▁sky- ▁tonight- ▁washing- H- ▁toys- ▁rush- ▁raise- ▁shared- the- ▁graduate- ▁fourth- ▁score- ▁lao- ▁pray- ▁co- ▁complete- ▁afternoon- ▁series- ▁sock- ▁knowing- ▁steak- ▁written- ▁dying- ▁hide- ▁north- ▁ye- ▁stripe- ▁sibling- ▁avoid- ▁mountain- ▁stable- ▁daily- ▁weekends- ▁grass- ▁Ah- ▁fix- or- ▁state- ▁cent- ▁politics- ▁flag- ▁Joe- ▁convenient- ▁speech- ▁assume- ▁ugh- ▁halfway- ▁surprised- ▁Tuesday- ▁beat- ▁horrible- ▁sandcastle- ▁perhaps- ▁ugly- ▁information- ▁pig- ▁grade- ▁closed- ▁relate- ▁Bangkok- ▁perspective- ▁golf- ▁Megan- ▁path- ▁judge- ▁accent- ▁stone- ▁bush- ▁events- ▁western- ▁videos- ▁fighting- ▁flight- ▁court- ▁sales- ▁Y- ic- ▁wave- ▁arts- ▁pronounce- ▁invite- ▁proud- ▁player- ▁allowed- ▁goodness- ▁mistake- ▁Ang- ▁scene- ▁note- God- ▁lamp- ▁ourselves- ▁yoga- ▁Harry- ▁wind- ▁heck- ▁cab- ▁master- ▁chiong- ▁pressure- ▁practice- ▁income- ▁Thursday- ▁Jurong- ▁testing- ▁attack- ▁pointing- ▁cats- ▁link- ▁Jack- ▁diploma- ▁worries- ▁semester- ▁safety- ▁woke- ▁Man- ▁shocked- ▁zoo- ▁th- ▁birth- ▁results- ▁tables- ▁development- ▁salt- ▁engineering- ▁fully- ▁letter- ▁bicycle- ▁concept- ▁camera- ▁strange- ▁understanding- ▁animals- ▁discuss- ▁typical- ▁Christmas- ▁unique- ▁condo- ▁yep- ▁Park- ▁parts- ▁onto- ▁products- ▁nose- ▁seem- ▁ring- ▁result- ▁stomach- ▁herself- ▁spent- ▁winter- ▁male- ▁jumping- ▁rocks- ▁grades- ▁flowers- ▁cuisine- ▁habit- ▁budget- ▁casino- ▁community- ▁Year- ar- ▁challenge- ▁feed- ▁Punggol- ▁nonsense- ▁distance- ▁baking- ▁realised- ▁players- en- ▁nicknames- ▁wood- ▁moral- ▁recommend- ▁mood- ▁destress- ▁hospital- ▁tall- ▁ending- ▁badly- ▁chairs- ▁calling- ness- ▁clique- ▁la- ▁click- ▁ideal- ▁porridge- ▁original- ▁Ben- ▁lesser- ▁mall- ▁restaurants- ▁material- ▁National- ▁bikini- ▁smoking- ▁pork- ▁pause- ▁cutting- ▁provide- ▁figure- ▁variety- ▁American- ▁afterwards- ▁donate- ▁preserve- ▁affect- ▁according- ▁London- ▁Yishun- ▁freedom- ▁sensitive- ▁women- ▁shiok- ▁entertainment- ▁disgusting- ▁slash- ▁charity- ▁cycling- ▁dumb- ▁John- ▁kaypoh- ▁obvious- ▁suck- ▁dramas- ▁talked- ▁cheat- ▁channel- ▁discipline- ▁kaypo- ▁transfer- ▁Batam- ▁grew- ▁location- ▁newspaper- ▁smaller- ▁guide- ▁strict- ▁badminton- ▁indeed- ▁mask- ▁loved- ▁plane- ▁Chinatown- ▁drunk- ▁seldom- ▁knock- ▁sweeping- ▁colleague- ▁lol- ▁Woodlands- ▁enroll- ▁major- ▁seahorse- ▁final- ▁tattoo- ▁nicer- ▁chemistry- ▁lying- ▁potatoes- ▁elaborate- ▁designer- ▁previously- ▁preserved- ▁adult- ▁following- ▁takes- ▁bite- ▁repeat- ▁contract- ▁attitude- ▁curious- ▁nua- ▁program- ▁values- ▁falling- ▁genre- ▁pear- ▁trees- ▁quick- ▁Marina- ▁data- ▁pee- ▁Lee- ▁crying- ▁uncles- Q- ▁stickers- ▁report- ▁aunt- ▁extent- ▁happiness- ▁lifestyle- ▁sharing- ▁plain- ▁slippers- ▁decision- ▁customer- ▁warm- ▁pushing- ▁ran- ▁flow- ▁screen- ▁celebrate- ▁smile- ▁vision- ▁marry- ▁anyhow- ▁completely- ▁acting- ▁yay- ▁balls- ▁national- ▁Toa- ▁satay- ▁seesaw- ▁volunteer- ▁concern- ▁shower- ▁sticker- ▁shot- ▁direct- ▁swear- ▁cage- ▁Bali- ▁quickly- ▁physics- ▁square- ▁wheel- ▁areas- ▁intern- ▁gai- est- ▁luck- ▁confident- ▁security- ▁property- ▁useful- ▁received- ▁mainly- ▁raining- ▁stressed- ▁finished- ▁modern- ▁stamps- ▁batch- ▁America- ▁schedule- ▁bench- ▁hobbies- ▁literary- ▁noisy- ▁banana- ▁losing- ▁excited- ▁wallet- ▁suay- ▁dear- ▁salted- ▁stack- ▁maid- ▁se- ▁heng- ▁helps- ▁perform- ▁bringing- ▁exact- ▁alamak- ▁available- ▁gaming- ▁wooden- ▁management- ▁destresses- ▁Kim- ▁managed- ▁exist- ▁sack- ▁arm- ▁cooked- ▁courses- w- ▁lock- ▁blame- ▁practical- ▁truth- ▁Science- ▁uniform- ▁manager- ▁liked- ▁module- ▁receive- ▁recall- ▁sucks- ▁staff- ▁worried- ▁mummy- ▁characters- ▁solve- ▁buddy- Guni- mee- ▁Asia- ▁lecture- ▁tourist- ▁members- ▁grand- Bay- ▁Karang- Cup- ▁blonde- ▁strength- la- ▁disturb- ▁deserve- ▁South- ▁opening- ▁milo- ▁shore- ▁tower- ▁ear- ▁stayed- ▁accident- ▁dessert- ▁saving- ▁singer- ▁mala- W- Payoh- ▁familiar- ▁significant- ▁Pokemon- ▁thin- ▁jio- ▁fitness- ▁among- ▁king- ▁investment- ▁member- ▁influence- ▁needed- ▁shout- ion- ▁wrote- ▁filled- ▁pure- ▁covered- ▁mess- ▁butter- ▁plans- ▁cloth- ▁fill- ▁necessary- ▁skirt- ▁Day- ▁limit- ▁benefit- ▁fella- ▁email- ▁pin- ▁copy- ▁impact- ▁political- ▁emotional- ▁powder- ▁shovel- j- ▁Starbucks- ▁becomes- ▁spirit- ▁flavour- ▁cheek- ▁patient- ▁finger- ▁poster- ▁cloud- ▁develop- ▁progress- ▁remove- ▁auto- ▁guest- ▁useless- ▁whereas- ▁bags- ▁sold- ▁theory- ▁packet- ▁album- ▁arrow- ▁Mee- ▁significance- ▁earth- ▁cher- ▁gotta- ▁limited- ▁shy- ▁whose- le- ▁carrying- ▁war- ya- ▁mo- ▁magic- Seng- ▁stopped- ▁diving- ▁prepared- ▁kicking- ▁rose- ▁apple- ▁lobster- ▁flower- ▁wheels- ▁dreams- ▁shelter- ▁religious- ▁Hougang- ▁humble- ▁bunch- ▁medical- ▁gotten- ▁showing- Mo- ▁lights- ▁prawn- ▁seats- ▁paste- ▁frame- ▁uncomfortable- ▁responsibility- ▁Milo- ▁menu- ▁tank- ▁roller- ▁ok- ▁barbecue- ▁sent- ▁grandparents- ▁tight- ▁tiger- ▁prison- ▁range- ▁creative- ▁Serangoon- ▁valuable- ▁ramen- ▁dragon- ▁tickets- ▁mode- ▁aside- ▁performance- ▁pieces- ▁secret- ▁download- ▁target- Coast- ▁doubt- ▁peace- ▁salmon- ▁communicate- ▁lab- ▁Nasi- ▁gross- ▁whoever- ▁otherwise- ▁marketing- ▁guitar- ▁windows- ▁flip- ▁code- ▁drawing- ▁comment- ▁foot- ▁careful- ▁sambal- ▁massage- ▁piano- ▁mentioned- ▁marks- ▁shooting- ▁collected- ▁clearing- ▁gift- ▁commitment- ▁robot- ▁option- ▁hole- ▁carrot- ▁switch- ▁Western- ▁musical- ▁minimum- ▁vegetarian- ▁fellow- ▁Teddy- ▁zone- ▁holy- ▁extend- ting- ▁changes- ▁individual- ish- ra- ▁senior- ▁men- Park- ▁ridiculous- ▁controversial- ▁attached- ▁collection- ▁anytime- ▁October- ▁moments- ▁doors- ▁heat- ▁da- ▁dates- ▁visitors- ▁spoil- ▁vegetables- ▁yo- ▁ignore- ▁approach- ▁independent- ▁quarter- ▁chase- ▁rabbit- ▁tractor- ▁wh- ▁eggs- ▁setting- ▁row- ▁gossip- ▁introduce- ▁karang- ▁Kallang- ▁Tinder- ▁companies- ▁jacket- ▁handsome- ▁sake- ▁immediately- ▁annoyed- ▁upset- ▁owner- ▁wasted- ▁bucks- ▁towel- ▁dialect- ▁aware- ▁traffic- ▁families- ▁portion- ▁playlist- ▁rarely- ▁mad- ▁char- ▁Malaysian- ▁thingy- ▁pins- ▁rank- ▁interact- ▁mature- ▁bonus- ▁cancel- ▁leaving- ▁fifth- ▁Bukit- ▁pole- ation- ▁speaker- ▁coach- ▁kindergarten- ▁tongue- ▁peaches- ▁delivery- ▁salty- ▁caring- ie- ▁expected- ▁weak- ies- ▁attend- ▁fry- Kio- ▁sex- ▁September- ▁sergeant- ▁basis- ▁evil- ▁signage- ▁highest- ▁wherever- ▁James- of- ▁soul- ▁oral- ▁downstairs- ▁tap- ▁nicely- ▁notes- ▁W- ▁firstly- ▁enjoying- ▁website- ▁snake- ▁seagull- ▁sweat- ▁App- ▁competitive- ▁maintenance- ▁Geylang- ▁summer- ▁liao- ▁foundation- ▁bio- ▁clearly- ▁nearer- ▁wa- goodness- ▁mental- ▁regular- ▁karaoke- ▁passport- ▁medicine- ▁Club- ▁hiking- ▁ego- ▁reality- ▁bright- man- ▁sat- ▁humans- ▁touching- ▁discount- ers- ▁gay- ▁tissue- ▁loan- ▁quarrel- ▁separate- lemak- Mee- ▁asleep- ▁celebrity- ▁exciting- ▁literature- ▁Pasir- ▁nearest- ▁snacks- ▁complaining- ▁dive- ▁erm- ▁hire- ▁matters- ▁crash- time- ▁pot- ▁sentence- ▁promotion- ▁drool- ▁chop- ▁French- ▁village- ▁depression- ▁priority- ▁Tamil- ▁scenery- ▁dropping- ▁Shore- ▁chips- ▁active- ▁inspired- ▁gosh- ▁phones- ▁moved- ▁instructor- ▁Muslim- ▁Africa- ▁Bear- ▁spice- ▁exhibition- ▁bak- ▁shellfish- ▁affordable- ▁Poly- ▁Joel- ▁rental- ka- ▁noise- ▁gun- ▁sleeve- ▁essay- ▁lack- ▁large- ▁Bugis- ▁exercising- ▁fantastic- ▁facial- ▁chef- ▁cartoon- ▁enjoyable- ▁ee- ▁tag- ▁mixed- ▁tone- ▁broken- ▁pearl- ▁button- ▁flags- ▁origin- ▁keeping- ▁mod- ▁aren- ▁spread- ▁teleport- ▁package- ▁bets- ▁context- ▁mutton- ▁river- ▁tech- ▁Bishan- ▁specifically- ▁painful- ▁earning- ▁drag- ▁incident- ▁condition- ▁stretch- ▁screw- ▁leader- ▁credit- ▁extreme- ▁dancing- ▁journey- ▁neighborhood- ▁involved- ▁City- ▁jam- ▁oily- ▁painting- ▁smelly- ▁failed- ▁commit- ▁floors- ▁apps- ▁display- ▁paint- ▁upgrade- ▁pace- ▁increase- ▁enrichment- ▁Apple- ▁travelled- ▁vehicle- ▁naturally- ▁shouting- ▁content- ▁kiss- ▁reasons- ▁magical- ▁metal- ▁colleagues- ▁castle- ▁borrow- ▁route- ▁shake- ▁volume- ▁sir- ▁jeans- ▁counted- ▁ch- ▁hardly- ▁cert- ▁starts- ▁dis- ▁print- ▁tax- ▁garden- ▁looked- ▁bond- ▁max- ▁access- ▁Uniqlo- ▁definition- ▁delicious- ▁glad- ▁versus- ▁booth- ▁presentation- ▁Germany- ▁built- ▁festival- ▁symbol- ▁sum- ▁ideas- ▁sells- ▁Jia- ▁evening- ▁snow- ▁technical- ▁Paris- ▁beauty- ▁medium- ▁naughty- ▁physically- ▁failure- ▁elder- ▁slide- ▁hunt- ▁bean- ▁pour- Potter- ▁department- ▁alcohol- ▁bridge- ▁inner- ▁purposely- ▁affected- ▁upper- ▁sacrifice- ▁tie- ▁label- ▁theme- ▁ka- ▁pill- ▁lit- ▁ne- ▁retire- ▁international- ▁lonely- ▁unbelievable- ▁routine- ▁precisely- ▁section- ▁boil- ▁selfish- ▁directly- ▁bao- ▁Kai- ▁financially- ▁fishes- ▁swing- ▁solo- ▁conversations- ▁symbols- ▁suffer- ▁scream- ▁pretend- ▁keeps- ▁relationships- ▁structure- ▁prevent- ▁east- ▁shops- ▁WhatsApp- ▁argue- ▁craving- ▁irritating- ▁resume- ▁studied- ▁cruise- ▁initially- ▁pocket- ▁lean- ▁promise- ▁remain- ▁communication- ▁height- ▁cigarette- ▁options- ▁grown- ▁plum- all- guni- ▁tick- ▁bomb- ▁cancer- ▁Sembawang- ▁casual- ▁potential- ▁stunned- ▁skinny- ▁anime- ▁joy- ▁host- ri- ▁trade- ▁hamster- ▁wondering- ▁map- ▁pen- ▁modules- ▁crowds- ▁scratch- ▁Malacca- ▁impossible- ▁insurance- ▁lamb- ▁multiple- ▁ladies- ▁France- ▁horse- ▁types- ▁stock- ▁belt- ▁sis- ▁source- ▁Math- ▁stamp- ▁bill- ▁worked- ▁sheet- ▁upon- ▁Philippines- ▁answered- ▁lip- ▁resources- ▁actors- ▁stars- ment- ▁reject- ▁contribute- ▁manual- ▁Marvel- ▁insane- ▁opportunities- ▁picnic- ▁upgrading- ▁psychology- ▁industrial- ▁betting- ▁peak- ▁forced- ▁sour- ▁intrigues- to- ▁steam- ▁preference- ▁mooncake- ▁mobile- ▁oven- ▁House- ▁messy- ▁bonding- ma- ▁Kong- ▁depending- ▁steps- ▁cinema- ▁scare- ▁recipe- ▁turns- ▁enjoyed- ▁drives- ▁minded- ▁exercises- ▁forest- ▁pills- ▁cousins- ▁cockroach- ▁Adam- ▁November- ▁awesome- ▁forecast- ▁January- ▁fierce- ▁simply- ▁nowhere- ▁giam- ▁Jay- ry- ▁academic- ▁outdoor- ▁rule- ▁calm- ▁ingredients- ▁strike- ▁including- ▁phase- ▁vending- ▁fridge- ▁confidence- ▁daddy- ▁fixed- ▁counter- ▁rushing- ▁connect- ▁appear- ▁yeap- ▁groups- ▁sandals- ▁savings- ▁aim- ▁stare- ▁float- ▁foreign- ▁Crazy- ▁wrap- ▁jialat- ▁unhealthy- ▁banner- ▁chalet- ▁platform- ▁mentality- ▁toxic- ▁mountains- ▁argument- ▁crap- ▁buildings- ▁woo- ▁wing- ▁stairs- ▁prove- ▁considering- ▁carrots- ▁meals- na- ▁plant- ▁dig- ▁likely- ▁fans- ▁spell- ▁Liverpool- ▁assuming- ▁mystery- ▁necessarily- ▁dealbreaker- ▁Chicken- ▁Uber- ▁winning- is- ▁scissors- ▁di- ▁shade- us- ▁influencer- ▁factor- ▁al- te- Yi- ▁monitor- ▁fuck- ▁loving- ▁maximum- ▁smiling- ▁classroom- ▁briyani- ▁glasses- ▁moon- ▁details- ▁climbing- ▁letters- ▁wipe- ▁museum- ▁seashell- ▁adults- ▁freak- ▁steal- ▁smooth- ▁introvert- ▁brush- ▁beyond- ▁laundry- ▁pepper- ▁podcast- ▁WiFi- ▁applied- ▁hardworking- ▁roughly- ▁golden- ▁studio- ▁tiny- ▁van- ▁mop- ▁status- ▁tent- ▁added- shirt- ▁estate- ▁panel- ▁bone- ▁gas- ▁tips- ▁sweep- ▁encourage- ng- teow- ▁decent- ▁strawberry- ▁therefore- ▁watermelon- ▁Kampung- ▁edition- ▁shag- ▁curly- ▁scan- ▁emotionally- ▁expecting- ▁Sam- ▁magazine- ▁musician- ▁clothing- ▁iron- ▁wings- ▁Sing- ▁li- ▁valid- ▁basket- ▁intense- ▁plot- ▁welcome- ▁fence- ▁laksa- ▁romance- ▁Spirit- ▁slept- ▁loyalty- ▁surprisingly- ▁bang- ▁string- ▁bitter- ▁numbers- ▁atas- ▁capital- ▁bottles- ▁flats- ▁straw- ▁quote- ▁stripes- ▁picking- ▁colours- ▁grill- ▁spoke- ▁shell- th- ▁advance- goreng- ▁Venom- ▁silent- ▁surgery- ▁kiasu- ▁apartment- ▁suitable- ▁landed- ▁seconds- ▁honesty- Gates- ▁knee- ▁finance- ▁fee- ▁shoulder- ▁produce- ▁recognise- ▁joking- ▁instant- ▁Dubai- ▁enemy- ▁queuing- ▁Pasar- ▁gender- ▁Paya- ▁disappointed- ▁herbal- ▁formal- ▁chili- ▁scolded- ▁drugs- ▁throwing- ▁Christian- ▁drivers- ▁assignment- ▁director- ▁vibe- ▁collecting- ▁peeve- ▁specs- ▁wasting- ▁rules- ▁professional- ▁actress- ▁conscious- ▁neutral- ▁burden- ▁silence- ▁troublesome- ▁south- ▁toothpaste- ▁halal- ▁accidentally- ▁reaction- pop- ▁gate- ▁clock- el- ▁ang- ▁kai- ▁folks- ▁supermarket- ▁task- ▁hearing- ▁equipment- ▁classmate- ▁subjects- ▁degrees- Ma- ▁crush- ▁migrate- ▁divorce- ▁efficient- ▁sudden- ▁Agnes- ▁drove- ▁threw- ▁responsible- ▁wild- ▁workplace- ▁era- ▁One- ▁chain- ▁wonderful- ▁dust- ▁graduated- ▁created- ▁sofa- ▁stream- ▁crime- ▁experiment- ▁article- ▁Mac- ▁legal- ▁en- ▁deliver- ▁le- ▁heartlands- ▁Phuket- ▁burst- ▁combination- ▁hopscotch- ▁procrastinate- ▁survey- ▁hurry- ▁beginning- ▁warehouse- ▁logo- ▁West- ▁invisible- ▁becoming- ▁toner- ▁toes- ▁protect- ▁Hari- ▁advise- ▁seek- ▁lane- ▁benefits- ▁outlet- ▁fees- ▁pe- ▁intend- ▁adopt- ▁chose- ▁promote- ▁nah- ▁squeeze- ▁jealous- ▁jungle- ▁submit- ▁motorbike- ▁silver- ▁welfare- ▁babe- ▁bungee- ▁teeth- ▁pail- ▁European- ▁helpful- ▁convert- ▁comedy- ▁randomly- ▁overall- ▁west- ▁relaxing- ▁missed- ▁fin- ▁kite- ▁fats- by- ▁Jun- ▁genres- ▁vacuum- ▁bully- ▁peas- Lemak- Bahru- ▁toast- ▁Mandarin- ▁leisure- ▁lousy- ▁Italy- ▁multi- ▁tail- ▁angmoh- ▁crispy- ▁confused- ▁blender- ▁assistant- ▁mass- ▁branded- ▁Char- ▁wording- ▁ordered- ▁fetch- ▁centres- ▁waves- ▁clouds- ▁sponsor- ▁learned- ▁involve- ▁houses- ▁turned- ▁wanting- li- ▁pursue- ▁succeed- four- ▁additional- ▁motivation- ▁Saint- ▁Singtel- ▁mutant- ▁population- ▁knitting- ▁British- ▁luckily- ▁Raffles- ▁converse- ▁makan- ▁siew- ▁barely- ▁application- ▁prof- ▁agent- ▁riding- ▁hoping- ▁Gai- ▁youngest- ▁Ma- ▁longest- ▁bun- ▁Indonesian- ▁followed- hoon- ▁expectations- me- ▁concerts- ▁ho- ▁triangle- ▁showed- ▁fishball- ▁brothers- ▁engage- ▁smoothie- ▁helped- ▁jun- ▁ca- ▁replace- ▁adjust- ▁memorise- ▁suggest- ▁spring- ▁minor- ▁Italian- ▁serving- ▁yogurt- ▁innocence- ▁midnight- ▁lemon- ▁Hello- ▁production- ▁pissed- ▁episodes- ▁trips- ▁recommended- ▁seagulls- ▁experiences- ▁bathe- ▁soya- ▁guard- ▁mushroom- ▁review- ▁payment- ▁effect- ▁sisters- ▁hug- ▁Hai- ▁weekdays- ▁fa- ▁challenging- ▁luggage- ▁multiply- ▁staircase- ▁maroon- ▁admin- ▁drank- ▁Ikea- ▁neck- ▁regardless- ▁passionate- ▁unfortunately- ▁gang- ▁constantly- ▁ultimately- ▁anti- ▁dump- ▁extremely- ▁mate- ▁equally- ▁dining- ▁realized- at- ▁lighter- Lin- ▁neighbors- ▁mirror- ▁temple- ▁connection- ▁tear- ▁angel- ce- ▁cleaner- ne- ▁spin- East- ▁Book- ▁Canada- ▁iPad- ▁alternative- ▁destination- ▁response- ▁coffeeshop- ▁Johor- ▁embarrassed- ▁shorter- ▁volunteering- ▁core- ▁din- ▁captain- ▁relative- ▁signs- ▁lecturer- ▁Long- ▁plants- ▁punch- ▁combine- ▁register- ▁heaven- ▁breathe- ▁breast- ▁spaghetti- ▁assessment- ▁solid- ▁blanket- ▁Nike- ▁satisfied- ▁scooter- ▁bono- ▁household- ▁rackets- ▁Zealand- ▁Hui- ▁scam- ▁spare- ▁lyrics- ▁bout- ▁scolding- ▁baked- ▁difficulty- ▁joined- ▁ba- ▁pa- ▁traveled- ▁triple- ▁experienced- ▁turning- ▁sub- ▁gear- ▁advertisement- ▁cable- ▁include- ▁lies- ▁necklace- ▁collector- ▁actions- less- ▁ties- ▁grad- ▁refuse- ▁fiction- ▁author- ▁Disney- ▁easiest- ▁length- ▁Mark- ▁leaf- ▁pilot- ▁trading- ▁guilty- ▁eww- ▁Boon- ▁carpark- ▁larger- ▁mango- ▁Coast- ▁wore- ▁posted- ch- ro- ▁walked- ▁views- ▁passenger- ▁arms- ▁biscuit- ▁tape- som- ▁reflect- ▁jail- Lebar- ▁oops- ▁German- ▁blend- ▁surprising- ▁Big- ▁butterfly- ▁dropped- ▁entrance- ▁lipstick- ▁neither- ▁patience- ▁ringgit- ▁skydiving- ▁Mount- ▁scale- ▁inspiration- ▁Pete- ▁connected- ▁developed- two- ▁gen- chor- Chu- ▁staring- ▁texting- ▁Z- ▁pies- ▁temperature- ▁slice- ▁ribbon- ▁hint- ▁decisions- ▁rod- ▁Q- it- ▁fold- ▁respond- ▁encounter- ▁freeze- ▁lepak- ▁mutual- ▁recycling- ▁suicide- ▁whatsoever- ▁Mobile- ▁balik- ▁Holland- ▁irritated- ▁cheapest- ▁ends- ▁buses- ▁choices- ▁cockles- ▁workers- ▁parking- ▁languages- ▁salad- ▁motor- ▁blank- ▁Gardens- ▁lawyer- ▁butcher- ▁expectation- ▁May- ▁slack- ▁pump- ▁arrange- ▁Air- ▁rubber- ▁hook- Ris- ▁Adidas- ▁fertility- ▁Halloween- ▁profile- ▁crew- ▁truck- ▁Line- ▁God- um- ▁killed- ▁beard- mo- ▁mistakes- ▁pan- ▁pit- ▁joining- ▁sa- ▁seashells- ▁odd- ▁voucher- ▁require- ▁hay- ▁flaw- ▁neighbor- ▁cow- Z- q- il- cream- ▁stalls- ▁Manchester- ▁cereal- ▁crisis- ▁ensure- ▁happily- ▁illegal- ▁naked- ▁racist- ▁seaweed- ▁Fandi- ▁dunno- ▁jogging- ▁audition- ▁breed- ▁quiz- ▁rise- ▁calculated- ▁surfing- ▁anger- ▁held- ▁ban- ▁Anna- ling- ▁sleepy- ▁tofu- ▁econs- ▁bees- ▁hill- ▁seed- ▁passing- ▁papers- ▁traveling- ▁crack- ▁engineer- ▁owe- ▁layer- ▁irritate- ▁muscle- ▁programme- ▁drug- lo- ▁gather- ▁rap- Kang- ▁disagree- ▁Mercedes- ▁Samsung- ▁ocean- ▁oyster- ▁unfair- ▁England- ▁babies- ▁grail- ▁housing- ▁Seoul- ▁aww- ▁Carousell- ▁chasing- ▁effective- ▁pastime- ▁allowance- ▁stingy- ▁siao- ▁adventurous- ▁acceptable- ▁chem- ▁prize- ▁provided- ▁darker- ▁belly- ▁wrongly- ▁sight- ▁goats- ▁pulling- ▁agreed- ▁guessing- ▁Shi- ▁trigger- ▁unit- ▁method- ▁lips- ▁School- ▁drain- ▁sink- ▁reduce- ▁translate- ▁accurate- ▁peaceful- ▁trail- ▁stubborn- ▁Miss- ▁Tokyo- ▁nervous- ▁policy- ▁sashimi- ▁liquid- ▁petrol- ▁satisfaction- ▁depth- ▁legend- ▁void- City- ▁po- ▁origins- ▁na- ▁hike- ▁stated- ▁candy- ▁bu- ▁models- ▁seeds- ▁trays- ▁chit- ▁expenses- ▁soap- ▁computers- ▁somewhat- ▁v- gai- ▁attract- ▁pattern- ▁claim- ▁begin- ▁tier- ▁cakes- ▁officer- ty- ▁projects- ▁Su- ▁edit- ▁nurse- ▁complicated- ▁knife- ▁typhoon- ▁Iceland- ▁relevant- ▁Joyce- ▁Genting- ▁fancy- ▁thriller- ▁liking- ▁Newton- ▁planned- ▁Nun- ▁June- ▁blur- ▁rely- ▁goat- ▁holes- ▁fart- ▁nation- ssed- ▁scenario- ▁struggle- ▁image- ▁solution- ▁customers- ▁intention- ▁surrounding- ▁clip- ally- ▁abuse- ▁adapt- ▁understood- Rich- ▁answers- ▁genuine- ▁honeymoon- ▁overcome- ▁impressive- ▁queen- ▁raising- ▁Little- ▁Black- ▁clockwise- ▁mama- ▁creepy- ▁Wave- ▁housework- ate- ▁curve- ▁answering- ▁exposed- ▁Ryan- kway- ▁recorded- ▁marker- ▁coins- ▁visited- ▁watches- ▁accounting- oo- ▁counting- ▁comments- ▁diet- z- ▁bell- ▁lover- ▁script- Garden- ▁si- ▁attraction- ▁trainer- ▁chew- ▁belong- ▁delay- ▁shells- ▁pioneer- ▁calculate- ▁sharp- ▁criteria- ▁emergency- ▁precious- ▁pregnant- ▁president- ▁microphone- ▁mosque- ▁keyboard- ▁spade- ▁absolutely- ▁subjective- ▁expression- ▁capable- ▁Road- ▁kway- ▁loss- ▁bare- ▁kicked- ▁port- ▁correction- ▁plates- ▁worker- ▁cares- ▁checking- ▁jokes- ▁par- ▁chances- age- ▁handbag- ▁advantage- ▁stranger- ▁filter- ▁diff- ▁unlike- ▁flour- ▁Tiong- ▁convenience- ▁cultural- ▁flexible- ▁judging- ▁awake- ▁innocent- ▁stingray- ▁duty- ▁headache- ▁clubbing- ▁granted- ▁Star- ▁frozen- ▁overnight- ▁regarding- ▁Yew- ▁however- ▁bow- ▁sentimental- ▁malls- ▁site- ▁oi- ▁cheating- ▁sincere- ▁shed- ▁rat- ▁sustain- ur- ▁relatives- ▁oo- ▁cookies- ▁pad- ▁measure- ▁corn- ▁wire- ▁tutor- ▁acronyms- ▁perfume- ▁aeroplane- ▁idiot- ▁motivate- ▁trick- ▁weapon- ▁detail- ▁coin- ▁classic- ity- ▁surf- ▁bless- ▁stalk- ▁cough- ▁permanent- ▁rough- ▁beneath- ▁category- ▁licence- ▁nursing- ▁surface- ▁fusion- ▁steamboat- ▁texture- ▁chest- ▁educated- ▁mentally- ▁Wei- ▁motivated- ▁curse- ▁fork- ▁stronger- ▁filling- ▁monthly- ▁cons- ▁speakers- ▁picked- ▁killing- ▁onion- ▁Chris- ▁youth- ▁interests- ▁stands- ▁sending- ▁ti- ▁tin- ▁refer- ▁zip- ▁dots- ▁professor- ▁operation- ▁coaster- ▁cheer- ▁client- ▁recover- ▁purchase- ▁reveal- ▁organise- ▁freelance- ▁electric- ▁admit- ▁entry- ▁sarcastic- ▁supervisor- ▁bullshit- ▁garlic- ▁identity- ▁prank- ▁Pulau- ▁Switzerland- ▁automatically- ▁realistic- ▁theatre- ▁cha- ▁trailer- ▁sickness- ▁Maldives- ▁reasonable- ▁rejected- ▁buttons- ▁gathering- ▁packed- ▁sticky- ▁texted- ▁mu- ▁lo- ▁sheng- ia- ▁playful- ▁brings- ▁helper- ▁inter- ▁outing- ▁Si- ▁pros- ▁spoon- ▁update- ▁represent- ▁organisation- ▁attachment- ▁discover- ▁vote- Road- Zealand- three- ▁logic- ▁superhero- ▁attractive- ▁MacPherson- ▁currency- ▁elephant- ▁facilities- ▁initiative- ▁nephew- ▁thirsty- ▁Johnny- ▁itinerary- ▁desk- ▁Stella- ▁spray- ▁cope- ▁Kuan- ▁lend- ▁pity- ▁fund- ▁bloody- ▁screaming- ▁reached- ▁Ban- ▁heels- ▁chip- ▁insects- ▁schooling- ▁vibes- se- ian- ▁prices- ▁Mo- ▁foreigners- ▁disappear- ▁instrument- ▁slipper- ▁pitch- ▁participate- ▁marble- ▁polite- ▁Gerald- ▁Subway- ▁aquarium- ▁software- ▁tingling- ▁Jalan- ▁shelf- ▁puppy- ▁pluck- ▁cheesecake- ▁terminal- ▁entitled- ▁profit- ▁Rice- ▁depressing- ▁lowest- ▁princess- ▁taller- ▁mustard- ▁roomie- ▁panda- ▁suffering- ▁loudly- ▁harm- ▁accepted- ▁stores- ▁puff- ▁angle- ▁burning- ▁Art- ▁hurts- ▁semi- ▁surely- as- ▁breaking- ▁Li- ▁bla- ▁squares- sh- ▁af- ▁sawing- ▁blow- ent- ▁opponent- ▁visual- ▁dim- ▁entertain- ▁Ubi- ▁manner- ▁nail- ▁spider- ▁edge- ▁damage- ▁recycle- ▁behave- ▁delete- ▁racket- ▁audience- ▁childcare- ▁funeral- ▁generous- ▁grateful- ▁kopitiam- ▁mookata- ▁ourself- ▁prefect- ▁scope- ▁stadium- ▁straightforward- ▁throat- ▁venom- ▁cowboy- ▁ginger- ▁truffle- ▁bullied- ▁cheesy- ▁conclusion- ▁fuel- ▁strap- ▁feedback- ▁ferry- ▁portable- ▁roti- ▁sightseeing- ▁mail- ▁screwed- rice- ▁palm- ▁bothered- ▁talented- Again- ▁offered- ▁bind- ▁dai- beh- ▁scenes- ▁Jing- ▁jog- ▁har- ▁emotions- ▁commercial- ▁claw- ▁proceed- ▁twist- ▁hype- ▁veg- ▁capture- ▁expose- ▁interaction- ▁monkey- ▁boost- ▁nap- ▁companion- ▁Jolene- ▁Shanghai- ▁accommodation- ▁accompany- ▁crayfish- ▁eldest- ▁principal- ▁reservist- ▁rural- ▁barbeque- ▁fantasy- ▁Daniel- ▁Guang- ▁nanny- ▁leadership- ▁junior- ▁battery- ▁powerful- ▁committed- ▁cockroaches- ▁Parish- ▁ingredient- ▁aspiration- ▁eighties- ▁cheated- ▁counts- ▁olden- Teow- ▁loser- ▁breaks- ▁praying- X- Man- ▁boot- ▁dialects- ▁muscles- ▁consequences- ▁function- ▁hive- ▁panic- ▁traits- ▁seasons- ▁peeves- ▁poke- ▁pea- ▁formula- ▁hm- ▁rec- ▁teache- ▁enrol- ▁reward- ▁portray- ▁bias- ▁determine- ▁extrovert- ▁Maggi- ▁observe- ▁adventure- ▁superficial- Han- ▁corridor- ▁false- ▁furniture- ▁hidden- ▁ownself- ▁rectangle- ▁strategy- ▁unhappy- ▁cardio- ▁anniversary- ▁elite- ▁Spiderman- ▁popcorn- ▁lottery- ▁struggling- ▁hostel- ▁Grey- ▁bloomer- ▁Siri- ▁awareness- ▁steering- ▁spotted- ▁basement- ▁Plaza- ▁stove- ▁Haw- ▁chemical- ▁movement- ▁War- ▁childish- ▁tyre- ▁weekday- ▁fate- ▁seater- ▁waited- ▁ev- ▁risks- ▁log- ▁lor- ▁runs- ▁ears- ▁su- ▁walls- do- ine- ay- ge- ▁cases- ▁confess- ▁Yi- ▁Uni- ▁scar- law- ▁cock- John- ▁global- ▁thankful- ▁tomato- ▁Toto- ▁slap- ▁Honda- ▁ambitious- ▁geography- ▁healthcare- ▁lmao- ▁luxury- ▁nasty- ▁possibly- ▁rebellious- ▁tournament- ▁Penang- ▁stood- ▁Chelsea- ▁silly- ▁Disneyland- ▁brake- ▁referring- ▁majority- ▁teleportation- ▁statement- ▁hiding- ▁cabin- ▁roasted- ▁sniffing- ▁relatively- ▁consideration- ▁satisfying- ▁custom- ▁firm- ▁advanced- ▁Tan- ▁eraser- ▁hao- ▁turtle- ▁lizard- ▁heartland- ▁niece- ▁container- ▁workshop- ▁electronic- ▁brave- ▁cameras- ▁aspects- ▁onwards- ▁spoilt- ▁tasted- ▁robots- ton- ▁whoa- ▁Bio- ▁Al- ▁levels- ▁rub- ▁region- ▁suits- ▁tradition- ▁tip- ▁privilege- ▁request- Timah- Raya- ▁nerd- ▁teenage- ▁authentic- ▁thumb- ▁alternate- ▁broad- ▁compulsory- ▁essence- ▁furthest- ▁graduation- ▁imagination- ▁intelligent- ▁philosophy- ▁tasty- ▁Sengkang- ▁appointment- ▁jelly- ▁council- ▁frequency- ▁rooftop- ▁Perth- ▁savoury- ▁beehive- ▁tahan- ▁Audrey- ▁digital- ▁rooms- ▁retirement- ▁Mother- ▁chey- ▁dragging- ▁brownish- ▁dip- ▁particularly- ▁completed- ▁Physics- ▁intake- ▁MacDonald- ▁flash- ▁antique- ▁feeding- ▁parks- ▁jet- ▁opinions- ▁circumstances- ▁sadly- ▁aye- ▁signal- ▁timer- ▁searching- go- ▁saved- ▁shirts- ▁failing- ▁tube- ▁plank- ▁lived- ▁ta- ▁prep- ▁mac- ▁internal- ▁named- ▁hor- ▁sides- ▁antiques- ▁Da- ▁tune- ▁reserve- ▁drill- ▁ac- Yew- ▁March- Kway- ▁Night- ▁Great- ▁Esplanade- ▁Greece- ▁encouraging- ▁frustrated- ▁pavement- ▁preparing- ▁upbringing- ▁August- ▁Jesus- ▁scroll- ▁Cantonese- ▁udon- ▁Seven- ▁patch- ▁healthier- ▁harsh- ▁oya- ▁regularly- ▁bosses- ▁purely- ▁triggered- ▁retired- ▁materials- ▁matured- ▁rainy- ▁sector- ▁invited- ▁olive- ▁comic- ▁leading- ▁tire- ▁secondly- ▁couples- Di- ▁scramble- ▁roads- ism- de- ▁mates- ▁playgrounds- ▁forth- ▁coloured- ▁features- ▁fam- out- ▁pok- ▁hack- gi- ▁breath- ▁Cambodia- ▁vomit- ▁stunt- ▁Lin- Quay- Xiang- Sands- Mian- ▁logical- ▁slip- ▁April- ▁ankle- ▁economy- ▁hokkien- ▁privacy- ▁surname- ▁Brunei- ▁trolley- ▁despite- ▁pride- ▁surfboard- ▁unlucky- ▁visa- ▁Michael- ▁tourism- ▁Andrew- ▁pond- ▁located- ▁photography- ▁Xiao- ▁Cafe- ▁bushes- Par- ▁deeper- ▁mat- ance- ▁fed- ▁performing- ▁treated- ▁scoop- ▁monster- ▁challenges- ▁tender- ▁whale- ▁strangers- ▁lay- ▁talents- ▁services- am- ▁kindness- ▁supporting- ▁Ted- ▁hitch- ▁downwards- ▁Yan- ▁fingers- ▁Ali- ▁musicians- ong- ▁blocks- ▁stir- ize- ▁ill- ▁demand- ni- han- Villa- liao- ▁cast- ▁singapore- ▁bunk- ▁You- ▁Innisfree- ▁escalator- ▁mixture- ▁parcel- ▁repair- ▁sausage- ▁supply- ▁Taobao- ▁corporate- ▁hindsight- ▁scholarship- ▁atmosphere- ▁protein- ▁closing- ▁mouse- ▁electricity- ▁audio- ▁matchmade- ▁tango- ▁pineapple- ▁pile- ▁vest- ▁manga- ow- ▁hardest- ous- ▁interior- ▁focused- ▁campaign- ▁lifetime- ▁occasion- ▁supposedly- ▁relation- ▁waffle- ▁Wen- ▁calories- ted- ▁McDonalds- ▁secrets- ▁sets- ▁opened- ▁classmates- ▁central- ▁span- ▁bath- ▁factors- ▁headphones- ▁youngsters- ▁pairs- ▁partners- ▁ducks- ▁faith- ▁trains- ▁distress- ▁select- Kuan- ▁maggi- ▁bark- ▁exit- ▁external- ▁Causeway- ▁algorithm- ▁choosing- ▁describing- ▁heritage- ▁kosong- ▁military- ▁organic- ▁resort- ▁seatbelt- ▁stereotype- ▁wheelbarrow- ▁earpiece- ▁martial- ▁various- ▁alarm- ▁sexuality- ▁aggressive- ▁matchmake- ▁mopping- ▁universe- ▁breakdown- ▁whack- ▁injured- ▁cabby- ▁Yong- ▁Wild- ▁mods- ▁pioneering- ▁spa- ▁beaches- ▁safer- ▁exhibitions- ▁acknowledge- ▁disturbing- ▁spill- ▁frog- ▁tutorial- ▁cone- ▁workout- ▁foreigner- ▁et- ▁melt- aking- ▁peel- ▁snap- ▁tan- ▁Div- ▁aha- ▁fi- ▁ants- ▁debts- ise- ▁situations- ▁allows- ▁hop- ▁regrets- ▁races- ▁fur- ▁destroy- ▁load- ▁embarrass- ▁murder- ▁network- ▁concentrate- United- ▁desperate- ▁arrogant- ▁immediate- ▁object- ▁Batman- ▁Myanmar- ▁Sephora- ▁Suntec- ▁certificate- ▁cliche- ▁coconut- ▁dealmaker- ▁diabetes- ▁exposure- ▁marathon- ▁pencil- ▁thief- ▁unnecessary- ▁vintage- ▁outcome- ▁Telok- ▁fisherman- ▁importance- ▁Alvin- ▁giant- ▁gangster- ▁cupboard- ▁straightaway- ▁bunny- ▁college- ▁sunset- ▁waving- ▁paiseh- ▁abilities- ▁Ayam- ▁plug- ▁dependent- ▁mince- ▁sunny- ▁Service- ▁Burger- ▁York- co- ▁nails- ▁blessed- ▁factory- ▁shave- ▁aiyah- ▁compromise- ▁chick- ▁diamond- ▁producer- ▁textbook- ▁pancake- ▁error- ▁subscribe- ▁assignments- ▁circles- ▁wha- ▁Wan- ▁Play- ▁panels- ▁pears- ▁bound- ▁Wi- ▁predict- ▁conduct- ▁annoy- et- ▁bump- ▁puke- Point- Wei- ▁engine- Lay- ▁agencies- ▁airplane- ▁chendol- ▁concrete- ▁controversy- ▁excellent- ▁gravy- ▁hashtag- ▁helmet- ▁remote- ▁renovation- ▁tampines- ▁vessel- ▁yolk- ▁Dhoby- ▁choir- ▁improving- ▁virus- ▁Timothy- ▁hipster- ▁itchy- ▁Vietnamese- ▁shuttle- ▁netball- ▁perception- ▁pillow- ▁omelette- ▁slang- ▁shipping- ▁obsessed- ▁Force- ▁equality- ▁fictional- ▁Chong- ▁Dance- ▁storyline- ▁combing- ▁install- ▁matches- ▁Seng- ▁cure- ▁locked- ▁concerned- ▁rides- ▁spoken- ▁served- ▁perfectly- ▁Mall- ▁lately- ▁highly- ▁fired- ▁trained- King- ▁veggie- ▁oversea- da- ▁visiting- ▁peer- ▁chilling- ▁glitters- ▁wei- ▁sticks- ▁rid- ▁burnt- ▁propose- ▁speaks- ▁correctly- ive- ▁cells- ▁artists- ▁compete- ▁meter- ▁economics- ▁blog- ik- ▁films- ak- ▁highlight- ▁retail- ▁retain- ▁command- ▁psych- ▁official- ▁jia- ▁Vivo- ▁Power- ▁Kopitiam- ▁Krabi- ▁advertising- ▁animation- ▁bungalow- ▁comparison- ▁description- ▁hygiene- ▁intelligence- ▁introduction- ▁qualify- ▁qualities- ▁rojak- ▁strawberries- ▁technician- ▁upstairs- ▁practise- ▁orientation- ▁McSpicy- ▁Taipei- ▁vacation- ▁Golf- ▁Pizza- ▁beige- ▁judgement- ▁Pub- ▁vase- ▁Choa- ▁retake- ▁grandpa- ▁craft- ▁cherry- ▁skipping- ▁promo- ▁balloon- ▁laughter- ▁micro- ▁whichever- ▁treatment- ▁transportation- ▁pampered- ▁kana- ▁nun- ▁practically- ▁impatient- ▁fulfilling- ▁Jie- ▁Bak- ▁generic- ▁anchor- ▁aiming- ▁kin- ▁fairy- ▁Malam- ▁Gen- ▁wo- ▁tub- Legend- ▁instruction- ▁boxing- ▁economic- ▁motorcycle- ▁file- ▁requires- ▁debt- ▁reaching- ▁shocking- ▁documents- ▁smoothies- he- ▁clubs- ▁fare- ▁bears- ▁bones- Ting- line- ▁sue- ▁streets- ▁programs- ▁sail- ▁recognize- ▁secure- Chou- Airport- Ubin- Wen- ▁fortunate- ▁consistent- ▁ultimate- ▁gentle- ▁forgive- ▁Robin- ▁Middle- ▁Contest- ▁Filipino- ▁Hokkaido- ▁MacRitchie- ▁Turkey- ▁forehead- ▁garbage- ▁juicy- ▁Melvin- ▁racial- ▁accessible- ▁foam- ▁confusing- ▁materialistic- ▁Golden- ▁pasar- ▁ouch- ▁distresses- ▁productive- ▁Old- ▁distracted- ▁rack- ▁discussion- ▁keen- ▁gao- ▁Square- ▁percentage- ▁stepping- ▁hitting- ▁possess- ▁Bean- ▁attended- ▁bi- ▁Qing- ▁spices- ▁meetings- ▁rolling- ▁pimple- ▁checked- ▁ruin- ▁ra- ▁eyebrow- ▁cafes- ▁Lim- ▁necklaces- ▁ver- ▁spectacles- ai- ▁pounds- ▁Ba- iness- ▁sp- 'no'- ▁cigarettes- ▁comm- ▁slim- ▁fulfill- ▁Mala- ▁Ha- ▁vertical- ▁constant- ▁Botanic- ▁branch- ▁journal- ▁Circle- ▁Downtown- ▁Jeju- ▁Khatib- ▁Norway- ▁circular- ▁evidence- ▁excluding- ▁grammar- ▁insecure- ▁procrastination- ▁segment- ▁sword- ▁syllabus- ▁flew- ▁happier- ▁oxygen- ▁Huawei- ▁twenties- ▁Spotify- ▁documentary- ▁applicable- ▁independence- ▁outfit- ▁vice- ▁Clarke- ▁haunted- ▁Four- ▁motion- ▁chess- ▁tries- ▁Lion- ▁Cai- pa- ▁actively- ▁Rich- ▁difficulties- ▁sailing- ▁slower- ▁hoon- ▁softer- ▁bullying- ▁ironing- ▁oldest- ▁repeating- ▁meme- ▁farming- ▁emotion- ▁mannequin- ▁pub- ▁improvement- ▁posting- ▁hardship- ▁flaws- ▁footballer- ▁locals- ▁Yu- ▁flavours- ris- math- ▁cooling- ▁prompts- ▁dirt- ▁standards- ▁sessions- ter- ▁waffles- ▁pant- ▁taxis- ▁groom- ▁exclude- ▁renew- ▁aspirations- '['- Pop- ▁loose- ▁Insta- ▁courage- ▁compliment- ▁Arnold- ▁Earth- ▁Eatigo- ▁Energ- ▁FIFA- ▁Melbourne- ▁commission- ▁cushion- ▁fool- ▁frappe- ▁funniest- ▁gambling- ▁pleasant- ▁presence- ▁puddle- ▁recognition- ▁squad- ▁goodbye- ▁pronunciation- ▁priorities- ▁Michelle- ▁Deepavali- ▁applies- ▁Social- ▁construction- ▁operating- ▁sentosa- ▁cemetery- ▁Nicholas- ▁balcony- ▁Food- ▁clay- ▁tentage- ▁trial- ▁Earl- ▁Briyani- ▁July- ▁icon- ▁lime- ▁secondhand- ▁Beach- ▁cleanser- ▁Theme- ▁demon- ▁leftover- ▁growth- ▁sang- ▁pinkish- ▁mud- ▁historical- ▁rating- ▁someday- ▁trousers- ▁poop- ▁medication- ▁smarter- ▁stretching- ▁raised- ▁Avengers- ▁understandable- ▁sweating- ▁prawning- ▁debate- ▁specially- ran- ▁gig- ▁accepting- ▁bend- ▁pale- ▁venture- ▁procedure- ▁mission- ▁border- ▁blessing- ▁requirement- ▁chapter- ▁mile- ▁tr- ▁ski- ▁heal- ▁prawns- ▁honours- ▁rates- ▁lovely- ▁dated- ▁fame- ▁praise- tic- ▁bat- ▁pointed- ▁readings- ▁eyebrows- ▁Sun- ▁Indians- ▁mis- ▁haste- ▁slides- ▁King- ▁backpack- ▁guarantee- ▁initiate- ▁expand- Hui- ▁labour- ▁unexpected- Lao- Lee- ▁sandwich- ▁mosquito- ▁affects- ▁fever- ▁FaceBook- ▁Sweden- ▁antenna- ▁barrier- ▁behaviour- ▁caramel- ▁empathy- ▁fibre- ▁franchise- ▁lantern- ▁offence- ▁password- ▁stamina- ▁twentieth- ▁underneath- ▁humour- ▁managing- ▁February- ▁Rachel- ▁narrow- ▁concealer- ▁attempt- ▁celebration- ▁sunglasses- ▁Pills- ▁programming- ▁convo- ▁unagi- ▁Claire- ▁overrated- ▁Two- ▁greedy- ▁moisturiser- ▁depressed- ▁festive- ▁indie- ▁Victoria- ▁seventies- ▁Simon- ▁attracted- ▁duh- ▁organize- ▁catalyst- ▁booking- ▁educational- ▁separated- ▁parties- ▁reminded- ▁blowing- ▁operate- ee- ▁spit- ▁ethics- ▁seller- ▁focusing- ▁covering- ▁hearted- ▁sticking- ▁quest- bah- ▁pol- ▁Din- ▁lion- ▁coat- ▁disease- ▁ad- ▁award- ▁idol- ▁slot- ▁prompt- ▁headphone- ▁youngster- ▁Woodland- ▁stones- Asians- ▁analyse- ▁Asians- ▁lectures- ▁Vans- ▁wanton- ▁hu- ▁sting- ▁intro- ▁stays- ki- ▁Shop- ▁motorcycles- ▁bills- ▁centers- ca- ▁costs- ▁festivals- ▁jack- ▁deduct- ▁tai- World- Village- ▁essential- ▁excel- ▁Aaron- ▁Mediacorp- ▁Peggy- ▁Scotland- ▁Texas- ▁allergic- ▁avocado- ▁banquet- ▁ceiling- ▁concession- ▁monetary- ▁shampoo- ▁cliff- ▁complex- ▁hometown- ▁roommate- ▁drew- ▁kimchi- ▁bounce- ▁lens- ▁appropriate- ▁Xavier- ▁swimsuit- ▁Zara- ▁punishment- ▁appearance- ▁waterfall- ▁pathway- ▁occasionally- ▁magician- ▁similarities- ▁polar- responsibilities- ▁forcing- ▁addicted- ▁Jane- ▁equivalent- ▁stopping- ▁Point- ▁tricky- ▁detailed- ▁included- ▁combined- ▁Island- ▁extended- ▁erase- ▁greenish- ▁Bay- ▁strongly- ▁shifted- ▁gel- ▁transparent- ▁clients- ▁Me- ▁certainly- ▁lau- ▁camping- ▁worrying- ▁genes- ▁objective- ▁seniors- ▁superpower- ▁inform- ▁elective- way- ▁prayer- ▁Garden- ▁conflict- bu- ▁Pet- ▁leaves- ▁cleaners- ▁chi- ▁marking- ▁ve- ang- tending- ▁stages- ▁hats- ap- ▁bra- ▁environmental- long- ▁faint- ▁donation- ▁rescue- ▁skate- Eleven- Island- ▁gamble- ▁frequent- ▁humid- ▁confront- ▁Bintan- ▁Cheryl- ▁Nutella- ▁Southeast- ▁comparing- ▁devil- ▁gloss- ▁grocery- ▁integrity- ▁zombie- ▁curriculum- ▁thigh- ▁Candy- ▁Good- ▁creating- ▁millionaire- ▁humor- ▁rendang- ▁Jordan- ▁wreck- ▁granny- ▁transition- ▁academically- ▁cities- ▁consist- ▁trap- ▁scheme- ▁controlling- ▁dedicated- ▁crave- ▁Koi- ▁colourful- ▁greyish- ▁shitty- ▁grilled- ▁breathing- ▁mild- ▁spoiled- ▁folding- ▁relieve- ▁pho- son- ▁Pro- ▁overtime- ▁celebrated- ▁chin- Cha- ▁dreamt- ▁packing- ▁Courts- ▁nicest- ▁newer- chat- ▁My- ▁theater- ▁stops- ex- Lim- ▁pleasure- ose- ▁reference- ▁disaster- ▁slave- ▁pound- ▁politic- ▁toward- yum- ▁cell- ▁keeper- ▁reviews- led- ▁adding- men- ▁seal- ▁articles- ▁emails- ▁finances- ▁nuts- ▁shown- cu- ▁tab- ▁upload- ▁im- ▁literal- ▁purposes- Fi- ▁Maths- ary- ▁Van- ▁She- ▁Jo- ical- ▁facts- ung- ▁Russia- ▁satisfy- ▁detect- ▁threaten- ▁thir- ▁dimension- ▁civil- ▁Joseph- ▁Ferrari- ▁Pavilion- ▁Twitter- ▁anxiety- ▁blouse- ▁clever- ▁conservative- ▁elderlies- ▁groceries- ▁jeep- ▁lesbian- ▁possibility- ▁Econs- ▁Northern- ▁beneficial- ▁holistic- ▁justify- ▁foresee- ▁phobia- ▁mainstream- ▁flies- ▁wolf- ▁Crystal- ▁countdown- ▁deny- ▁battle- ▁lake- ▁weakness- ▁University- ▁billion- ▁supportive- ▁combo- ▁inspirational- ▁inclined- ▁essentially- ▁Sheng- kong- ▁emo- ▁impressed- ▁Jimmy- ▁selected- ning- ▁handling- ▁fif- uhI- ▁engaged- ▁laws- ▁guni- ▁sadness- ▁coma- ▁mole- ▁spelling- ▁hip- ▁ranking- ▁developing- ▁greater- Ning- ga- ▁chim- ▁forms- ▁Red- ▁attractions- ▁Bar- red- ▁mathematics- ▁bitch- ▁Rui- ▁towels- ▁bars- ▁desire- ▁ju- ▁slope- ▁brick- ▁cups- ▁artiste- ▁resting- ok- ▁nag- ut- ▁nut- ▁booked- ▁messages- ▁desserts- ▁Zi- ▁drums- ▁abs- ▁La- ▁pages- ver- ▁driven- maths- ▁outdoors- ▁powers- ▁burgers- ▁doll- ▁input- ▁piss- ▁Ka- ▁refresh- ▁draft- York- like- India- Kitty- ▁sexual- Gai- ▁recruit- ▁Android- ▁PayLah- ▁PayNow- ▁detention- ▁flirt- ▁french- ▁graduating- ▁horizontal- ▁relatable- ▁turkey- ▁Tekka- ▁rainbow- ▁sesame- ▁scrub- ▁filial- ▁sunblock- ▁computing- ▁several- ▁pram- ▁sunrise- ▁Festival- ▁membership- ▁bedroom- ▁therapy- ▁Merlion- ▁pageant- ▁Katong- ▁Museum- ▁pian- ▁disk- ▁Gong- ▁destroyed- ▁unable- ▁sponsored- ▁greatest- ▁enjoyment- ▁heaty- ▁boom- Chan- ▁pandan- ▁Fort- ▁matcha- ▁tricks- ▁strands- ho- hi- ▁risky- ▁picky- ▁applying- ig- ▁sc- ▁generations- fi- ▁includes- ▁fr- ▁danger- ▁flavor- ▁peanut- ▁supplement- ▁achievement- ▁vendor- ▁feature- ▁tears- ▁novel- ▁drum- ▁resource- ▁states- ▁engages- ▁piranhas- ▁signed- ▁albums- ▁Teh- ▁bikes- ▁worms- ▁needy- ▁norm- ▁finishing- un- ping- ▁friendships- ▁recipes- ▁liver- ▁heights- ▁Malays- ▁trends- x- ▁info- ▁absorb- ▁stole- ▁bald- ▁consume- ▁convince- ▁cramp- Plaza- New- ▁mash- ▁vague- nua- ▁merge- ▁Eddie- ▁Labrador- ▁Argus- ▁circuit- ▁explanation- ▁fountain- ▁helicopter- ▁matchmaking- ▁mischievous- ▁necessity- ▁polytechnic- ▁rectangular- ▁squash- ▁surgeon- ▁wavelength- ▁desktop- ▁orchard- ▁spouse- ▁biology- ▁rugby- ▁squiggly- ▁Finland- ▁Justin- ▁furthermore- ▁retarded- ▁sufficient- ▁assist- ▁William- ▁posture- ▁Pearlyn- ▁stroller- ▁flu- One- ▁River- ▁cashless- ▁Central- ▁canvas- ▁tide- ▁Iron- ▁Sushi- ▁frequently- ▁Street- ▁chio- ▁Siew- ▁genuinely- ▁authority- ▁Singa- ▁reserved- ▁goreng- ▁horn- ▁nest- ▁existed- kan- ▁charger- ▁entered- ▁noises- ▁noticed- ard- ▁balanced- ▁Men- ▁mice- ▁rep- ▁crossing- ▁rings- ▁em- ▁Maya- ▁archetypes- As- ▁Kay- ▁Clementi- ▁cu- ▁aging- ▁Don- ▁pose- ▁regards- ▁mint- ▁nightmare- ▁organization- ▁mi- ▁spec- ▁Swensen- ▁indoor- ▁effects- ▁nugget- ▁citizen- ▁buck- ▁Hua- ▁sia- ▁voices- pe- ▁x- ▁sided- ▁banks- ▁Far- ▁We- ▁vi- ▁doctors- ▁tracks- ▁hates- ▁sup- ▁comics- ▁teams- kut- ▁planet- be- ▁cos- ▁chee- ▁prince- ▁resolve- ▁associate- eight- ▁arrive- ▁abandon- Ahmad- ▁Alex- ▁cringe- ▁artificial- ▁Rome- ▁economical- ▁Arab- ▁volcano- ▁graph- ▁cheerful- ▁transit- ▁Charmaine- ▁Chemistry- ▁Eurasian- ▁Hindu- ▁History- ▁Literature- ▁ancient- ▁bluff- ▁continuing- ▁courtesy- ▁deposit- ▁heavily- ▁hilarious- ▁irrelevant- ▁ketchup- ▁mahjong- ▁oriented- ▁poverty- ▁premium- ▁sponge- ▁spontaneous- ▁superior- ▁suspicious- ▁swallow- ▁thieves- ▁varieties- ▁wheelchair- ▁ignorant- ▁Tekong- ▁thirties- box- ▁Universal- ▁fiber- ▁boundaries- ▁Michelin- ▁scoreboard- ▁sensor- ▁subway- ▁dread- ▁league- ▁Giant- ▁Busan- ▁Autumn- ▁tuna- ▁reflection- ▁Snow- ▁humanities- ▁mister- ▁electrical- ▁nineties- ▁dried- ▁highway- ▁Nex- ▁yummy- ▁bakery- ▁splash- ▁politically- five- ▁talkative- ▁appeared- ▁selfie- ▁op- ▁sixth- ▁internships- ▁fucking- ▁el- ▁striped- ▁chosen- ju- ▁Ya- ▁settled- ▁killer- ▁attacking- ▁grave- ▁str- ▁touched- ▁spam- ▁ri- ▁interpret- bao- ▁banking- ▁weekly- ▁ding- ▁Sha- ▁dolls- ▁abit- ▁partly- ▁butchers- ▁dr- Foo- ▁mentor- ▁dinosaur- ▁strip- ▁technique- ▁cabinet- ▁alien- ▁cultures- Jun- ▁gu- ▁eco- ▁millennials- ▁Ru- ▁Sim- ▁sorts- ▁tastes- har- ▁ni- ier- En- ▁whales- ▁finals- ▁vehicles- ▁pi- ▁condemn- ▁suspect- League- Wave- Wild- ▁impress- Wan- ▁insist- ▁urgent- ▁clinic- ▁saliva- ▁champion- ▁Excel- ▁Geography- ▁Spencer- ▁armpit- ▁aspire- ▁capacity- ▁carefree- ▁classify- ▁english- ▁existence- ▁leather- ▁lounge- ▁portfolio- ▁refill- ▁replied- ▁sarcasm- ▁scenic- ▁scientific- ▁specify- ▁television- ▁underground- ▁wrestling- ▁skating- ▁mineral- ▁Head- ▁macaroni- ▁vulgarities- ▁junction- ▁companionship- ▁vulgar- ▁papaya- ▁Sylvia- ▁marine- ▁bodies- ▁moisturizer- cuba- ▁subsequently- ▁Zoo- ▁miserly- ▁replacement- ▁bruh- ▁digest- ▁insert- ▁suggestion- ▁Kovan- ▁roadside- Tai- ▁alert- ▁Coke- ▁cherish- ▁Feng- ▁manpower- ▁beast- ▁Hub- ▁Hotel- ▁hong- ▁contractor- ▁considerate- ▁shaking- ▁proof- ▁dye- ▁conditions- ▁How- Shan- ▁Taylor- ▁maggie- ▁sweater- ▁associated- ▁United- ▁strongest- ▁twen- ▁ballet- chi- ▁Dion- ▁determined- ▁Lay- ▁swap- ▁teen- ▁contented- ▁shitting- ▁richer- ▁cave- ▁entirely- ▁costly- ▁outline- ▁sim- ▁dressed- ▁Ho- ▁wished- ▁pricey- ▁rational- ▁alias- ▁stats- ag- ▁neat- ▁han- ▁needle- ▁officers- ized- ▁crabs- ▁layers- ▁contacts- wan- ▁inch- ▁foodie- ▁kit- ▁jo- ▁Chan- ▁dealing- ▁bullet- ▁spike- ▁aesthetic- ▁sole- ▁costume- ▁squat- ▁farmer- ▁goodie- ▁audit- ful- light- ▁accumulate- ▁citizens- ▁tourists- ▁slots- ▁owl- ▁kor- ▁academics- ▁gr- ▁meters- ▁pancakes- ▁tho- Wet- ▁electronics- ▁publish- ▁brief- ▁consult- ▁poison- link- Penyet- ▁wealth- Malam- ▁absolute- ▁initial- ▁spiritual- ▁pau- ▁boots- ▁crawl- ▁villa- ▁tragic- ▁automatic- ▁Ganesh- ▁Jollibee- ▁MacBook- ▁Police- ▁Spain- ▁Spanish- ▁Toyota- ▁apron- ▁bastard- ▁cabbage- ▁carnival- ▁defense- ▁disabled- ▁dungeon- ▁elsewhere- ▁metaphor- ▁monsoon- ▁octopus- ▁parallel- ▁philosophical- ▁reputation- ▁technologies- ▁thirtieth- ▁Bandung- ▁Potong- ▁coding- ▁favour- ▁kanchiong- ▁Laneige- ▁Nanyang- ▁autistic- ▁counselling- ▁decorative- ▁shortcut- ▁trekking- ▁tummy- ▁turquoise- ▁Jason- ▁translation- ▁Temasek- ▁carpet- ▁Winnie- ▁ceremony- ▁Hollywood- ▁shield- ▁waist- ▁executive- ▁Arsenal- ▁spinning- ▁partially- ▁priest- ▁fluffy- Batok- ▁Audi- ▁steady- ▁speechless- ▁David- ▁racing- ▁nick- ▁cutlet- ▁strive- ▁shallow- ▁rebel- ▁offended- ▁condensed- ▁takeaway- ▁Romeo- ▁timetable- ▁Yuan- ▁Joy- ▁fryer- ▁warning- ▁temper- ▁rallying- ▁heavier- ▁haha- ▁cai- ▁heroes- ▁hunter- ▁spiders- ▁required- ▁loop- ▁fastest- ▁bathing- ▁Xin- ey- ▁ongoing- ▁instruments- ▁tied- ▁toddler- ist- ▁incorporate- ▁Ray- ▁Chi- ▁led- ▁lied- ned- ▁tooth- ▁cooler- ▁habits- ▁tested- ▁pushed- ▁Shu- ▁concepts- ▁lotion- ▁eve- dy- ▁Tim- ▁urban- ▁figurines- ad- ant- ▁bl- ▁redo- ▁trunks- ▁Egypt- ▁beliefs- ▁Jian- ▁lecturers- ▁beats- ▁root- ▁poem- rry- ▁contain- ▁pigeon- ▁scholar- ▁twin- ▁logistic- ▁described- ▁novels- ▁magazines- ▁fo- ▁practic- ▁museums- ▁stab- ▁soil- ▁instructions- ▁roles- ▁ji- ▁pr- ▁rag- king- cause- pan- ▁pun- ▁accounts- ▁nor- ▁drown- ▁reverse- ▁assess- ▁drift- ▁desert- ▁punish- ▁millions- ▁bulk- ▁intellectual- ▁frank- ineapple- Tau- ▁prime- ▁advertise- ▁Beijing- ▁BreadTalk- ▁Koufu- ▁Mookata- ▁Telegram- ▁alpha- ▁dialysis- ▁embrace- ▁heirloom- ▁irresponsible- ▁navy- ▁nuisance- ▁exclusive- ▁genius- ▁hardcore- ▁swipe- ▁faux- ▁Suzuki- ▁Superga- ▁diverse- ▁spectrum- ▁reliable- ▁Sharon- ▁assistance- ▁hopping- ▁pinpoint- ▁bacon- ▁macam- ▁mingle- ▁ordinary- ▁distinction- ▁tendency- ▁Coffee- ▁Sierra- ▁oval- ▁nursery- ▁cashier- ▁underwear- ▁coke- ▁simi- ▁cardboard- ▁regretted- ▁fatter- ▁rape- ▁memorize- ▁Airport- ▁beforehand- ▁individually- ▁folded- ▁malay- ▁bonded- ▁touristy- ▁mold- ▁delaying- ▁pinch- ▁released- ▁scored- ▁frying- rs- ▁attachments- ▁graded- ▁cl- ▁African- ▁storey- ▁gum- ▁worthy- ▁rounds- ▁rats- Gardens- ▁backup- ▁Lei- dai- ▁seasoning- ▁Mel- per- ▁treats- ▁prob- saw- ko- ▁noted- ▁Le- ▁dreaming- ▁winner- ▁recommendation- ▁criminal- ▁classical- ▁lap- ▁pamper- ▁employee- ▁tarts- ▁millennial- ▁differ- ▁worm- ▁logistics- ▁queueing- ▁pas- ▁st- ▁knees- ▁equals- ▁starter- ▁nuggets- ze- ▁whe- cy- ▁Ping- ▁outer- ▁scares- ▁stocks- ▁ooh- ba- ▁olives- ▁beans- ▁tattoos- ▁biting- ▁defend- ▁shoots- ▁imp- ▁whoo- ▁vege- ▁appeal- ▁tolerate- ▁renovate- ▁confuse- ▁implement- ▁invent- Silver- Bean- <- ▁newspapers- ▁stain- ▁overlook- ▁latte- ▁bronze- ▁unfortunate- ▁critical- ▁buff- ▁juniors- oreal- ▁Jonathan- ▁Microsoft- ▁Nokia- ▁Okinawa- ▁Starhub- ▁asthma- ▁cholesterol- ▁conducive- ▁contributing- ▁differentiate- ▁distant- ▁division- ▁duration- ▁emperor- ▁enemies- ▁exotic- ▁immature- ▁investigate- ▁jersey- ▁piercing- ▁prioritise- ▁sardine- ▁tolerance- ▁Buddhist- ▁Doctor- ▁Prime- ▁hammer- ▁reddish- ▁subscription- ▁terrorist- ▁venue- ▁wrist- ▁Osaka- ▁compound- ▁niche- ▁Duel- ▁defence- ▁unicycle- ▁Puma- ▁indecisive- ▁Lisa- ▁Bollywood- ▁Macau- ▁Oreo- ▁numb- ▁comfortably- ▁recap- ▁Geraldine- ▁fought- ▁amazed- ▁apologise- ▁Spine- ▁wireless- ▁Jessie- ▁dairy- ▁stability- ▁promoting- ▁mechanic- ▁shiny- ▁photographer- ▁slight- ▁hotter- Panther- ▁League- ▁tilted- ▁Gold- ▁lian- ▁Mary- ▁alot- ▁agreement- ▁requested- ▁poker- ▁torn- ▁Kitty- ▁carefully- ▁thicker- ▁ranger- ▁campus- ▁herring- ▁spine- ▁entertaining- ▁paddle- ▁chewing- ▁shouted- ▁supplies- ▁vacuuming- ▁sporty- ▁ticking- ▁accomplished- ▁expressed- ▁appreciated- ▁sharks- ▁pressing- ▁import- Fung- ▁lotus- ▁torture- ▁treating- ▁te- ▁rage- ▁obstacles- ▁deeds- ▁tilt- ▁parenting- ▁caps- ▁courts- ▁ow- ▁Ku- Wong- ▁bug- ▁placed- having- ▁hut- ▁owning- ▁lighting- ▁lag- ▁elements- ▁spark- ▁ponytail- ▁clue- ▁crocodile- ▁composition- ▁deadline- ▁bundle- ▁qualification- ▁sample- ▁dolphin- ▁Lao- ui- ▁fasting- ▁Uh- ▁singers- va- ▁minimal- ▁tart- nce- ei- ▁chart- ▁ke- cted- ▁swee- day- ▁peers- ▁pic- ▁De- ated- ke- ▁Sec- ▁indicate- ▁witness- ▁roast- ▁neglect- ▁tee- Ghaut- Simon- ▁distinct- ▁expert- ▁Ngee- ▁Adobe- ▁Amsterdam- ▁California- ▁Dakota- ▁Teochew- ▁Vegas- ▁acapella- ▁agenda- ▁altogether- ▁arguing- ▁dementia- ▁experiencing- ▁horoscope- ▁housewife- ▁immune- ▁injury- ▁pincer- ▁preparation- ▁protagonist- ▁remedial- ▁supernatural- ▁underrated- ▁viral- ▁wisdom- ▁withdraw- ▁yishun- ▁abroad- ▁committee- ▁hectic- ▁microwave- ▁stagnant- ▁tactic- ▁Tanglin- ▁orphanage- ▁vanilla- ▁railway- ▁Phantom- ▁interchange- ▁pasir- ▁stewardess- ▁parade- ▁Islam- ▁Somerset- ▁blade- ▁visible- ▁Thomson- ▁temporary- ▁animate- ▁Cube- ▁cruel- ▁Prison- ▁speechlessness- ▁monk- ▁villain- ▁du- ▁iconic- ▁medal- ▁overhead- ▁assembly- ▁naan- ▁Studies- ▁tete- ▁Lady- ▁kidney- ▁Kelly- ▁compo- ▁freezing- ▁binge- ▁humanity- ▁surrounded- ▁polo- ▁chatting- ▁passive- ▁bumper- ▁sci- ▁peo- ▁Song- ▁fallen- ▁biased- ▁Peter- ▁bid- ▁promoter- ▁privileged- ▁Steven- ▁remem- ▁broth- ▁Dan- ▁asset- ▁Russian- ▁flavoured- ▁weaker- ▁Sarah- ▁smallest- ▁ethical- ▁softly- ▁judged- ▁gardening- ▁lacking- ▁divided- ▁guessed- ▁weights- ▁soci- ▁attending- ▁dressing- ▁backwards- ▁nat- ▁confirmed- ▁followers- ▁methods- uhthe- ▁bass- ised- ▁masters- ▁stigma- ▁Re- ▁web- ▁overly- ▁qua- ▁camps- ster- ▁stations- ▁commitments- ▁soak- ▁gi- ▁ab- ▁tablet- ao- Yai- ▁Fa- bi- ▁fundamental- ▁bins- ▁characteristic- ▁candle- ▁element- bo- ▁insect- ▁intrigue- ▁nowaday- yu- ▁cookie- ▁aliens- ▁Go- ▁accidents- ▁ships- ▁ki- ▁Hill- ▁weddings- ial- ▁ro- land- ▁weigh- yo- ▁Lit- ▁bands- ying- ▁shots- ▁flop- ▁ga- di- iest- ▁gana- ▁ed- ▁chemicals- ▁resign- made- ▁thread- ▁brows- ▁polish- ▁Chu- ▁profession- Barrage- prata- ▁staple- Hong- ▁coast- ▁Captain- ▁Channel- ▁Adventure- ▁Bitcoin- ▁Claudia- ▁Ernest- ▁Internet- ▁Kanken- ▁Nintendo- ▁Standard- ▁alumni- ▁anxious- ▁automated- ▁calendar- ▁celebrities- ▁creativity- ▁cubicle- ▁facility- ▁gesture- ▁hummus- ▁mandatory- ▁parasol- ▁rewind- ▁rinse- ▁shadow- ▁tertiary- ▁unknown- ▁vampire- ▁Belgium- ▁Benjamin- ▁hotpot- ▁psychological- ▁abusive- ▁maturity- ▁tedious- ▁Friends- ▁fifties- ▁Thomas- ▁crystal- ▁scientist- ▁Anonymous- ▁juggle- ▁tempted- ▁Genki- ▁laser- ▁acne- ▁selection- ▁species- ▁static- ▁stationary- ▁litter- ▁protection- ▁sustainable- ▁hangout- ▁hind- ▁carbs- ▁Story- ▁fatty- ▁Silver- ▁cutter- ▁wana- ▁Five- Ann- ▁Village- ▁standby- ▁mock- ▁outfield- ▁credits- ▁kayaking- ▁lull- ▁Bank- ▁pointless- Yum- ▁trans- ▁wisely- ▁invested- ▁tryna- ▁represents- ▁achieved- ▁proven- ▁alley- ▁safest- ▁noob- ▁kaya- ▁creamy- ▁lifting- ▁Care- ▁inspires- ▁Bo- ▁thousands- ▁drying- ▁wat- ▁bull- ▁comp- ▁mixing- ▁turner- ▁Jen- ▁continued- ▁importantly- ▁explaining- ▁blast- ▁user- ▁gifts- ▁sin- ▁The- ▁mon- ban- ▁smells- Ming- book- ▁warrior- ▁examination- ▁Game- ▁affair- ▁device- ▁rhyme- ▁earring- ▁Pa- ▁piranha- ▁En- ▁prayers- ▁des- ▁tele- ▁falls- ▁chapters- ▁compet- ▁machines- ber- ▁mug- ▁hotels- ▁Ris- ▁aid- ▁Xi- lly- ▁zi- ▁sacrifices- ▁kan- ana- ji- ▁linked- ul- ▁gem- ▁temp- ▁grind- ▁greet- ▁rail- ▁align- ▁defeat- ▁strain- Loong- Heng- Yuan- ▁creep- ▁definite- Long- ▁fond- ▁Stephen- ▁Zouk- ▁Bhutan- ▁Khao- ▁Kosong- ▁Lazada- ▁Messi- ▁Pakistan- ▁Tribute- ▁Uncle- ▁ambiguous- ▁ambulance- ▁asshole- ▁assumption- ▁categories- ▁century- ▁cleanliness- ▁climate- ▁cluster- ▁disadvantage- ▁earthquake- ▁fattening- ▁foresight- ▁gigantic- ▁haystack- ▁inflation- ▁libraries- ▁milkshake- ▁multitask- ▁paragraph- ▁plenty- ▁reservoir- ▁seminar- ▁syrup- ▁themself- ▁transaction- ▁transcript- ▁wardrobe- ▁Samuel- ▁boast- ▁clap- ▁gauge- ▁granddaughter- ▁trimming- ▁unsure- ▁Skype- ▁Tony- ▁brunch- ▁relief- ▁unemployed- ▁receptionist- ▁stiff- ▁Bayfront- ▁harmony- ▁meditation- ▁analysis- ▁muddy- ▁obligation- ▁popiah- ▁scariest- ▁cohort- ▁illness- ▁prior- ▁rising- ▁Wanton- ▁cancelled- ▁zao- ▁Beauty- ▁Keith- ▁preferably- ▁recce- ▁serial- ▁Alice- ▁console- ▁dual- ▁personalities- ▁peop- ▁Angel- deciding- ▁pillar- ▁Cold- ▁Xuan- ▁Parade- ▁merit- ▁prone- ▁Wang- ▁overthinking- ▁tension- ▁doggo- ▁Dota- ▁Tru- ▁discovered- ▁secretly- ▁outgoing- ▁jealousy- ▁Raya- ▁suggested- ▁converted- rilyn- ▁sexy- ▁barking- ▁upside- ▁stem- ▁stalking- ▁positively- ▁hired- ▁pipe- Rangers- ▁announce- ▁floating- ▁cartoons- ▁existing- ▁warming- ▁marinate- ▁respectful- ▁shaped- ▁rounded- La- ▁advocate- ▁hence- ily- ▁seated- ▁mistaken- lin- ▁Bu- ▁returning- ▁ted- ▁glue- ▁cows- ▁prelims- if- ▁Girls- char- ▁listeners- ▁creatures- ▁tu- ▁handed- ▁charm- ▁believed- ▁Eve- ▁forum- ▁penguins- ▁lasted- ▁gong- ▁beg- ▁careless- ization- ▁zoom- ▁directions- ▁digg- ▁posters- ▁apa- ▁squirrel- ▁tale- ▁beginner- ▁drone- ▁aged- ▁kitten- ▁ambition- ▁honour- ▁folk- ▁Philippine- ▁YouTuber- tion- ide- ▁visitor- op- Ho- ▁Or- ▁dancer- ▁gram- ▁Las- ▁packs- ▁tool- Pa- ▁ko- ▁miles- peh- eo- ▁cam- ▁format- ▁concerns- cha- fun- ▁ty- rebus- ▁pri- ▁Glen- ▁z- park- ▁emphasize- Clinton- ▁flesh- Parade- Square- English- Year- Master- ▁Premier- Lian- ▁stitch- ▁Hawaii- ▁dang- ▁contest- ▁Amanda- ▁Lamborghini- ▁Marsiling- ▁Mooncake- ▁Munafik- ▁Vivian- ▁blossom- ▁breeze- ▁broccoli- ▁charcoal- ▁dictionary- ▁exploring- ▁extension- ▁google- ▁grandchildren- ▁hierarchy- ▁invisibility- ▁kallang- ▁lettuce- ▁outstanding- ▁palace- ▁principle- ▁savvy- ▁trombone- ▁unlimited- ▁virtual- ▁whisper- ▁workload- ▁Pacific- ▁Robert- ▁Taurus- ▁luxurious- ▁northern- ▁Alicia- ▁Sony- ▁architecture- ▁ninth- ▁padlock- ▁probability- ▁StarHub- ▁tekan- ▁Mexican- ▁rollercoaster- ▁identified- ▁batak- ▁certification- ▁miserable- ▁vocabulary- ▁Marine- ▁Novena- ▁dwell- ▁storage- ▁Tanjong- ▁impactful- ▁landmark- ▁Kimchi- ▁mike- ▁Jerome- ▁attendance- ▁Primary- ▁spiderman- ▁Ocean- ▁pax- ▁wiping- ▁yolo- ▁caption- ▁Emma- ▁Mission- ▁Royal- ▁bleeding- ▁Jenny- ▁vegan- ▁Poke- ▁Prata- ▁overwhelming- ▁Light- ▁forgotten- ▁Jerry- ▁frankly- ▁accomplishment- ▁tuck- ▁Goreng- ▁preferred- ▁employed- ▁barefooted- ▁handmade- ▁bulky- ▁Cher- ▁malaysia- ▁artistic- ▁abandoned- ▁renovated- ▁Marche- ▁reciprocate- ▁expired- ▁Nine- ▁disappeared- ▁Mao- ▁combat- ▁darkness- ▁cargo- ▁backside- ▁signing- Men- ▁Appa- ▁lemak- ▁recognised- ▁compensate- ▁Shen- ▁manners- ▁weirdest- ▁seventh- ▁epic- Glory- ▁Kang- ▁Po- ied- ▁catcher- ▁fighter- ▁heater- ▁Sri- ▁improved- ▁Bob- ▁drawer- ▁spy- ▁estimate- ▁charged- ▁wi- ▁rim- ▁relaxed- ack- ▁siam- ▁Lau- Ying- ▁timeline- ac- ▁cater- ▁generate- ▁sneakers- ▁belongs- ▁gloves- ▁trainers- ger- ▁Ross- ▁Australian- ▁ironic- mi- ▁jars- ▁Jan- ▁flights- gong- ▁collectors- ir- ▁Ro- ▁acts- ▁gadgets- ▁malam- ▁pigs- cal- ries- ye- ating- ▁Cha- ▁thr- ▁stake- ▁storybook- ▁puzzle- ▁passage- ▁employer- ▁kaki- ▁grape- ▁belonging- ▁spectacle- ▁misunderstand- Asian- ▁alter- ▁hah- ities- ▁pla- ▁caused- ▁Sal- ach- ▁gamer- ▁carbo- war- ▁melts- ▁Kit- sha- ▁swings- ▁elders- ▁sip- ▁hap- ▁shame- ▁fits- lu- ▁colors- ▁expir- ▁surround- ▁Leo- ▁tidy- ▁emcee- ▁rally- ▁Tang- ▁attach- ▁educate- cetera- Jackson- Junior- Xuan- Chong- Zhi- Poly- ▁Nepal- peng- ▁continent- ▁wok- ▁Swee- ▁excess- ▁neuro- ▁Airbnb- ▁Annabelle- ▁Argentina- ▁Fila- ▁GoPro- ▁Marcus- ▁Neopets- ▁Rihanna- ▁Sanchez- ▁Seletar- ▁Volkswagen- ▁adorable- ▁aerospace- ▁avenue- ▁bargain- ▁bathtub- ▁behavior- ▁cocoa- ▁comprehension- ▁diarrhoea- ▁energetic- ▁kiosk- ▁multiracial- ▁negativity- ▁puberty- ▁pyramid- ▁receipt- ▁repetitive- ▁reunion- ▁singlish- ▁testimonial- ▁trampoline- ▁tribute- ▁unreasonable- ▁unstable- ▁vinegar- ▁Chope- ▁Silat- ▁Zalora- ▁floral- ▁nuclear- ▁scanner- ▁Safra- ▁consistency- ▁Greek- ▁haircut- ▁riot- ▁steel- ▁Akash- ▁Grace- ▁Queen- ▁cumin- ▁laziness- ▁serum- ▁Scandinavia- ▁survival- ▁Lorong- ▁Running- ▁tinder- ▁detective- ▁restart- ▁savory- ▁bojio- ▁Shakespeare- ▁stray- ▁naive- ▁Taiwanese- ▁couch- ▁lump- ▁woohoo- ▁legitimate- ▁cotton- ▁lava- ▁xiao- ▁Ralph- ▁qualified- ▁fox- ▁bible- ▁Sonia- ▁skyline- ▁hiring- ▁Republic- ▁Kids- ▁hassle- ▁epok- ▁bathroom- ▁ashes- Panjang- ▁clan- ▁hugging- ▁Wall- ▁Market- ▁classified- ▁parasailing- ▁Fei- ▁motivational- ▁thankfully- ▁catered- ▁remembering- ▁Mid- ▁deserted- ▁Yang- ▁Wee- ▁upcoming- ▁mage- ▁convinced- ▁fulfilled- ▁Fish- ▁pastry- mail- ▁Hip- ▁organised- ▁accordingly- ▁porn- ▁introverted- ▁kiap- ▁topless- ▁breakup- ▁union- ray- ▁businesses- ▁editing- Tan- ▁Joey- ▁introduced- ▁punching- ▁blindly- ▁stealing- ▁Mile- ▁guns- ▁comb- ▁swinging- ▁Americans- ▁fairly- ▁colder- ▁coaching- mack- ▁targeting- ▁rented- ▁solar- ▁jumped- ▁pon- ▁sized- ▁filming- ▁Fai- ▁prim- wa- ▁fields- ▁br- ▁regional- ▁eighth- ▁brains- der- ▁disc- ▁chao- ▁rows- ▁diagnose- ▁cupcakes- ▁beng- ▁earphones- ▁Gu- ▁metres- ▁units- ▁codes- ▁sheeps- ▁Min- ▁smokers- ▁basics- ▁plump- ▁tools- ▁Sea- kio- ▁complaints- ▁earrings- ci- ▁outlets- ley- ▁Be- ▁investments- ▁scout- ▁curtain- ▁decoration- ▁negotiable- ▁document- ▁gadget- ▁penguin- ▁Boy- ick- ▁expense- ▁joker- ▁clo- ▁smoker- ▁idols- ▁pat- ▁requirements- ina- ▁entrepreneur- istic- ▁acquire- ▁Do- gu- master- ▁blond- ▁MacDonalds- ▁heel- ▁eater- Li- ▁toilets- ▁bonds- ▁sentiment- ▁interrupt- ▁Steve- ▁Shaw- ▁demolish- ▁compose- food- ▁kayak- ▁emphasis- ▁assign- ▁launch- ▁barefoot- Smith- Stadium- Goreng- Street- ▁Grand- Hill- ▁crunch- ▁Latin- padi- Dai- ▁steep- Link- ▁witch- ▁confide- ▁Super- ▁ethnic- ▁Alaska- ▁Avenue- ▁Croatia- ▁Eunos- ▁Joshua- ▁Mecca- ▁Sabrina- ▁Samantha- ▁Takoyaki- ▁Water- ▁aluminium- ▁arcade- ▁bacteria- ▁bazaar- ▁billionaire- ▁capsule- ▁caravan- ▁controversies- ▁deodorant- ▁domestic- ▁engaging- ▁escort- ▁eyeliner- ▁fraud- ▁frisbee- ▁impromptu- ▁inclusive- ▁instagram- ▁jurong- ▁messaging- ▁modify- ▁motive- ▁nevertheless- ▁occupation- ▁possibilities- ▁pretentious- ▁receiving- ▁reservation- ▁showcase- ▁stereotypical- ▁substitute- ▁tempura- ▁therapeutic- ▁timid- ▁unusual- ▁versatile- ▁comedian- ▁dialogue- ▁earliest- ▁summon- ▁attire- ▁Blackshot- ▁Blue- ▁clown- ▁kiwi- ▁virgin- ▁Andy- ▁plaster- ▁Jakarta- ▁bankrupt- ▁compile- ▁Coca- ▁election- ▁bluish- ▁lucid- ▁Nicole- ▁Venice- ▁aloe- ▁Charlie- ▁Wendy- ▁capabilities- ▁modified- ▁Charles- ▁banned- ▁favor- ▁urine- ▁layout- ▁Henry- ▁legacy- ▁mocha- ▁laid- ▁Superman- ▁washroom- ▁overpriced- ▁ease- ▁Halal- kali- ▁wax- ▁Missus- ▁Mitch- ▁capability- ▁sleeveless- ▁floorball- ▁blink- ▁Tiger- ▁pores- ▁rejection- ▁flush- ▁Trump- ▁Siti- ▁progression- ▁assam- ▁retriever- ▁consistently- ▁Cheng- ▁hai- ▁bookshop- ▁wealthy- ▁cui- ▁visually- ▁Forty- ▁naps- ▁obedient- wen- ▁Eleven- ▁hyper- ▁Sang- ▁mindful- ▁Bang- ▁bitten- ▁separately- ▁dresses- ▁Val- ▁pao- ▁delayed- ▁Bad- ▁deleted- ▁registered- ▁pastel- ▁bay- ▁yellowish- ▁arranged- ▁promoted- ▁migrated- ▁Land- ▁contributed- ▁downloaded- ▁directed- ▁windy- ▁solved- au- ▁cease- ou- ged- ▁calming- ▁ob- ▁wasabi- ▁designs- ▁lu- ▁contacted- ita- ▁Bears- ▁supporter- ▁investing- ▁cleared- ▁Nan- siew- ▁ancestors- ▁tackle- fan- ▁renting- ▁smelling- ▁Per- six- ▁def- ▁begins- ▁circled- ata- ▁ram- ▁glu- mation- ▁boarding- ▁tiles- Asia- ability- dey- bit- les- Pok- ▁revis- ▁biscuits- ten- ▁heading- ▁rappers- ▁Boys- her- ▁Han- ▁storm- zz- ▁Qi- ▁involves- tro- ▁candles- ▁vet- ▁holds- ▁efforts- ▁Ed- ▁originate- ▁limits- ▁Bel- our- ▁vera- ▁fe- ▁tease- ▁expire- ▁vendors- ▁milestone- ▁landscape- ▁ano- side- ▁Master- ice- ▁alphabet- ▁statue- ▁minister- ▁Legend- ▁airline- ▁consumer- ▁lastly- ▁rapper- ▁teenager- ▁belief- ▁Tu- ging- ▁downstair- ▁occur- ▁shades- ku- ▁Christ- ▁backstab- ▁defer- mai- ▁arguments- ▁writer- ▁flap- while- ▁memes- cai- ▁He- use- ▁sigh- fe- ▁volunteers- ▁sources- ▁San- ▁dri- ification- ship- ▁Mos- ▁Co- ▁tunnel- ▁Break- ▁employ- ▁choke- ▁explode- ▁perceive- ▁conquer- ▁discard- ▁approve- ▁manipulate- Pooh- ▁transcribe- ▁disrespectful- Kee- ▁shove- ▁trauma- Kai- ▁addition- ▁athletic- ▁Admiralty- ▁Digimon- ▁Eighteen- ▁Eminem- ▁President- ▁Sydney- ▁WeChat- ▁accommodate- ▁aglio- ▁attentive- ▁coleslaw- ▁congrats- ▁consumption- ▁cringy- ▁deaf- ▁district- ▁drumstick- ▁evaporate- ▁expenditure- ▁gantry- ▁hummingbird- ▁hypocrite- ▁inconvenient- ▁instinct- ▁intuition- ▁irrational- ▁policies- ▁pricing- ▁purplish- ▁servant- ▁skeptical- ▁surviving- ▁syndrome- ▁terrace- ▁turret- ▁wedges- ▁Angkor- ▁Ellen- ▁Hanoi- ▁Ofo- ▁Rebecca- ▁increasing- ▁outdated- ▁pursuit- ▁Heartland- ▁association- ▁psychologist- ▁unpredictable- ▁Yates- ▁manufacturing- ▁index- ▁botak- ▁quantity- ▁Marco- ▁runner- ▁memorising- ▁obsession- ▁ferment- ▁lamppost- ▁balm- ▁Tuas- ▁Frank- ▁announcement- ▁penalty- ▁Nyonya- ▁leverage- ▁Monkey- ▁stroke- ▁font- ▁token- ▁massive- ▁chopping- ▁wheat- ▁kiasi- ▁optimistic- ▁mochi- ▁subtle- ▁embarrassment- ▁secretary- ▁smartphone- ▁wives- ▁Arabic- ▁bold- ▁popping- ▁sync- ▁curb- ▁summary- ▁kacang- ▁Catholic- ▁continuously- ▁Mio- ▁reuse- ▁colorful- ▁problematic- ▁Tower- Centre- ▁Hsien- ▁Jackie- ▁fussy- ▁counsellor- ▁koi- ▁wastage- ▁countryside- ▁worn- ▁longkang- ▁Junior- ▁Clinton- ▁revolve- ▁cetera- ▁Rong- ▁Eastern- Schooling- Tong- ▁quitting- ▁handful- ▁Eric- ▁sewing- ▁knowledgeable- Tay- ▁walkway- ▁petty- ▁outlook- ▁disappointing- ▁monkeys- ▁Mama- ▁instantly- ▁Breaking- ▁Maggie- ▁smoothly- ▁Pong- ▁tailor- ▁Lord- ▁payout- ▁encountered- ▁updated- ▁refreshing- ▁typically- ▁warmer- ▁intended- ▁protected- ▁Potter- ▁ideally- ite- ▁shorten- ▁dull- ▁checkup- ▁borrowed- ▁tougher- ▁sheltered- ▁reported- ▁tau- ▁removed- ▁hoop- ▁tenth- ▁prisoner- pped- ▁pearls- ▁dough- Hut- ▁placement- ▁figures- ▁chewy- ▁dash- ▁coasters- tuk- ▁hurting- ▁sentences- ▁promotions- ▁lorh- ▁undergo- let- ▁loans- ▁expressing- ▁opt- ▁cult- ▁pest- ▁meow- ▁Ar- ▁cuisines- ▁mentioning- ▁fireworks- ▁teammates- ▁shi- ▁epi- ▁kang- ▁claims- ▁patterns- ▁programmes- ▁Got- ▁engineers- ▁props- ▁donut- iel- ▁vouchers- ▁overload- ▁watery- ue- ▁interviews- iao- ▁rea- lan- ▁owners- ▁extract- ▁So- ome- ▁systems- ▁faced- ara- ▁metre- can- ▁yearly- ▁terminate- ▁connections- ▁joint- ▁exception- ▁drip- ▁scrape- ▁cre- ▁listing- ▁Fun- ▁scrap- ▁lan- ▁questioning- ▁Mar- ythic- ▁scholars- hipped- hu- ▁reader- ▁col- ▁quotes- ▁strengths- ery- ▁calculation- ▁feather- ▁muffin- ▁restriction- ▁slaves- ▁downward- ▁Bun- ▁handles- ▁sandal- ▁shoulders- ▁exists- od- ▁lac- ▁que- ec- ▁Wu- ▁Ice- ring- ▁Dad- ▁ter- id- ▁Fat- ▁rob- ▁pointer- ▁min- ▁wan- ▁sy- ▁Roman- ▁sua- tai- ▁gut- ▁nieces- uhyou- ▁hun- School- ▁overthink- ▁execute- scape- ▁pierce- Kayu- ▁Louis- America- club- House- ▁rotate- Hao- ▁singlet- ▁gracious- ▁Taufik- ▁Mickey- ▁Beyblade- ▁Clara- ▁Donald- ▁Drake- ▁Eiffel- ▁Kelvin- ▁Natalie- ▁Nigel- ▁PlayStation- ▁Porsche- ▁Sundram- ▁Tamarind- ▁Tamiya- ▁Watson- ▁Zumba- ▁allergy- ▁ambience- ▁balancing- ▁belacan- ▁bimbo- ▁bisque- ▁bouncy- ▁carried- ▁clarify- ▁climax- ▁condominium- ▁decrease- ▁diversity- ▁efficiency- ▁eyelid- ▁fascinate- ▁feast- ▁fickle- ▁filtration- ▁forklift- ▁fortune- ▁increment- ▁infrastructure- ▁mattress- ▁nostalgic- ▁packaging- ▁pollution- ▁pregnancy- ▁prominent- ▁redundant- ▁revenge- ▁scandal- ▁shrink- ▁sneeze- ▁violent- ▁welcoming- ▁Avatar- ▁George- ▁Harvey- ▁Shakti- ▁cyber- ▁enforce- ▁palette- ▁shelves- ▁thinner- ▁vulnerable- ▁Conan- ▁Shangri- ▁creator- ▁Langkawi- ▁cosplay- ▁farewell- ▁literacy- ▁annual- ▁eczema- ▁Simei- ▁typing- ▁collar- ▁variation- ▁impose- ▁miracle- ▁sojourn- ▁hairstyle- ▁journalist- ▁snowball- ▁theories- ▁bedsheet- ▁lasting- ▁digit- ▁injection- ▁foil- ▁supplier- ▁charging- ▁prioritize- ▁refund- ▁gassy- ▁spur- ▁reception- ▁nagging- ▁vain- ▁occupied- ▁revision- ▁signature- ▁flute- ▁cancerous- ▁papa- ▁Harley- ▁squatting- ▁grandson- ▁pathetic- ▁measurement- ▁Melaka- ▁Hitch- ▁subconsciously- ▁ladder- ▁footage- ▁Bible- ▁consecutively- ▁hung- ▁fishcake- ▁Baby- ▁retrenched- Ondeh- anakan- ▁Jeremy- ▁patches- ▁Mario- ▁bookstore- ▁mangoes- ▁Scrabble- ▁affection- ▁investigation- ▁Tsum- ▁snorkeling- ▁relive- ▁restricted- ▁officially- Hall- ▁ballad- ▁cosy- ▁underage- ▁publication- ▁fainted- ▁pang- ▁possessed- ▁Abu- ▁Bao- ▁catering- ▁jie- ▁buyer- mark- ▁ramp- ▁poisoning- ▁dusty- ▁marvel- ▁carton- ▁setup- ▁adopted- ▁shaker- ▁hose- ▁sweaty- ▁vine- ▁pastor- ▁cheering- ▁repeated- ▁pumping- ▁Dim- ▁passes- city- ▁tearing- ure- ▁sooner- Balance- ▁figured- ▁lifted- ▁commonly- ▁printing- ▁Arts- ▁oppose- ▁retrieve- ▁Sundays- ▁caus- ▁essays- ▁organisations- ▁moderate- ▁tri- ▁camel- ▁funds- ▁warn- ▁para- ▁Muslims- ▁wool- ▁statistics- ▁shooter- ▁subtitles- ▁motivates- ▁alpacas- ▁Ji- ▁sounded- ▁morals- ▁tissues- ▁saver- ▁mart- ative- ▁Hall- ug- ▁intentions- ▁lively- ▁comforting- ▁matching- ▁Ne- ▁arc- ▁Chin- ▁covers- ake- ew- ▁Ja- ▁thi- ▁Hwa- ▁mute- ▁mar- ▁sam- ▁reasoning- ▁forces- ▁rot- ▁grapes- ▁dancers- ▁tha- ▁ordering- ▁Tuesdays- ▁devices- ▁rhymes- ▁coun- ▁chocolates- ▁Dee- ▁vo- ▁wordings- ▁dolphins- ▁packets- ▁rebu- ▁pigeons- vert- ▁pl- ▁fellas- ase- ▁whi- sion- po- den- ▁lar- wi- hai- ▁bowls- ▁clothings- con- ▁clam- ▁Scoot- ▁chunk- ▁incentive- ▁rope- ▁attribute- ▁Caucasian- ▁Alia- ▁bud- ▁acquaintance- ▁participant- ▁graphic- ▁electives- ▁earphone- ▁creature- ▁trunk- ▁females- ▁grandparent- ▁flyer- ▁awards- ▁sl- ▁instance- ▁nutrition- don- ▁tra- ▁prom- ▁Sa- ala- ▁tons- ▁Lu- ▁hamsters- ▁touche- chu- ▁swan- ▁relations- ▁via- ▁monsters- lie- ▁poo- ▁Teo- ▁ir- min- ▁hoo- ▁nets- ▁Pin- ▁High- ▁containers- ▁dan- ▁ratio- ▁disappoint- ▁Panda- wood- ▁distribute- ▁cultivate- ▁sneak- ▁exceed- Faber- McCartney- Fingers- Padang- tarik- Hotel- screen- centre- ▁dense- wei- Gaga- ▁swam- ▁fade- Wang- ▁underline- ▁interfere- ▁Sherlock- Soto- ▁Alibaba- ▁Benedict- ▁Cambridge- ▁Dylan- ▁Eunice- ▁Florence- ▁Gordon- ▁Kraken- ▁Kranji- ▁Oliver- ▁Rolex- ▁alarum- ▁autumn- ▁backyard- ▁beancurd- ▁brisk- ▁burrito- ▁butterflies- ▁collaboration- ▁concubine- ▁denim- ▁envelope- ▁esteem- ▁eyesight- ▁frivolous- ▁guidance- ▁heartbroken- ▁intensive- ▁kettle- ▁khaki- ▁lemonade- ▁liberal- ▁magenta- ▁mousse- ▁mundane- ▁muscular- ▁necessities- ▁negotiate- ▁obsolete- ▁prejudice- ▁providing- ▁raccoon- ▁resolution- ▁rhythm- ▁scotch- ▁sequence- ▁slaughter- ▁snail- ▁snatch- ▁staycation- ▁victim- ▁violin- ▁vocab- ▁abnormal- ▁collab- ▁dribble- ▁export- ▁hardware- ▁hollow- ▁jackfruit- ▁permission- ▁royal- ▁unconscious- ▁Brooklyn- ▁Hindi- ▁bouncing- ▁communicating- ▁kebab- ▁romcom- ▁Gucci- ▁Roti- ▁armrest- ▁carbonara- ▁Harbourfront- ▁Kuala- ▁inspect- ▁excitement- ▁Amazon- ▁Coney- ▁convertible- ▁grace- ▁beware- ▁biological- ▁saint- ▁galaxy- ▁inequality- ▁jewelry- ▁proposal- ▁Laksa- ▁Shopee- ▁cement- ▁disappointment- ility- Blyton- ▁Alps- ▁lobby- ▁planner- ▁disability- tinous- ▁chainsaw- ▁paragliding- ▁rapping- ▁Morrie- ▁craze- ▁relating- ▁conventional- ▁Lego- ▁Zul- ▁bullies- ▁impaired- ▁thoroughly- ▁Waterway- ▁unlock- ▁Jess- ▁q- ▁techno- ▁diary- ▁underwater- ▁opinionated- ▁engagement- ▁whine- ▁meditate- ▁specialise- ▁encouragement- ▁bride- ▁Haji- ▁institution- ▁seaside- ▁agar- ▁teamwork- ▁singaporean- ▁conductor- ▁vanish- ▁Loreal- ▁macaroon- ▁Secondary- ▁checkpoint- ▁acceptance- ▁marksman- ▁clingy- ▁eastern- ▁judgemental- ▁popularity- ▁Safari- ▁pastries- ▁brighten- ▁established- ▁intellectually- ▁amuse- ▁dramatic- ▁Holy- ▁Stadium- ▁grasp- ▁becau- ▁mono- ▁policeman- ▁tribe- ▁Rose- ▁Ahmad- ▁carries- ▁Tay- ▁fireman- ▁Lily- ▁mansion- ▁peeping- ▁peep- ▁manageable- ▁expresses- ▁guaranteed- ▁Mike- ▁interactions- ▁drowning- ▁briefing- ▁momentum- ▁trader- ▁consulting- ▁begging- ▁Shawn- ▁captured- ▁herbs- ▁strictly- ▁Kok- ▁fullest- ▁circl- ▁stolen- ▁Ash- ▁successfully- ▁painted- ▁commented- ▁impacted- ▁usage- ▁wider- outhern- ▁leaders- ▁delivering- ▁gown- ▁deeply- ▁safely- ▁positions- ▁disciplined- ▁scratching- ▁Ubin- ▁pronounced- you- ▁freshie- ▁socially- ▁timers- ▁spoiling- ▁siap- ▁tickle- ▁locally- ▁orangey- ▁paints- ▁viewers- ▁Ju- Mall- ▁simpler- ▁forties- ump- ▁Ki- ▁stepp- ▁braces- ▁seeking- ▁processing- ▁laughed- ▁cheapo- ▁boxer- ▁Home- lian- ▁simplest- ▁rumours- ▁dope- mian- ▁darts- ▁Xing- ▁serves- ▁mommy- ▁struggles- ▁Mu- ▁cracks- ▁stinks- ▁Maps- ▁branding- ▁weed- ▁graphics- ▁hints- ▁ribbons- ▁slices- Nila- ▁musicals- ▁alight- nia- Xue- ▁homely- ▁Mer- ▁apologize- fa- ▁chun- ▁sha- halia- ble- ▁kenn- ▁kites- fu- ▁Kan- ▁Na- ▁pampers- ▁differs- ▁decorate- ▁nan- ▁pu- ▁Sum- ▁twins- ▁experiments- ▁scores- nine- ▁Kat- ▁directors- ▁ration- ▁sons- com- Go- ▁estates- ▁crow- ▁notebook- ▁worksheet- ▁Guardian- ▁contribution- ▁Olympic- ▁hotdog- ▁cocktail- ▁regard- ▁headlight- ▁cupcake- ▁ray- ▁filler- ▁Girl- ▁chu- ▁influencers- ▁afterward- ▁jar- ▁tablets- ▁va- ▁appears- ▁listener- ▁realis- ▁fl- ▁Mr- ▁ache- ▁rains- ▁maps- ▁Eni- ▁trades- ▁Harri- aga- oon- ▁markets- ▁cen- ▁communications- ▁econ- Xin- ▁Ring- ▁hits- lving- ▁fro- ▁islands- ▁lizards- ▁turtles- house- ▁sen- point- Jia- ▁convey- ▁lick- ▁allocate- ▁evolve- ▁tangle- ▁dedicate- ▁disrespect- Kiat- ▁addict- carte- Theme- ▁excessive- ▁Sakura- ▁diagonal- Ayer- Xian- Siew- ▁truthful- Your- ▁vocation- ▁Spider- ▁rash- ▁proportion- ▁Carol- Hawk- ▁smash- ▁Alexandra- ▁Antarctica- ▁Balestier- ▁Barcelona- ▁Bryan- ▁Davon- ▁Domino- ▁Elizabeth- ▁Madinah- ▁Maplestory- ▁Mitsubishi- ▁Mountbatten- ▁Odac- ▁Ovaltine- ▁Pioneer- ▁Qatar- ▁Shazlin- ▁Siloso- ▁Spurs- ▁Takashimaya- ▁Under- ▁Uzbek- ▁athlete- ▁bachelor- ▁baggage- ▁beggar- ▁believing- ▁bridesmaid- ▁brilliant- ▁bursary- ▁caffeine- ▁candidate- ▁churros- ▁column- ▁culinary- ▁curfew- ▁curiosity- ▁deviate- ▁diabetic- ▁distinguish- ▁dormitory- ▁grasshopper- ▁handwriting- ▁invitation- ▁jalebi- ▁mandarin- ▁overweight- ▁portrait- ▁premier- ▁producing- ▁pursuing- ▁reputable- ▁sacrificing- ▁shredded- ▁skydive- ▁slanted- ▁societal- ▁spiciness- ▁steroid- ▁stool- ▁superstitious- ▁survivor- ▁syntax- ▁transcribing- ▁transgender- ▁tteokbokki- ▁uncultured- ▁uneasy- ▁unnatural- ▁Valentine- ▁coincidence- ▁eligib- ▁multiplication- ▁outward- ▁starving- ▁Ariana- ▁Jessica- ▁brim- ▁pronouncing- ▁redeem- ▁undeveloped- ▁Chingay- ▁FoodPanda- ▁duties- ▁merchandise- ▁excla- ▁grid- ▁coordination- ▁dynasty- ▁conversion- ▁enthusiastic- ▁flashback- ▁Catherine- ▁Kolo- ▁Samyang- ▁Cameron- ▁consultant- ▁pharmaceutical- ▁Quran- ▁Subaru- ▁Tori- ▁pumpkin- ▁representative- ▁screenshot- ▁Lush- ▁stew- ▁tropical- ▁Xiaomi- ▁cursing- ▁jamming- ▁mysterious- ▁patty- ▁slam- ▁acid- ▁coupon- ▁Karen- ▁daring- ▁permit- ▁voluntary- ▁Cherry- ▁philo- ▁armour- ▁Wicked- ▁bugis- ▁narrative- ▁foster- ▁aircraft- ▁grain- ▁admitted- ▁interpretation- ▁sceneries- ▁Jean- ▁Etude- ▁Hawaiian- ▁flick- ▁progressive- ▁arrangement- ▁indirectly- ▁lorry- ▁dispenser- ▁confession- ▁torturing- ▁wander- ▁Obama- ▁Ramly- ▁explicitly- ▁advancement- ▁Nathan- ▁workforce- ▁Lola- ▁adoption- Yan- ▁weightage- ▁warmth- ▁brag- ▁fuss- ▁Jayden- ▁White- ▁alcoholic- ▁achieving- Day- ▁laze- ▁Padang- ▁tarik- ▁specialist- ▁lightning- ▁flame- Hua- ▁sotong- ▁sixties- ▁presentable- ▁implemented- ▁Heng- ▁punished- ▁relaxation- Simpson- ▁Pris- ▁Nick- ▁hopeless- ▁cleanse- ▁freezer- ▁cop- ▁Chuan- ▁Your- ▁downside- ▁hoc- ▁vomited- front- ▁fling- Jin- ▁businessman- ▁lord- ▁preach- ▁missus- ▁wishes- ound- ▁struggled- ▁postpon- abi- ▁divorced- ▁superman- ▁sling- ▁crashed- ▁coolest- ▁funding- ▁switched- ▁draining- ▁artsy- Highland- ▁donkey- ▁former- ▁tense- ▁blown- ▁Fen- ▁fourty- ▁server- ▁cur- ▁suited- ▁tuk- ▁poorer- ▁Kate- ▁pur- ▁interacting- ▁gossiping- ▁copying- ▁survived- ▁Ann- ▁swearing- ▁screening- ▁verbal- ▁congratulations- ▁regulations- ▁sleeves- ▁blocked- ▁milky- uhso- ▁supported- ath- ▁shifting- ▁weapons- ▁cooker- mun- ▁earned- ▁tracking- ▁hanger- ▁competitors- ▁laptops- ▁Mc- ▁carbon- ▁brownies- ▁tak- ile- ▁shred- ▁baller- ▁neh- ▁trending- ▁crane- ▁solutions- ▁surroundings- ▁snakes- ▁hatch- lon- ▁listed- truck- ▁freely- ▁clash- ▁Ling- ▁phrases- ▁organs- ▁keys- ▁newly- ▁Times- ▁Malaysians- ▁shook- ▁instances- ▁participants- ties- ▁bing- ▁drawn- ▁laz- ▁perm- ▁individuals- ▁brat- ▁cal- ▁captains- ▁stressing- kar- ▁barb- ▁Lan- ▁grams- An- ▁mushrooms- ock- fish- ▁ce- ob- jo- ▁corners- ky- ▁fights- ▁rela- ell- ister- ▁Exo- ▁squats- ▁med- ▁Des- ▁complaint- rus- ▁pal- fault- izing- ▁shapes- ▁functional- tered- ▁emoji- ▁kilo- ▁vlog- ▁pudding- ▁liar- ▁highlighter- ▁prelim- ▁glitter- shit- ▁stink- ▁Map- ▁Hi- ugh- ▁ea- urf- ▁An- ▁dia- ▁deed- over- read- Legends- ▁upright- isation- vin- ▁textbooks- za- ▁cul- ▁pens- ▁lunche- ox- ▁occasions- ▁promises- Sing- ▁yum- ishan- Fu- ▁tires- ▁ov- uhbut- work- Co- ▁rum- ▁sto- sum- ▁El- ▁beak- ▁insta- back- hur- ▁excuses- ▁medic- ▁tram- ▁kindly- ▁burp- ▁flood- school- ▁analyze- ▁Yue- ▁restrict- ▁rewatch- ▁invade- Serai- padang- Bond- Express- Hsien- ▁verse- bean- Star- Canning- Yong- Kun- ▁bloom- Nine- Shop- Cola- ▁dispos- Yang- Chang- ▁Walk- ▁urge- ▁quirk- ▁Sports- ▁Buona- ▁Wolf- ▁Buangkok- ▁Dorcas- ▁Dutch- ▁Encik- ▁Eugene- ▁Farrer- ▁Fedex- ▁Gallery- ▁Giselle- ▁Gossip- ▁Israel- ▁Liechtenstein- ▁Malcolm- ▁Mustafa- ▁Northshore- ▁Phyllis- ▁Pokka- ▁Predator- ▁Pringles- ▁Sarawak- ▁Sepak- ▁Tioman- ▁Turkish- ▁Ustad- ▁absence- ▁appraisal- ▁asterisk- ▁beachcombing- ▁bluetooth- ▁calculative- ▁choosy- ▁civic- ▁claypot- ▁clutch- ▁crucial- ▁darling- ▁declare- ▁fairytale- ▁footstep- ▁fracture- ▁futsal- ▁haywire- ▁hypebeast- ▁inconsiderate- ▁invalid- ▁jewellery- ▁karma- ▁karung- ▁lanyard- ▁mayonnaise- ▁paranoid- ▁phantom- ▁placing- ▁poetry- ▁pokemon- ▁positivity- ▁replies- ▁reshuffle- ▁rooster- ▁satellite- ▁treadmill- ▁tuxedo- ▁undergrad- ▁universities- ▁unsafe- ▁yoghurt- ▁BoJack- ▁Brandon- ▁Queenstown- ▁abstract- ▁mould- ▁parrot- ▁wagyu- ▁Pontianak- ▁Stitch- ▁ZoukOut- ▁hustle- ▁vacant- ▁valley- ▁conversing- ▁crop- ▁dentist- ▁discrimination- ▁residential- ▁sperm- ▁whiny- ▁Redhill- ▁barrel- ▁distilled- ▁koala- ▁soothing- ▁recreate- ▁sauna- ▁innovation- ▁chincai- ▁citizenship- ▁keychain- ▁Melissa- ▁bubbly- ▁indicator- ▁reckless- ▁translator- ▁Nightcrawler- ▁Rudy- ▁polyclinic- ▁Christine- ▁Kenya- ▁etcetera- ▁sensible- ▁Meetings- ▁platoon- ▁Richard- ▁Chiang- ▁purse- ▁abang- ▁ledge- ▁intensity- Horror- ▁vulgarity- ▁Ramen- ▁Keaton- ▁Josh- ▁Friza- ▁blusher- ▁Joanne- ▁pantry- ▁fulfillment- ▁capitalism- ▁Saudi- ▁Sabah- ▁bloated- ▁interactive- ▁buried- ▁incredible- ▁reborn- ▁madam- ▁Martin- ▁repay- ▁Ninja- ▁accountant- ▁jalan- ▁nationality- ▁retro- ▁Body- ▁archery- ▁thrice- ▁ballroom- ▁conjur- ▁Gina- ▁Yusof- ▁biz- ▁recited- ▁maple- ▁misery- ▁traveller- ▁barbie- ▁Lynn- ▁trace- ▁sprint- ▁Way- ▁junk- ▁Angmoh- ▁Place- ▁Anne- ▁waterfront- ▁stating- ▁entertainer- ▁evolved- ▁fortunately- ▁assigned- ▁acad- ▁arrogantly- ▁latch- ▁benches- ▁commando- Chai- ▁cringey- ▁lining- ▁emphasise- ▁Love- ▁drifted- ▁Yio- ▁greenery- ▁tempered- ▁commander- ▁primer- ▁growling- ▁adrenaline- ▁decently- ▁eel- ▁Hor- ▁feeder- ▁padi- ▁tenant- ▁recorder- ▁irony- ▁freaky- ▁wired- ▁shortest- ▁healing- ▁chope- ▁united- ▁Skin- ▁reaches- ▁loading- ▁provider- ▁Mian- ▁conditioned- ▁negatively- ▁Qua- ▁approached- ▁structured- Sat- ▁coughing- ▁Kway- ▁onboard- ▁Jin- ▁bento- ▁pilates- ▁utensils- ▁Ron- ▁States- ▁otah- Hop- ▁spoiler- kueh- ▁edges- ▁protecting- ▁Jim- ▁aw- atic- ▁pressured- ▁Juliet- ▁fave- ▁Mathematics- ▁Netherlands- ▁deer- ▁marbles- ▁farting- ▁photoshop- ▁Ven- ric- ▁interning- ▁boobs- kin- ▁willingly- ▁richest- ▁Farm- ▁duplicate- ▁shortly- ▁mayo- ▁operations- West- ny- ▁settl- ▁kim- ▁Nat- ▁researching- ▁mag- shop- ▁deco- ▁tutors- ▁holder- ▁offering- ▁yawn- ▁Zac- ▁tock- ▁Ren- Lanka- ▁opener- ▁headed- thing- ified- ▁Straits- ▁beating- ▁wahseh- bay- ▁upsize- ass- ▁genetics- ▁Incredibles- ▁images- ▁Time- ▁arch- ▁viewing- wor- ▁Pes- ▁moths- Ling- seng- ▁crackers- ology- gan- ▁leak- ld- ▁offers- ▁headlights- ▁anot- Yu- ▁sno- ▁ping- gen- ▁guts- Wat- ▁teenagers- ▁Cove- ▁sch- Bo- ▁temples- ▁accents- ▁affairs- ▁characteristics- nam- ▁ku- ▁Te- ▁Joo- ▁samples- ▁Fan- ▁Pop- ▁girly- ▁patients- yi- ▁Ming- ▁equipments- eng- bar- log- ▁tit- ▁ops- ▁stu- ▁socialise- ▁influences- ▁straws- ▁ge- econs- ▁ham- ▁indi- ▁hum- uck- ▁pirate- ▁meatball- Chef- ▁prospect- ▁sunflower- ▁cosmetic- ▁intimate- ▁Euro- ▁sitcom- ▁vocal- ▁dynamic- hand- ▁obstacle- ▁cracker- ▁figurine- ▁consequence- night- ▁organ- iz- ▁Ai- ▁prop- ▁stacks- ▁bob- Mai- ▁veggies- ▁ghosts- nna- ▁Mont- uhokay- ▁sheets- ▁tutorials- ani- ipping- ▁ja- Gi- bed- ▁Cola- ▁hacks- ▁sta- ▁traditions- pao- Xi- bing- ▁workshops- ▁customs- ▁erasers- ▁cri- ▁betray- ▁detox- ▁skateboard- ▁sniff- ▁Ye- ▁canoe- ▁buffer- ▁confine- born- ▁censor- Albom- cheong- ▁nurture- Place- ▁fidget- Beach- Burger- Service- hundred- Blangah- Neo- Town- ▁hypothetical- ▁technological- ▁continuous- ▁awful- ▁selective- tete- ▁Coop- ▁gentleman- Cheng- ▁portrays- ▁manifest- ▁fav- ▁offend- ▁inferior- ▁regime- ▁quota- ▁compassion- ▁architect- ▁prac- ▁Asean- ▁horizon- ▁persevere- ▁pivot- '0'- Civic- Rebus- ▁Amoy- ▁Brussels- ▁Canadian- ▁Converse- ▁Decathlon- ▁Deloitte- ▁Engineering- ▁Kindergarten- ▁Mongolia- ▁Norman- ▁Sophie- ▁SpongeBob- ▁Taichung- ▁Tumblr- ▁accessibility- ▁algebra- ▁bonnet- ▁buggy- ▁cheerleading- ▁critique- ▁deejay- ▁disguise- ▁faculty- ▁flexibility- ▁frustrating- ▁gimmick- ▁giraffe- ▁glimpse- ▁handicap- ▁housekeeping- ▁idiom- ▁injuries- ▁intangible- ▁intolerant- ▁intriguing- ▁jelak- ▁jovial- ▁kranji- ▁liquor- ▁lontong- ▁mediocre- ▁morbid- ▁offensive- ▁operator- ▁orchestra- ▁parachute- ▁rapport- ▁sengkang- ▁soggy- ▁striking- ▁supervise- ▁thunder- ▁tolerant- ▁ungrateful- ▁unhappiness- ▁upwards- ▁vibration- ▁worldwide- ▁Pikachu- ▁abort- ▁cheque- ▁compensation- ▁impart- ▁inbound- ▁invincible- ▁jagged- ▁rigid- ▁Maroon- ▁encik- ▁fascinating- ▁Biology- ▁attain- ▁crude- ▁edible- ▁jazz- ▁moderation- ▁trek- ▁Hawker- ▁isolated- ▁mechanism- ▁rotten- ▁Ethan- ▁blister- ▁expedition- ▁fondue- ▁humility- ▁motivating- ▁personnel- ▁Sivaya- ▁Omar- ▁accuse- ▁blazer- ▁database- ▁revive- ▁sew- ▁shaggy- ▁admirable- ▁chaotic- ▁fulfilment- ▁rust- ▁mumbling- ▁oats- ▁stomachache- ▁trivial- ▁Aljunied- ▁Nemo- ▁Sunway- ▁buzz- ▁confinement- ▁flea- ▁Canon- ▁borderline- ▁Maple- ▁swimmer- ▁Liho- ▁sideways- ▁echo- ▁Flame- ▁Lucky- ▁legendary- ▁Nakhon- ▁Pentagon- ▁observing- ▁Chanel- ▁swimwear- ▁Sein- ▁innate- ▁copper- ▁mount- ▁stout- ▁Sophia- ▁inherently- ▁respective- formed- ▁baseball- ▁Creed- ▁scatter- ▁charred- Thai- ▁properties- ▁casing- ▁arthritis- ▁glory- ▁artwork- ▁detector- ▁guideline- ▁Oppo- ▁consuming- ▁trance- ▁Hannah- ▁gaze- ▁Mirror- ▁weaknesses- ▁prolong- ▁biryani- ▁workaholic- ▁werewolf- ▁sunlight- ▁hunger- ▁bury- ▁stranded- ▁Shepherd- ▁manufacturer- ▁Perry- ▁kart- ▁thrifty- ▁Siglap- ▁tomatoes- ▁intentional- ▁Astro- ▁modelling- ▁flipped- ▁Dragon- ▁puncture- ▁yelling- ▁starch- ▁Muse- ▁whiteboard- ▁Kevin- ▁resell- ▁barber- ▁southern- ▁taxes- ▁saga- ▁stretches- ▁kith- ▁booster- ▁roaming- Jie- Zi- ▁hou- ▁pek- ▁logically- ▁formulas- ▁Meng- ▁priceless- ▁nev- ▁sincerely- ▁slimy- ▁Mei- ▁Jade- ▁chemo- ▁Chen- ▁brighter- ▁rationale- ▁transform- ▁slippery- ▁genie- Flyer- ▁loaded- ▁smartest- ▁sunk- ▁initiated- ▁charming- ▁largely- ▁striker- ▁twisted- ▁sumo- ▁Lebar- ▁concentrated- ▁sweetness- ▁participated- ▁unzip- ilda- ▁voted- ▁teow- ▁toasted- ▁delivered- ▁lessen- max- ▁interviewer- ▁Choon- ▁mai- ▁steamed- Five- ▁demanding- ja- ▁pickup- ▁vomiting- ▁recreational- hell- crabble- ▁discounted- ▁widely- ▁Chem- Kim- ▁gifted- ▁tutoring- ▁moody- ▁peck- ▁kueh- for- ▁paced- ▁Vibes- ▁freebies- ▁slacking- ▁fuse- ▁strangest- ▁chased- ory- ▁tally- ▁Jon- ▁pes- Teh- ▁adopting- ▁similarly- ▁challenged- ▁grant- ▁sweeter- ▁trim- ▁pouring- ▁kissing- ▁Shah- ▁quarreling- ▁thesis- ▁melon- ▁rider- ▁commenting- ▁marked- ▁trendy- anese- ▁slime- ▁designed- ▁Airlines- ▁Max- ▁cared- ▁updates- ▁bites- ▁reminding- ▁undo- ▁professors- ▁expen- ▁formation- ▁Ko- ▁rumors- ▁litre- ▁yu- esh- ▁superb- hal- tter- ▁orca- ▁loo- ▁weirdly- ▁chap- ▁fu- ▁tile- ▁Aisha- ftee- ▁starve- ▁linguistics- itty- Besar- ▁complained- ▁fishy- ▁handphones- ▁sites- ▁clips- ▁Shak- siam- ▁Popeyes- ▁attracts- pok- ▁lungs- unch- ▁indulge- Vinci- ▁earns- tary- ▁rem- ▁Shin- ▁soba- lyn- gie- ▁memori- ▁settings- ▁acquaintances- zi- ▁Hat- ▁Les- ▁restrictions- ▁stimulate- eth- ▁rev- ▁writers- ▁bot- ▁cr- ▁Nas- aving- ▁angels- ▁waiter- ▁ambitions- ▁hash- ▁cer- ▁payments- ▁div- fro- ▁Un- ▁Sat- ▁lobsters- buy- ▁Laos- ▁bundles- ▁qualifications- ▁employees- ▁amen- ▁decor- ▁contains- ▁Macs- ▁costumes- ▁fla- ▁strips- ▁Goh- ▁mal- ▁specialize- ▁supplements- ▁achievements- ▁Happ- ▁Mas- ▁Tri- ▁til- ith- ppl- ▁conflicts- ▁Car- ▁Shan- ▁certifi- ▁borders- ▁sacks- ▁cucumber- ▁rifle- ▁Ame- ▁photograph- ▁cube- ▁accelerat- ▁soldier- ▁chopstick- ▁interval- ▁moth- ▁physic- ▁pane- ▁bas- ▁competitions- ▁ph- ▁lung- ▁gene- ▁limb- ▁maids- ▁tours- ▁cinemas- ▁rip- ▁Wednesdays- ▁Hu- ▁influenc- ▁sk- ▁oth- ▁shu- zan- The- ▁remains- sided- ▁spil- ▁Di- ▁overlap- aw- ▁marina- ▁Cat- ▁liter- ▁Fri- ▁planks- ▁dine- ▁ala- ▁opera- Kut- ▁failures- ▁scor- Oh- ▁Zoey- ▁chai- ▁establish- ▁presentations- ▁broadcast- ▁gardens- ▁Mi- sale- ▁Tam- ▁contra- ▁condense- ▁blindfold- ▁construct- Lumpur- Bird- Opera- Minister- Safari- Tower- Market- Young- economics- Cafe- white- ▁Bangladesh- ▁incline- Khalifa- ▁lee- ▁charit- ▁builds- eteor- ▁suburb- ▁navigat- ▁exhibit- ▁jewel- ▁lang- ▁knit- ▁mortal- ▁charisma- ▁orphan- ▁humanitarian- ▁Jeff- ▁kidnap- ▁Class- ▁chalk- ▁Alexander- ▁Champion- ▁Isaac- ▁Jeffrey- ▁Swiss- ▁spiral- Rudolph- Siong- uhbecause- ▁Abby- ▁Adelaide- ▁Allied- ▁Amirul- ▁Dancing- ▁Doraemon- ▁Elaine- ▁Gundam- ▁Herschel- ▁Kenneth- ▁Kopi- ▁Louvre- ▁Neutrogena- ▁Saizeriya- ▁Sapporo- ▁SingPost- ▁SkillsFuture- ▁abrasion- ▁acoustic- ▁admission- ▁algae- ▁amateur- ▁antibiotic- ▁appetite- ▁bitcoin- ▁bruise- ▁chickpea- ▁clerk- ▁collaborate- ▁complement- ▁conform- ▁democracy- ▁descriptive- ▁despair- ▁diarrhea- ▁dignity- ▁exploit- ▁foremost- ▁frustration- ▁gallery- ▁grandkid- ▁handicapped- ▁improvise- ▁industries- ▁inefficient- ▁insomnia- ▁intestine- ▁jasmine- ▁keyword- ▁librarian- ▁loaf- ▁loophole- ▁lucrative- ▁manicure- ▁mascara- ▁mascot- ▁maternity- ▁mushy- ▁nostalgia- ▁offense- ▁outspoken- ▁paramedic- ▁partition- ▁paternal- ▁piggy- ▁pitiful- ▁pleasing- ▁prestigious- ▁primarily- ▁psychopath- ▁quinoa- ▁reducing- ▁registration- ▁reluctant- ▁sembawang- ▁spacious- ▁spectacular- ▁squarish- ▁strapped- ▁suitcase- ▁takoyaki- ▁tandoori- ▁trophy- ▁tsunami- ▁tumour- ▁ultra- ▁unnecessarily- ▁unwind- ▁Chendol- ▁Feb- ▁Lukaku- ▁Wisma- ▁WolfTeam- ▁dengue- ▁determination- ▁evolution- ▁geez- ▁observation- ▁raft- ▁aisle- ▁guiding- ▁inverted- ▁radiation- ambeng- ▁Coach- ▁Evelyn- ▁Greenland- ▁Monaco- ▁demographic- ▁masala- ▁quack- ▁Grail- ▁compatible- ▁Alfa- ▁compassionate- ▁dimsum- ▁fragrance- ▁gravity- ▁skipped- ▁Penguin- ▁appreciative- ▁dominant- ▁segregate- ▁Mattar- ▁splurging- ▁taiwan- ▁versa- ▁Sambal- ▁poisonous- ▁sociology- ▁dangling- ▁gentlemen- ▁Shakira- ▁Shilin- ▁firefighter- ▁Sherry- ▁communism- ▁Titanic- ▁goalkeeper- ▁ripped- ▁uneven- ▁napping- ▁dedication- urai- ▁comparable- ▁VivoCity- ▁remake- ▁savage- ▁cashback- ▁cozy- ▁gradually- ▁Chicago- ▁haiya- ▁Danish- ▁Liam- ▁victory- ▁multiplier- ▁zai- ▁Zhou- ▁Northpoint- ▁goldfish- ▁plateau- ▁addiction- Qian- ▁Zack- ▁tweet- ▁procreate- ▁villagers- ▁haji- ▁hoarder- ▁Polo- ▁Troy- ▁laonua- ▁pique- ▁severe- Bao- ▁overwhelmed- ▁Youth- ▁crust- ▁takraw- ▁blueberry- ▁fillet- ▁blackshot- ▁hover- ▁Terry- ▁fearful- ▁Cruise- ▁monopoly- ▁lenses- ▁mosquitoes- ▁knob- ▁Lauren- ▁Dory- ▁login- ▁Green- ▁diagonally- ▁adaptable- ▁Impossible- ▁Palace- ▁edu- ▁bodybuilding- ▁enlisted- ▁hopeful- ▁losses- ▁handball- ▁Minister- ▁endure- ▁tyres- ▁romantically- Pang- ▁briefly- ▁contrast- ▁solely- ▁labor- ▁trainee- ▁vaguely- ▁scribble- ▁Centre- ▁Tuk- ▁facebook- ▁meaningless- ▁Santa- ▁Zhi- ▁Balik- ▁psycho- ▁Liu- ▁neglected- ▁behalf- ▁hood- ▁driverless- ▁Jap- ▁dean- ▁unlikely- ▁wage- ▁approved- ▁ayam- ▁specialised- ▁pong- ▁accountancy- ▁Mong- ▁arrived- ▁featured- ▁crosses- ▁Pang- ▁cling- ▁eleventh- ▁comeback- ▁puked- ▁Pandan- ▁comma- ▁kao- ▁coldest- ▁Gates- ▁ashame- ▁Dai- ▁wand- ▁Maki- ▁infinity- ▁folder- ball- ▁conducting- ▁Job- ▁num- ▁raped- ▁jobless- ▁choreo- ▁disturbed- ▁sinking- ▁furious- ▁trashy- ▁quietly- ▁attacked- ▁stumble- ▁diam- ▁dryer- ▁presented- ▁seemed- Kosh- ▁leech- ▁grounded- ▁Daru- ▁incidents- ▁filmed- ▁Payoh- ▁lego- ▁mayb- ▁mil- ▁planting- ars- ▁planes- ▁rom- ler- ▁insult- ▁rated- ▁arise- ▁soupy- ▁noble- stop- ▁suite- ▁souffle- ▁baker- az- ▁Googled- ▁Nets- ▁Yum- ▁toggle- Theory- ▁heated- ▁boo- ▁Hut- ▁rounder- ▁rode- ▁onions- ▁jap- ▁interviewing- ▁constraints- Gate- ▁oldies- ▁mor- ▁advantages- ▁pots- ▁Sin- ▁discounts- ▁Vin- ▁Los- ▁Stan- ▁scripts- ▁likewise- ▁nam- ervin- ▁ble- hy- ▁openly- ▁beers- ▁hua- ▁dynamics- Qi- ▁bicycles- eries- ▁Ni- ▁hills- ▁Hot- ▁Ra- era- ▁beret- ▁Ga- ▁Mars- ▁Hal- Scooter- ▁airlines- ▁consumers- ▁widen- ▁advertisements- ▁cables- Pagar- shi- act- ▁coloni- ▁kakis- ▁informal- ▁exco- ney- ▁grabb- ▁Mari- ▁Games- ▁examinations- ▁tights- ▁tigers- ▁Phi- ▁gaps- Ping- ▁coordinate- ▁compositions- ▁crocodiles- ▁fins- ▁sca- ▁roots- lee- 'off'- eat- ▁cheeks- ▁Se- ▁exceptional- ▁Sims- reme- ▁pil- ▁professionals- ▁graduates- ▁indoors- ▁analys- ▁aft- ▁instill- pay- zing- ▁peanuts- ▁explains- ▁flavors- ▁critic- ▁insight- ▁owned- Mi- shirts- che- ▁wipes- ek- ▁Met- ▁stuffy- ▁fer- ▁hardships- ▁thrill- ▁politician- ▁Studio- ▁Popeye- ▁sailor- ada- ▁calorie- ▁scissor- ▁Clement- hill- ction- ▁diamonds- ▁bae- zone- ▁Mon- ▁sac- ▁pita- San- ▁Saturdays- wn- xi- Ki- ▁Par- ▁scoops- going- terior- ▁stuffed- uring- agon- erie- ▁signals- mor- xin- ▁Sem- ▁actua- ▁Ap- Merah- ▁mega- Korea- ▁tar- ▁distract- ▁contour- ▁simpl- ▁manipulat- ▁celebrat- ▁Chua- You- ▁arrest- ▁Zoe- flower- Cheong- Lagoon- Utama- Crab- Willows- Dragon- White- Light- Central- Club- ▁guilt- ▁batter- Hub- ▁rapid- ▁consecutive- ▁precise- Sushi- ▁fluent- ▁raisin- puteh- ▁inject- ▁drastic- ▁worship- migrating- ▁punctual- ▁empathi- ▁Fifty- ▁Fantastic- Kinabalu- fieri- thyroid- ▁Alpha- ▁Aurora- ▁Cathay- ▁Christopher- ▁Cineleisure- ▁Dunman- ▁Expo- ▁Heaven- ▁Hitler- ▁Kumon- ▁Kylie- ▁Kyoto- ▁Lavender- ▁Learn- ▁Major- ▁Maybelline- ▁Mentaiko- ▁Micheal- ▁Mitsuba- ▁Nescafe- ▁Orchestra- ▁Oscar- ▁Pablo- ▁Pepsi- ▁Punita- ▁Radiant- ▁Ramadan- ▁Smule- ▁Snape- ▁Snorlax- ▁Sperry- ▁Swedish- ▁Wolverine- ▁Wreck- ▁administrative- ▁autobiography- ▁bicep- ▁brinjal- ▁brulee- ▁calculating- ▁calculator- ▁chimpanzee- ▁cloudburst- ▁communal- ▁correlation- ▁cricket- ▁crypto- ▁daydream- ▁dilemma- ▁disclose- ▁dizzy- ▁enlighten- ▁epitaph- ▁excursion- ▁extinct- ▁facilitator- ▁fragrant- ▁gastric- ▁geog- ▁guppies- ▁handbrake- ▁hurricane- ▁hygienic- ▁imaginary- ▁imagining- ▁immunity- ▁inappropriate- ▁jigsaw- ▁kingdom- ▁knives- ▁migration- ▁mobility- ▁moustache- ▁obnoxious- ▁offshore- ▁offspring- ▁organising- ▁paradise- ▁pedestrian- ▁platonic- ▁practising- ▁rebond- ▁safari- ▁salaries- ▁shepherd- ▁shuffling- ▁somersault- ▁stereotyping- ▁subordinate- ▁subsidies- ▁subsidy- ▁superstition- ▁swollen- ▁tamarind- ▁telepathy- ▁tentacle- ▁testament- ▁thrash- ▁tricep- ▁trophies- ▁trustworthy- ▁vibrate- ▁vicinity- ▁violence- ▁volley- ▁zinc- Hartono- ▁Aisyah- ▁Beyonce- ▁Mazda- ▁Mongkok- ▁People- ▁Yoshi- ▁android- ▁bliss- ▁bracelet- ▁cabbie- ▁output- ▁sassy- ▁sensation- ▁signify- ▁terrifying- ▁translucent- ▁Arjun- ▁Discovery- ▁Faizal- ▁Fiona- ▁Hafiz- ▁Indie- ▁Volde- ▁bangkok- ▁circus- ▁doggy- ▁esophagus- ▁hockey- ▁overheat- ▁participation- ▁sliding- ▁ColourPop- ▁Denmark- ▁Oxley- ▁botox- ▁bunnies- ▁crappy- ▁interface- ▁Joker- ▁aroma- ▁downtown- ▁empathize- ▁exaggerating- ▁orchid- ▁pixel- ▁tasting- ▁thosai- ▁trapped- ▁whiskey- Khan- ▁Reyes- ▁corporation- ▁Madam- ▁eager- ▁mercury- Bieber- ▁potluck- ▁Agent- ▁Note- ▁newbie- ▁substance- ▁Gongcha- ▁Ariel- ▁International- ▁Polytechnic- ▁Vijay- ▁Yuji- ▁productivity- ▁subset- ▁Life- ▁bartender- ▁deem- ▁pardon- ▁Ezra- ▁mhm- ▁grammatical- ▁educator- ▁arrival- ▁judgmental- ▁scarier- ▁telemarketer- ▁Face- ▁humorous- ▁stale- ▁Haj- ▁baba- ▁Llao- ▁bakso- ▁clementi- ▁overturn- ▁referee- ▁Chucky- ▁haze- ▁roundabout- ▁sinus- ▁buoy- ▁evaluate- ▁immortal- Mile- ▁visualise- ▁voting- ▁divert- ▁shatter- ▁salon- ▁probation- ▁agitated- ▁cashew- ▁expelled- ▁realistically- ▁jetty- ▁lifespan- ▁trafficking- jio- ▁Jem- ▁competent- ▁Joanna- ▁goggles- ▁Canyon- ▁pouch- ▁roar- ▁Shafiq- ▁Andrea- ▁braised- ▁whoops- ▁minority- ▁Kaka- ▁wound- ▁Christianity- ▁softball- paid- chap- ▁Chew- ▁jaw- ▁bulb- ▁fringe- ▁minimize- ▁bait- ▁Jude- ▁Nerf- ▁Brun- ▁luge- ▁Boat- ▁Aldo- ▁gland- ▁Chomp- ▁sabo- ▁panicking- ▁Angsana- ▁dispute- ▁technologically- ▁twe- ▁Storage- ▁sharpen- ▁warranty- ▁skies- ▁Train- ▁barley- ▁Thrones- ▁editor- ▁paul- ▁Dick- ▁embarassing- ▁enriching- ▁pestering- ▁Willows- ▁Secret- ▁bland- ▁Princess- ▁bobo- ▁windsurfing- ele- ▁browse- ▁waitress- ▁cray- ▁actresses- ▁Sky- Bang- ▁Chef- ▁Fingers- ▁Gary- ▁scratches- ▁bingo- ▁crunchy- ▁Smith- ayam- ▁vertically- ▁sai- ▁Athen- ▁shining- ▁intent- ▁bitchy- ▁Uno- ▁gist- ▁faded- ▁optional- ▁rooted- Cove- rrow- ▁adventures- ▁churches- ▁movements- hristian- ▁bagel- otton- ▁deepest- Sheeran- ▁blackout- ▁nerdy- ▁Chai- ▁Tian- ▁specialty- ▁predicted- Fun- ▁emceeing- ▁yacht- ▁Er- ▁somemore- ▁Nai- ▁fitting- ▁Sir- ▁skid- ▁onsen- Armour- Jian- ious- ▁forgetting- ▁Transformers- ▁mannered- ▁appealing- ▁sparkle- ▁wiper- ▁rear- ▁raging- ▁lin- ▁gathered- ▁flawed- ▁hooked- ▁Tham- ▁hesitate- ▁purchased- olio- ▁conflicting- Ji- ▁strangely- ▁backpacking- ▁skiing- ▁bodoh- ▁Pan- ▁goodnight- ▁wink- ▁Tamp- ▁tame- ▁compartment- ▁crumble- ▁pager- ▁explorer- ▁lookout- win- ▁spirited- ▁phonics- ▁tykes- ▁upgraded- ▁Call- sua- ▁fright- ▁discussed- ▁feminist- Panda- ▁blueish- heck- rmit- ▁processed- ▁untangle- ▁inconvenience- ▁spreading- ▁grudges- ▁burned- ▁retirees- ▁cycled- ▁shuffled- ▁peed- ▁titled- ▁geographical- ▁Get- ▁daytime- ▁reporting- ▁shophouses- ▁meaty- ▁escaped- atch- ▁butler- Le- ▁Bea- ▁Bon- ese- ▁justice- ▁lifts- ▁washed- ▁chilled- ▁trusted- ▁motherly- ▁pains- ink- ▁provides- ill- ▁fated- ▁topping- ▁replying- ▁instructors- uk- ▁idiots- Boys- ▁beverages- ered- ▁weirdo- ▁Eli- person- ▁cliques- ▁contacting- ▁Ri- Wars- ▁gays- ▁ques- wear- ▁drops- ▁residents- ▁chomp- roll- Peach- ▁outsider- lisa- ▁Ros- ▁Maris- ▁backgrounds- ▁Pi- ▁chopsticks- ▁intervals- ▁photographs- ▁peek- ▁panes- ▁spaces- ▁saturat- ▁trusting- ▁ew- pong- ▁triggers- ▁sober- ▁vocals- ▁acc- ▁conclude- lick- ▁poles- ▁liars- ▁highlighters- ▁Pu- ▁endless- ▁cocktails- ▁occurr- how- ▁mover- ▁criticis- ▁lawyers- ▁clams- ▁Mal- rk- ▁gory- ▁practices- ▁passengers- ▁ec- ▁farms- kai- set- ▁negotiables- ▁curtains- ▁decorations- ▁chaos- ▁shifts- ▁flooring- ▁employers- ▁boats- ▁flipp- ▁buyers- ▁defines- ▁drawings- ▁mirrors- appy- books- ▁gra- ▁guards- ▁Link- ▁warriors- ▁judges- ▁creates- ▁ser- ▁fishballs- ▁gir- nan- ▁bre- ▁deadlines- ▁clues- ▁inculcate- ▁hon- ▁Den- anti- ▁criminals- Teng- ▁lanes- ▁rant- ▁gin- ▁users- ▁farmers- Lua- ▁tasks- ▁supermarkets- ▁cabinets- ▁techniques- ▁cor- ingly- ▁smokes- ▁Swensens- ix- ▁Mua- ▁grip- ▁norms- ▁hydra- ▁bou- ically- ▁mist- ▁systematic- ▁disasters- dding- ▁surprises- ▁sho- ▁superpowers- wal- ▁Eight- ▁cho- ▁decks- ▁diseases- ▁outright- ▁procedures- ▁Che- ▁managers- ▁rug- ▁Koreans- cou- ▁sculpture- ▁nerve- ▁Aston- ▁honor- ▁dumpling- ▁resident- War- ▁Incredible- ▁genetic- ▁teammate- ▁firework- ▁backward- ▁onward- ▁reminder- ▁Starbuck- ▁Roa- ▁strategi- ▁errors- ▁producers- ▁chicks- ▁audi- iff- eddy- ▁bestie- ▁workouts- ▁dorm- ▁follower- ▁ticks- ▁notification- wer- ▁fabric- Huan- lance- ham- board- ▁astro- cake- ▁sap- dication- rich- ▁Cheese- Story- soto- ▁Philip- ▁firms- wee- ▁pai- ▁duet- ▁hyp- Kart- ▁boulder- ▁Bra- print- ▁ignor- ▁exfoliat- ▁activate- ▁enhance- ▁spots- ▁customise- Chen- ▁deform- ▁derive- ▁Xia- ▁paralys- Everest- Vista- ▁speci- Talent- Impossible- Palace- ▁Pek- Trump- Studies- River- Force- Pasir- ▁thrift- ▁Jerem- ▁Farhan- ▁assembl- ▁fiance- wash- Jerry- ▁husk- eww- Born- Lane- ▁explicit- Teck- makase- onopoly- Sheng- erminal- ouble- Peng- ▁Steph- ▁damp- ▁oblig- ▁Thom- ▁rival- ▁Brazil- ▁inherit- ▁compress- ▁symbio- aneous- ▁Felicia- ▁Ajisen- ▁Phillip- ▁Upper- ▁dismantl- ▁occupy- ▁singular- Educators- ▁Adeline- ▁Andak- ▁Bizhub- ▁Brisbane- ▁Burmese- ▁Cisco- ▁Deadpool- ▁Deliveroo- ▁Edinburgh- ▁Giordano- ▁GrabHitch- ▁Hamilton- ▁Horlicks- ▁Hyuna- ▁Jaguar- ▁Jewish- ▁Kaohsiung- ▁Kembangan- ▁Kyushu- ▁Lisbon- ▁Lynette- ▁Migros- ▁Murtabak- ▁Outram- ▁Prawn- ▁Reddit- ▁Ritz- ▁Rosyth- ▁Timberland- ▁Vikram- ▁Yakult- ▁Yvonne- ▁afterlife- ▁ambassador- ▁appreciation- ▁aqua- ▁autograph- ▁bamboo- ▁bibimbap- ▁bolster- ▁botanic- ▁cactus- ▁carrier- ▁catapult- ▁ceramic- ▁chandelier- ▁clumsy- ▁cognitive- ▁conference- ▁continuation- ▁corporal- ▁cursive- ▁defensive- ▁delicacies- ▁delicacy- ▁detergent- ▁disastrous- ▁dissolve- ▁distribution- ▁elevator- ▁elitist- ▁endurance- ▁equator- ▁equipped- ▁excellence- ▁extravagant- ▁freestyle- ▁gerpe- ▁grumpy- ▁havoc- ▁heartbeat- ▁hybrid- ▁illusion- ▁inflatable- ▁insensitive- ▁institute- ▁interrogate- ▁intimidate- ▁liberty- ▁lodging- ▁mermaid- ▁metabolism- ▁minimise- ▁motivator- ▁muslim- ▁naval- ▁neigh- ▁nightlife- ▁obtain- ▁oxy- ▁pajamas- ▁paranormal- ▁parliament- ▁philosopher- ▁pontianak- ▁postcard- ▁protocol- ▁provision- ▁puppet- ▁puppies- ▁quadrant- ▁recyclable- ▁releasing- ▁resurrect- ▁sampling- ▁sepak- ▁skeleton- ▁snowskin- ▁spendthrift- ▁summit- ▁synopsis- ▁teriyaki- ▁ulcer- ▁underwhelming- ▁unglam- ▁untouch- ▁vicious- ▁violet- ▁wharf- ▁wrapped- ▁Clarence- ▁Eileen- ▁Football- ▁Oxford- ▁Tesla- ▁Twilight- ▁affiliation- ▁ample- ▁brunette- ▁hulk- ▁ninja- ▁oblivious- ▁skull- ▁soundtrack- ▁terrain- ▁twilight- ▁utility- ▁Regina- ▁Risotto- ▁Taxi- ▁empathetic- ▁hormone- ▁impulsive- ▁lodge- ▁pessimistic- ▁racism- ▁truant- ▁Adrian- ▁Civil- ▁fragment- ▁torchlight- ▁Daiso- ▁Maidy- ▁Midnight- ▁Spy- ▁vitamin- ▁digress- ▁robbed- ▁Celine- ▁Glasgow- ▁Java- ▁Jews- ▁entitlement- ▁ignorance- ▁taekwondo- ▁terrorism- ▁puking- ▁rabak- ▁Yole- ▁whining- ▁contestant- ▁organism- ▁pegro- ▁pedal- ▁Valak- ▁disruption- ▁shotgun- ▁tangible- ▁troubleshoot- ▁Government- ▁Hundred- ▁conscience- ▁feasible- ▁makcik- ▁thrive- ▁Howard- ▁bedridden- ▁expat- ▁soundproof- ▁swine- ▁Debra- ▁lawsuit- ▁Angeline- ▁establishment- ▁Zilong- ▁batteries- ▁candies- ▁debatable- ▁accessory- ▁distraction- ▁analytical- ▁siva- ▁Panic- ▁cruelty- ▁complication- ▁component- ▁photoshoot- ▁aura- ▁humidity- ▁treetop- ▁Faith- ▁Galaxy- ▁presume- ▁shady- ▁egoistic- ▁fellowship- ▁lighthearted- ▁Kiri- ▁suc- ▁waterproof- ▁Bangla- ▁surrender- ▁warden- ▁banter- ▁scanning- ▁bali- ▁coincidentally- ▁Totoro- ▁storeroom- ▁confidential- ▁squishy- ▁pension- ▁Danny- ▁diluted- ▁Asus- ▁stationery- ▁posh- ▁westernised- ▁Valley- ▁deprived- ▁Mandai- ▁Wanna- ▁gymming- ▁submitted- ▁secretive- ▁Shuan- ▁hangover- ▁Switch- ▁floss- ▁introducing- ▁Nancy- Mars- ▁autis- ▁Baba- ▁existent- ▁corgi- ▁Ireland- Shiong- ▁Amos- ▁Rover- ▁Suria- ▁punk- ▁spize- ▁paperwork- ▁Liao- ▁Liz- Meng- Out- ▁expressway- ▁sniper- ▁leap- ▁idiotic- ▁lingo- ▁dent- ▁clinical- ▁Sega- ▁elf- ▁Fuji- ▁Leona- ▁specialisation- ▁intentionally- ▁quitted- ▁Cody- ▁bedok- ▁chanting- ▁cyst- ▁decorating- ▁competitiveness- ▁Lok- ▁upsetting- ▁integrated- ▁transcriber- ▁gray- ▁censored- ▁munch- ▁portal- ▁vast- ▁budd- ▁sloth- ▁stopover- ▁publicity- ▁Music- ▁approachable- ▁strolling- ▁confined- ▁Jones- ▁Singap- ▁coaches- ▁allocated- ▁escalate- ▁backstage- ▁Opera- ▁Barrage- gro- ▁executed- ▁Jackson- ▁suppress- Musk- ▁labourer- ▁invented- ▁downhill- ▁replay- ▁bash- ▁ikan- ▁projection- ▁breakout- ▁accountable- ▁heavenly- ▁bumpy- ▁tortured- ▁mian- ▁merged- ▁projector- ▁raid- ▁discovery- ▁greeting- ▁crown- ▁Quay- ▁ruler- ▁legally- ▁quarterly- ody- ▁perfection- ▁router- ▁Yen- ▁combi- ▁Hell- ▁troll- ▁grooming- Mulan- ▁networking- ▁melting- ▁locker- ▁casting- ▁distinctive- Ishak- ▁encouraged- ▁printer- ▁farted- ▁wary- ▁promised- ▁sacrificed- ▁freshly- ▁Ram- ▁nutrients- ▁Ant- ▁Zai- ▁miser- ▁adjusting- ▁Pe- ▁Kar- ▁clearer- ▁homeless- ▁awfully- ota- ▁reset- ▁winded- ▁kno- ▁quant- ▁deter- ▁maintained- ▁openness- ▁steaming- ▁began- ▁rejecting- ▁faulty- ▁Arm- ▁cheater- ▁boomers- yer- ▁pisse- ▁wiser- ▁opponents- ▁performer- ▁taxing- ▁Out- ▁Sen- ▁causeway- ▁Taman- ▁delight- ▁boundar- ▁defin- Ru- seven- ▁guides- ▁procrasti- ▁directing- ▁greener- Brothers- ▁snoop- ▁ubi- ▁replac- ▁recommending- ▁lobangs- ▁touchy- ▁lightly- ▁wrinkles- ▁Ying- ▁fri- mort- ▁Mai- mary- ▁banker- ▁researchers- ▁Jolin- kuah- gate- ▁bothering- chan- ▁Timb- ▁smoked- ▁formed- ▁cheers- phy- nto- ▁Pai- ▁clogg- Studios- ▁kilometers- ▁syllables- ▁aeroplanes- ▁perfumes- ▁measures- ▁Pola- Got- ▁dragg- ▁lea- ▁beetles- source- ▁cuter- ▁handbags- ▁Timah- ▁founder- ▁partying- ▁Bras- ▁Nov- ▁donated- ▁thrills- ▁scenarios- ▁meantime- ency- ▁Lab- ▁soldiers- ▁tiers- Wala- ▁Poo- ▁cosmetics- ▁Euros- tory- ▁classy- ▁trib- ▁ming- ▁Kin- ▁Rim- ater- ▁loc- ▁lunches- ▁hotdogs- ▁rays- ▁fillers- ▁hays- ▁collapse- inda- 'On'- ching- Board- ▁shin- ▁rubb- ▁sys- ▁muffins- ique- gh- ette- ▁hais- ▁cabs- ator- ▁recon- ▁bef- ▁persuad- ▁gamers- ▁Ta- ▁Dal- ▁kn- ▁kittens- ▁guitars- lated- ▁faithful- end- ▁performances- chou- ▁Bing- ▁sponsors- ille- Del- ▁roses- que- ▁apples- ▁Lo- ▁Teen- ▁laps- ▁poems- ▁je- ▁sciences- ▁Bi- ▁aesthetics- ▁arrows- ▁streams- ▁crimes- ▁Ez- ▁Del- ▁hal- ▁advis- ▁Ting- ▁lis- ▁sw- ▁concentrat- ▁planets- ium- ▁sal- ▁bricks- ▁Maria- ▁Xu- lter- Ko- ▁controlle- ▁donations- ▁Pets- bell- ▁protecti- ▁balling- Basah- ▁Raj- ogging- este- stance- arry- pol- ▁Sh- ▁pom- dan- ▁footballers- ▁Ke- ▁ruins- ▁connects- wise- ▁lim- ▁san- ica- ▁limitation- ▁robotic- Time- ▁cyclist- ▁decade- ▁beetle- ▁rib- ▁linguistic- ▁Strait- ▁dart- ▁yuck- ▁glove- ▁archetype- ▁mathematic- ▁circumstance- ▁Court- ▁Lad- ▁cra- ck- ▁dick- Bell- ▁canal- uffle- ▁impor- ▁exp- ▁frogs- ▁belts- ▁Dog- ▁startup- ▁dep- ▁Cel- Kia- yang- lash- ▁flexi- ▁sectors- ▁Carl- eba- een- iding- sai- Tea- ▁jets- Bar- ▁gia- ▁reciproc- we- ▁depress- ▁sketch- ▁Indo- hold- ▁heartbreak- ▁march- ▁roam- ▁glow- ▁demo- phone- ▁whisk- down- ▁exaggerate- ▁customize- ▁integrate- ▁enlist- ▁scent- ▁considerations- ▁reclaim- ▁eliminate- lapis- Factor- iglap- Guan- Shui- Swift- Crush- High- puff- Plus- Secondary- Fuji- Premier- University- coaster- ▁manufacture- Bear- North- generation- briyani- ▁warrant- ▁matte- jiao- ▁Iraq- personal- ▁scoot- ▁indirect- ▁subsequent- ▁Leonard- ▁fulfil- utdoor- ommunity- ▁Carousel- Box- ▁Drag- ▁depict- ▁Fresh- ▁Hero- ▁absurd- ▁coop- ▁terror- ▁resist- quid- ▁proficien- ▁Heart- ▁Arctic- ▁Dempsey- ▁Jamie- ▁continual- ▁intellect- ▁prescripti- ▁render- ▁ulti- Anatomy- Azhar- Buffet- Dhabi- Holmes- Mirza- Ramsay- Takraw- tsuka- zealand- ▁Austria- ▁Barbecue- ▁Britney- ▁Caleb- ▁Chapteh- ▁Chihuahua- ▁Chivas- ▁Chloe- ▁Citibank- ▁Commonwealth- ▁Crescent- ▁Desmond- ▁Diwali- ▁EXO- ▁Exco- ▁FairPrice- ▁Freedom- ▁Grinch- ▁Hyundai- ▁Ibiza- ▁Illusion- ▁Jurassic- ▁Keppel- ▁Maniac- ▁Mauritius- ▁Minesweeper- ▁Mohammad- ▁Normal- ▁Olivia- ▁Photoshop- ▁Popular- ▁Queensway- ▁Ringgit- ▁Scarlet- ▁Serena- ▁Shirley- ▁Slurpee- ▁Snapchat- ▁Society- ▁Supper- ▁Tiffany- ▁Ultra- ▁Vasantham- ▁Vishnu- ▁Wales- ▁Wikipedia- ▁Zendaya- ▁abuden- ▁academy- ▁accustom- ▁affirmation- ▁altitude- ▁apocalypse- ▁apostrophe- ▁articulate- ▁assertive- ▁avatar- ▁beansprout- ▁bhutan- ▁bodyguard- ▁bollard- ▁calcium- ▁chapati- ▁colourblind- ▁comfy- ▁complacent- ▁connotation- ▁crumpled- ▁deluxe- ▁detriment- ▁duff- ▁dyslexic- ▁encyclopedia- ▁enthusiasm- ▁envision- ▁envy- ▁eternal- ▁eternity- ▁folklore- ▁foreground- ▁forgiving- ▁gecko- ▁gladiator- ▁glaring- ▁gratitude- ▁gullible- ▁handkerchief- ▁handshake- ▁hologra- ▁horrendous- ▁iKon- ▁inaccessible- ▁infection- ▁innuendo- ▁intimidating- ▁judgy- ▁loneliness- ▁macchiato- ▁mankind- ▁maternal- ▁mentaiko- ▁ministry- ▁misconception- ▁misunderstood- ▁moisturising- ▁nipple- ▁notorious- ▁nudge- ▁outskirt- ▁pavilion- ▁paycheck- ▁persistent- ▁pilgrimage- ▁pledge- ▁punggol- ▁reckon- ▁recluse- ▁reincarnation- ▁retreat- ▁risotto- ▁satisfactory- ▁scalp- ▁squeak- ▁suicidal- ▁threshold- ▁tobacco- ▁twelfth- ▁unattended- ▁unfollow- ▁verify- ▁vinyl- ▁waveform- ▁widow- ▁youself- ▁Azmi- ▁Becky- ▁Drive- ▁Javanese- ▁Khairul- ▁Monica- ▁Parkinson- ▁Pasta- ▁Skyview- ▁Wonder- ▁brutal- ▁flask- ▁glitch- ▁harvest- ▁loner- ▁psychiatrist- ▁smoky- ▁spelt- ▁superstar- ▁updating- mbian- ▁Coldplay- ▁Maxwell- ▁Sungei- ▁kampong- ▁slipped- ▁stern- ▁Belinda- ▁Casino- ▁Shenyang- ▁Urban- ▁astronaut- ▁canopy- ▁melody- ▁moisture- ▁sickening- ▁sidetrack- ▁unrealistic- ▁guacamole- ▁hereditary- ▁hougang- ▁teaspoon- kerang- ▁Sasi- ▁amenities- ▁garang- ▁platter- ▁Buddhism- ▁Jazz- ▁cino- ▁drizzle- ▁elevation- ▁implication- ▁plaza- ▁reliant- ▁carbonated- ▁Luke- ▁Taco- ▁disabilities- ▁steward- ▁twinkle- ▁Barbie- ▁shisha- ▁thumbprint- Ngah- ▁Infinity- ▁mediator- ▁Brian- ▁addictive- ▁Pawan- ▁Tarte- ▁completion- ▁barrow- ▁bobian- ▁jellyfish- ▁entice- ▁Code- ▁Mahathir- ▁adverse- ▁basil- ▁Jasper- ▁eff- ▁Bradley- ▁concede- ▁populated- ▁womb- ▁comparatively- ▁complimentary- ▁hoodie- ▁resistance- Piece- ▁chute- ▁spinach- ▁pinball- ▁astronomy- ▁rivalry- ▁employment- ▁Miya- ▁courageous- ▁clueless- Dahl- ▁journalism- ▁peacock- ▁Gardenia- ▁fartsy- ▁spear- ▁Fir- ▁liais- ▁demonstrate- ▁ironically- ▁Orto- ▁documentation- ▁lagging- ▁patronize- ▁Akshay- ▁Laura- ▁Virgin- Tuk- ▁Halong- ▁Santorini- ▁mannerism- ▁Bella- ▁styrofoam- ▁disposable- ▁deja- ▁iceberg- ▁salivate- ▁preschool- ▁cherries- ▁foie- ▁proportionate- ▁invention- ▁dental- ▁jumbled- ▁modernised- ▁glider- ▁tempting- ▁moist- ▁halfhearted- ▁sphere- ▁Business- ▁Halimah- ▁irri- ▁nuance- ▁batman- ▁punny- ▁symbolise- ▁empire- ▁deduction- ▁hardwork- ▁installation- ▁fanatic- ▁conceive- ▁layman- ▁Center- ▁stitches- ▁Dark- ▁Johnson- ▁broom- ▁codeine- ▁meteor- ▁disgusted- ▁faraway- ▁gelat- ▁maze- ▁Navy- ▁Scott- ▁Three- ▁Miller- ▁adjustment- Fong- ▁involvement- ▁jab- ▁Belle- ▁continental- ▁Fanny- ▁suspended- ▁brotherhood- ▁buttock- ▁setback- ▁harness- ▁collagen- ▁deliveries- ▁healthily- ▁hospitality- ▁Colo- ▁hypothetically- ▁branches- ▁bandung- ▁vaping- ▁Peru- ▁despi- ▁plantation- ▁disbanded- ▁disconnected- ▁husky- ▁Rosa- ▁Ronaldo- ▁consciousness- ▁Bread- ▁duckling- ▁Talent- ▁knots- ▁overflowing- ▁Deb- ▁superheroes- ▁controller- 'Off'- ▁Benga- ▁Bangladeshi- ▁forgetful- ▁Law- ▁chatty- ▁sane- ▁enable- ▁cries- ▁exaggerated- ▁padding- ▁runny- ▁overturned- ▁olio- seal- ▁handover- ▁scarf- ▁Express- ▁instrumental- ▁betrayed- ▁exhausting- ▁Bird- ▁duo- ▁conch- ▁kok- ▁neon- ▁Phu- ▁playboy- ▁thirteenth- ▁exfoliate- ▁dropout- ▁partnership- ford- ▁caf- ▁armor- ▁pirated- ▁Himalayan- ▁objectively- ▁dice- ▁heartbreaking- ▁glowing- ▁beaten- ▁remov- Pong- ▁stalker- ▁sadder- jie- ▁cultivated- ▁paru- ▁Arabian- ▁nurtured- ▁countless- ▁horny- ▁satire- ▁toaster- ▁puzzled- ▁childlike- ▁permanently- ▁Keat- ▁published- ▁skater- ▁mashed- ▁Kishan- diac- ▁fend- ▁Kaki- ▁Hap- ▁Forest- ▁spotting- ▁Mini- ▁coal- ▁regulate- ▁jerk- ▁copyright- ▁subconscious- ▁thou- irways- ▁Army- ▁Yuen- ▁extroverted- ▁recognized- ▁consensus- ▁confessed- ▁tightly- ▁replicate- ▁Tshirt- ▁Siam- ▁signifi- ▁Leon- ▁observed- ▁sq- Horseman- ▁Fave- ▁angst- ▁ple- ▁sibeh- ▁morally- ▁Gem- ▁successes- ▁abused- ▁Chun- ▁sliced- nk- ▁Miam- ▁eee- ▁destroying- ▁largest- ▁fresher- ▁suffered- iang- ▁Kio- ▁rudely- ▁functioning- ▁smiley- ▁Aus- ▁discovering- ▁revealing- ▁recovering- ▁footed- ▁criticism- indows- not- ▁Toast- Thrones- pek- ▁Shell- ▁comprises- ▁dimples- ▁functions- Glam- ▁To- ▁apparent- plan- ▁mari- ▁nominate- ▁claws- ▁avoided- ▁scheduled- ▁Yin- ▁crate- ▁flex- ▁Bin- ▁castles- ▁stocking- ▁crazie- ▁electro- ▁capsize- shall- ▁Yisha- ▁teleporting- ▁eyeballs- ▁closeness- ▁Ranger- ▁crashing- more- ▁Amy- ▁Merli- itch- ▁reconcile- ▁switching- ▁troubled- ▁dum- take- ▁progressing- Carlton- Chok- ▁lima- ▁smokey- Qing- Wenger- ▁whatnot- ▁analytics- store- ▁Winn- ▁sayang- ▁wondered- ▁Lot- ▁rotat- chang- yan- ▁Hop- ▁Thor- ▁presenting- ▁channels- ▁apt- ▁dra- ▁Chee- ▁midterms- ▁kilometres- ▁symptoms- ▁poll- oke- ▁misc- ▁Tommy- ▁Bro- ▁publicize- ▁merchants- ▁souvenirs- njuk- ▁fewer- ▁Du- ible- Times- ▁ribs- ▁cyclists- ▁decades- ▁lawn- ▁fishers- ▁gan- ▁notifications- ▁Idol- ▁syn- ▁lighted- ▁Yam- ▁sailors- ▁Pass- bin- lude- ▁cubes- ▁Jenn- ▁websites- ▁interestingly- ▁acai- ▁sitcoms- ▁Kinder- ▁seating- Pi- ▁che- ▁ci- ▁puddings- aj- here- ▁odds- ax- ▁margin- ▁Caucasians- ▁attributes- ▁Alias- ▁dreamer- ▁flyers- ▁Ze- ▁blanks- list- ▁temperatures- Chi- llao- ▁Meet- ▁alphabets- ▁ministers- ▁statues- ▁Legends- rou- ▁attacks- ▁notch- ▁pointers- ▁etc- ▁gears- ▁Zhuan- ault- ▁seize- ▁puzzles- layer- ▁mana- ▁tents- ▁directional- ▁dun- omo- ▁snapp- ▁del- ▁Angu- ▁aids- ▁Ch- ▁Tun- ▁Jac- ▁sins- aki- ▁Ver- ▁wou- ▁fundamentals- non- ▁triangles- ▁buns- ▁bugs- now- ▁ele- run- ▁integrati- ▁recommendations- ▁Pad- ▁gar- shao- ▁hol- ▁fisher- old- ▁Raja- ▁spikes- ▁mun- ▁dinosaurs- ▁mentors- ▁Har- ▁spirits- ▁organizations- zy- ▁Christians- Magic- ▁dangers- erry- oi- ▁dock- ▁slopes- ▁artistes- ▁ru- ▁references- ongs- ▁Wiz- ▁markings- very- eresa- ▁kam- ▁blessings- ▁gigs- gle- ▁improvements- ▁pubs- ▁sib- bel- ▁comms- ▁meta- ▁pimples- ▁stares- ▁pota- ▁Ken- ene- Xun- ggle- ▁paw- ▁threat- ▁resonate- ▁axe- ▁schoolmate- ▁emerge- Studio- ixes- ▁merchant- ▁souvenir- hop- ▁kilometer- ▁syllable- ▁beverage- Boy- ▁competitor- ▁rumour- ▁ancestor- ▁sneaker- verse- ▁compromises- ▁whip- low- ▁brownie- ▁notion- assim- then- ential- ▁tang- ▁campaigns- ▁constrain- ▁zha- ami- ▁Eu- bal- ched- ▁constraint- fron- ▁Col- ▁Sai- ▁nu- agar- ▁riches- minate- ▁chil- Chin- minating- boro- iously- ▁historic- lay- ▁Pay- ookie- ▁Tea- turn- imp- field- ▁chang- room- place- ▁blu- De- power- keeper- qi- ▁stroll- rick- ▁snorkel- ▁Tao- ▁discharge- breaker- ▁empower- ▁vari- charge- ▁obsess- ▁locate- ▁injure- ▁disband- ▁disconnect- provoking- ▁recharge- Talk- Cooper- pedas- Bowl- Arabia- Brown- Pool- Storage- Republic- Tiger- Andrew- Mother- heaven- regardless- Bukit- kampung- eleven- Briyani- bono- curry- ▁moisturise- cute- with- Jones- ierce- Fox- ▁ima- ▁sensi- ▁convention- ▁Port- Chiong- onesty- ▁equip- iculous- ▁eavesdrop- ▁descend- ▁Naomi- ▁Warner- ▁cigar- Carter- Ferguson- Lloyd- Miserables- Purcell- '`'- ligence- ▁Atlanti- ▁Azazel- ▁Bendemeer- ▁Berlin- ▁Bluetooth- ▁Chirashi- ▁Derrick- ▁Dhey- ▁Dropbox- ▁Farouk- ▁Fifa- ▁Fitness- ▁Fullerton- ▁Henderson- ▁Jacqueline- ▁Kentucky- ▁Kukup- ▁Kumar- ▁Manila- ▁McLaren- ▁Mediterranean- ▁Mendaki- ▁Myeongdong- ▁Nagoya- ▁Nickelodeon- ▁Nissan- ▁Norwegian- ▁Office- ▁Phillipines- ▁Pinoy- ▁PlayMade- ▁Promenade- ▁Scape- ▁Sheldon- ▁Shermaine- ▁Smallfoot- ▁Spitz- ▁Supreme- ▁Tamago- ▁Thanos- ▁Umrah- ▁Winx- ▁Wushu- ▁Yoogane- ▁accuracy- ▁acrylic- ▁aggregate- ▁almond- ▁alternating- ▁approximately- ▁backdrop- ▁brainstorm- ▁calculus- ▁cannibal- ▁cassette- ▁cautious- ▁centuries- ▁chlorine- ▁chrono- ▁cinnamon- ▁cipher- ▁closure- ▁cobra- ▁comprehend- ▁condiment- ▁confusion- ▁courier- ▁cradle- ▁cuddle- ▁debrief- ▁decathlon- ▁democratic- ▁disapprove- ▁distillat- ▁diversify- ▁documentaries- ▁eclipse- ▁empress- ▁enclosed- ▁encompass- ▁equation- ▁esplanade- ▁filthy- ▁frugal- ▁funfair- ▁gengar- ▁giddy- ▁headquarter- ▁hospitable- ▁hotplate- ▁iguana- ▁impulse- ▁incense- ▁inviting- ▁jelat- ▁karate- ▁krabi- ▁laundrette- ▁magnesium- ▁marshal- ▁microchip- ▁murtabak- ▁narcos- ▁nauseous- ▁netflix- ▁odour- ▁overdrive- ▁patriotic- ▁pelican- ▁perspire- ▁pertain- ▁pringle- ▁province- ▁radiant- ▁rebuild- ▁recount- ▁rephras- ▁residence- ▁resilience- ▁revamp- ▁rinsing- ▁robbery- ▁sakae- ▁salicylic- ▁seduce- ▁silicon- ▁silliest- ▁sincerity- ▁slogan- ▁soulmate- ▁stereo- ▁sunshine- ▁symphony- ▁synonym- ▁tchoukball- ▁territory- ▁thunderstorm- ▁tragedy- ▁troublemaker- ▁unethical- ▁unplanned- ▁unpleasant- ▁untidy- ▁unwilling- ▁urgency- ▁vanguard- ▁velvet- ▁vodka- ▁whitish- ▁wholeheartedly- ▁zumba- Gerrard- Kusama- ▁Aloy- ▁Bachelor- ▁Darren- ▁Dream- ▁Dumbledore- ▁Eugeo- ▁Fairprice- ▁Googling- ▁Hunger- ▁Khalid- ▁Manhattan- ▁Mystic- ▁Topshop- ▁cadet- ▁chemotherapy- ▁communities- ▁concise- ▁convincing- ▁diagram- ▁disintegrate- ▁fragile- ▁ideology- ▁irregular- ▁lavish- ▁narrator- ▁orangutan- ▁saikang- ▁triangular- ▁Cedar- ▁JetStar- ▁Laneway- ▁Persian- ▁Totally- ▁constitute- ▁delta- ▁eatigo- ▁emulate- ▁futuristic- ▁gulp- ▁immerse- ▁mercy- ▁monologue- ▁prosperity- ▁telegram- ▁trotter- ▁unreal- China- ▁Bartley- ▁Cartoon- ▁Coleen- ▁Tutu- ▁bilingual- ▁bulldog- ▁criticizing- ▁darn- ▁hesitation- ▁interim- viation- ▁GameBoy- ▁Nazi- ▁amusing- ▁bangtan- ▁descendant- ▁garland- ▁organizing- ▁Lipton- ▁PayWave- ▁bravo- ▁brillante- ▁embassy- ▁friction- ▁hijab- ▁snoring- Hanks- ▁Elisha- ▁Entertainment- ▁Warcraft- ▁cellphone- ▁harassment- ▁multilingual- Decay- ▁comedic- ▁copied- ▁inventory- ▁rabz- ▁telok- valent- ▁Charizard- ▁Sager- ▁depressive- ▁lagoon- ▁overspend- ▁primark- angoon- ▁Kobe- ▁protest- ▁Skyline- ▁charismatic- ▁cristofori- ▁Barbra- ▁Huda- ▁bragging- ▁chinese- ▁courteous- ▁criticize- ▁ruling- lihood- ▁Percy- ▁bulgogi- ▁blaming- ▁crepe- ▁frail- ▁genetically- ▁obey- ▁retrenchment- Ridge- ▁Sandra- ▁fondant- ▁optimisation- ▁Irfan- ▁civilization- ▁physiotherapy- arnia- ▁Direction- ▁Drama- ▁Hulk- ▁Restaurant- ▁Ultron- ▁electrons- ▁hazard- ▁icing- ▁snowboard- ▁width- ▁disciplinary- ▁flavorful- ▁speedboat- ▁baggy- ▁Nando- ▁preserving- ▁adulthood- ▁stepmother- ▁Congkak- ▁Fenty- ▁Geog- ▁ethnicity- ▁guai- ▁laminate- Fei- ▁Mersing- ▁Rosie- ▁snowflake- ▁sophisticated- Steak- ▁dumbbell- ▁penny- ▁variable- ▁convict- ▁infantry- ▁slapping- ▁evergreen- ▁Edna- ▁Josephine- ▁PowerPoint- ▁amoy- ▁tuas- ▁hummer- ▁taco- ▁sunken- quel- ▁Snoopy- ▁beekeeper- ▁creation- ▁varies- ▁blondie- ▁rustic- ▁Stamford- ▁Zheng- ▁stoic- ▁examiner- ▁interruption- ▁famine- ▁copies- ▁insecurity- ▁blob- ▁crooked- ▁erupt- ▁complian- ▁Juan- ▁fanta- ▁rotation- ▁fireplace- ▁rowdy- ▁managerial- ▁korea- ▁tinge- ▁nude- ▁Chung- ▁profanity- ▁unicorn- ▁tapping- Up- ▁Mourinho- ▁Simpang- ▁Roth- ▁crutch- ▁starring- ▁vividly- ▁flawless- ▁Escooter- ▁Genie- ▁lasagna- ▁Mandy- ▁witches- ▁haul- ▁mafan- ▁Zhong- ▁subsidised- Lok- ▁Bobby- ▁appointed- ▁hurtful- ▁forgiveness- ▁midway- Boon- ▁Sandy- ▁Noel- ▁adaptation- ▁stunning- ▁bail- Yee- ▁Leonardo- ▁tonne- ▁shaky- ▁headset- ▁oppa- ▁broaden- ▁revert- ▁Oral- ▁collectible- ▁metric- ▁mountainous- ▁catfish- ▁hideout- ▁Titans- ▁strategic- ▁labelled- ▁infant- Singh- ▁sandwiches- ▁chopper- ▁selectively- ▁sexist- ▁shivering- ▁exhausted- ▁steer- ▁travelator- ▁angsty- ▁fog- Air- ▁Albert- ▁Crush- ▁Arsen- ▁Plus- ▁Halo- ▁blackboard- ▁draggy- ▁Strike- ▁moderately- ▁swamp- ▁ballot- ▁contradicting- ▁Daily- ▁protector- ▁Ruth- ▁boar- ▁Julin- ▁rusty- icity- ▁Mona- Gong- ▁Chao- ▁kung- ▁archer- ▁tempo- ▁cord- Phi- Ray- ▁fitter- ▁qi- ▁spiritually- ▁Young- noodle- ▁Baha- ▁Roy- ▁Town- ▁bunker- ▁housekeeper- ▁Canning- ▁alighted- ▁stapler- ▁transformer- ▁spinal- ▁unexpectedly- ▁Once- ▁Fang- ▁inconsequential- ▁discarded- ▁Aden- ▁greenhouse- ▁gambler- ▁Loong- ▁Bose- ▁vac- ▁pierced- ▁Ghaut- ▁Ching- ▁departmental- ▁aligned- ▁Mind- ▁yard- ▁thrilling- ▁Bond- ▁regretting- ▁hangman- ▁Tung- ▁crank- Tang- ▁dependable- ▁tuner- ▁accurately- ▁Pig- ▁flooding- Met- ▁chic- ▁steamer- ▁freelancer- ▁licking- ▁postman- ▁Rock- ▁conditioner- ▁Keng- ▁fairies- ▁Jong- ▁badass- ▁Rahma- ▁Tyr- ▁Lian- ▁voter- ▁ruby- ▁bounded- ▁conducted- ▁Along- ▁Xiang- ▁yarn- ▁Eng- ▁internationally- ▁surfer- ▁Hao- ▁duel- ▁offline- ▁rubbery- ▁entertained- ▁secured- ▁represented- ▁recovered- ▁Fest- ▁thoughtful- ▁secon- ▁Satur- bee- ▁kap- ega- Technological- ▁cracked- ▁Sally- ▁recycled- ▁balding- Siam- ▁coldness- ▁belay- Upon- ▁volt- ▁succeeded- rine- ▁fad- ▁translated- ▁conveniently- ▁ironed- ▁refused- ▁teared- ▁tendon- ▁retailer- ▁hosted- ▁seriousness- ▁advisor- ▁wayang- ▁Dell- ▁rave- ▁shaded- ▁rewarding- hood- ▁coup- ▁ranked- lock- ▁Marriott- ▁traded- ▁impre- tree- ▁Aka- ▁neighbourly- ▁packaged- ▁triggering- ▁verb- ▁Hin- taker- ▁framed- ungee- ▁showered- ez- well- ▁Sar- Lang- ▁sapa- ▁pier- ▁rushed- ▁reporter- ▁lad- ▁shelving- empt- ▁sham- ▁fashioned- ▁bask- ▁remix- ▁snowing- ston- ▁Zak- ▁tester- ▁header- Girls- odium- ▁remarks- ▁premises- ▁streaks- ▁wolves- ▁flakes- Kids- ▁suan- ▁Pat- ▁harden- ▁Wing- ▁excused- ▁Biore- ▁pung- ▁reno- ▁quo- ▁crossed- ▁Seah- ▁accom- nea- ▁educat- ▁centered- rade- ▁justified- ▁metro- ▁striv- ▁peeing- ▁Resorts- ▁tantrums- asan- ▁pickles- sheng- ▁withstand- ▁faked- Zhen- ▁matched- ▁Holl- ▁avoiding- ▁disappears- ▁perks- ▁corals- ▁bead- ▁Pooh- ▁addressing- ▁Yun- ▁landing- ▁asam- ▁singa- ▁spoons- ▁nouns- ▁emissions- ▁otters- ▁Ham- Ha- ▁unc- ▁orang- ▁pairing- ▁shap- ▁sash- ▁haters- ▁donating- ▁Falah- ▁Denis- ▁skim- ▁forgo- ▁asian- ▁Simpl- ▁schoolmates- ▁axes- ▁paws- ▁Ipoh- ▁influ- ▁wires- ▁yucks- ▁cosm- ▁Pit- ▁deteriorate- ▁Pana- ▁cou- ▁cutest- dicated- ▁dumplings- ▁honors- ▁stirr- ▁sued- ▁batche- ▁Salah- ▁hairy- lec- ▁bam- ▁Studios- ▁Salt- ▁Vi- ▁wit- ▁limbs- ▁nations- ▁lem- lux- ▁prospects- ▁sunflowers- Chefs- ▁besties- 'yes'- ▁closely- rip- ▁pleased- katsu- kart- ▁vlogs- rlyn- ▁Ais- ▁touring- ▁bore- ker- ▁See- teen- ▁rang- ▁Guardians- ▁contributions- ▁Olympics- ▁rations- ▁medi- ▁Mrs- iew- rance- ▁colouring- ▁manly- ▁Huat- ▁ropes- ▁incentives- ▁pans- gged- ches- ▁vu- ▁salads- ▁motors- ▁feathers- ▁calculations- ▁ads- late- ▁Cos- ▁rel- ▁flaps- ▁circulat- ▁choppe- eas- ▁barn- ▁scouts- ▁jokers- ▁aches- ▁counsel- ▁generalise- ▁drones- ▁beginners- ▁YouTubers- ady- ▁fined- ▁Mia- ▁consi- ▁Ever- je- eck- fin- ▁ponytails- ▁sparks- alam- ▁spo- ▁winners- riving- ▁flatter- opo- agi- ache- ▁creamer- lar- hun- ▁bullets- lio- illa- arian- ▁deb- ▁persuade- ▁reli- ▁factual- ▁reta- ▁trac- ▁nightmares- ▁tw- Cantona- Bones- lted- ester- ▁Tar- Tock- Hu- Hoon- isang- ception- ▁xia- ▁desires- ▁pleasures- ▁bom- ▁boug- pping- ▁objectives- ▁standardise- ▁Kia- laying- ▁kiam- Koon- ▁rig- ual- ppy- ▁lions- ▁Ari- ▁Gra- tech- ▁cit- owing- chong- ▁Mag- ership- ▁missions- ▁Ge- but- ▁mannequins- lab- ▁memora- alari- fraction- stro- ▁ep- cast- ▁volun- ▁litera- rselves- ▁files- ▁ethic- ▁Mad- ima- ogy- water- jun- fer- pend- Soo- ▁memor- ▁blackhead- ▁emission- Toba- ▁otter- ▁kilometre- ▁symptom- ▁midterm- ▁rumor- ▁swi- ▁alpaca- abby- ▁strand- ▁stair- ▁railing- oki- ctors- ▁Won- ▁hog- ▁Ser- ▁corona- ▁moo- ▁ei- unny- rise- ▁por- kang- coming- adi- ▁transparen- ▁snoo- ▁nex- ▁For- ▁repea- ▁brew- ▁debat- ▁Fu- ▁haunt- ▁subtitle- ▁alia- vo- ▁Zy- key- pra- ▁torch- ▁Gan- cumulative- ▁procras- ▁hesita- look- ▁Bala- ▁ven- Hit- ▁cycl- ▁exhaust- Sia- ▁respon- ably- ▁zig- ▁frown- ▁stat- ▁parasail- ▁Arabia- ▁expos- ▁separat- ▁incur- ▁nurtur- ▁invad- ▁Find- ▁Prince- ▁Vic- scooter- corn- Karat- ▁subsidize- ummer- lbert- ▁congest- ▁recite- ▁misuse- ▁retrench- about- course- oodle- ▁debut- Smart- Batisah- Jovi- Turtle- ristiano- Airline- Titans- Ronaldo- Chomp- Cruise- Mirror- States- Nathan- Leong- kacang- Prata- Romeo- jalan- Autumn- William- negotiable- Chicken- James- Science- boyfriend- chocolate- machine- drama- twenty- Miam- ▁crisp- biryani- Mouse- center- ▁summar- motion- ▁theoretical- Minh- ▁clutter- ▁vivid- ▁instantaneous- ▁Lor- ▁Saba- asian- ▁authorit- ▁midfield- post- chiong- ▁imply- Wee- ▁proactive- ▁pronoun- ▁immigrati- ▁disrupt- eptic- ▁Buddh- ▁experi- ▁revolution- ▁Yayoi- ▁Xav- ▁Corp- Vuitton- ▁indefinite- ▁mislead- ▁residu- '?'- Bilis- Einstein- Giggs- Hospital- Local- Muniz- Quinn- Sivan- jumma- siol- ▁After- ▁Atiqah- ▁Backstreet- ▁Badminton- ▁Bidadari- ▁Britain- ▁Broadway- ▁Capella- ▁Century- ▁Chijmes- ▁Cinderella- ▁Colosseum- ▁CrossFit- ▁Cyclops- ▁Daegu- ▁Darvis- ▁Dasani- ▁Diablo- ▁Diploma- ▁Dyson- ▁Egg- ▁Elliot- ▁Fight- ▁Foodpanda- ▁Foodshed- ▁GERPE- ▁Garfunkel- ▁Generation- ▁Genghis- ▁Gentle- ▁Ghost- ▁Gillman- ▁Haagen- ▁Heidegger- ▁Hermione- ▁Hermoine- ▁Hiroshima- ▁Inferno- ▁Istanbul- ▁Jasmine- ▁Jerusalem- ▁Lancer- ▁Lapidas- ▁Leftfoot- ▁Machine- ▁Medisave- ▁Mendel- ▁NAFA- ▁Newcastle- ▁Odette- ▁Olympiad- ▁Orchid- ▁Palestin- ▁Picoult- ▁Portugal- ▁Rafiq- ▁Razor- ▁Redbull- ▁Ripple- ▁Riverdale- ▁Samoyed- ▁Shamsuddin- ▁Sharlene- ▁Sheryl- ▁Skechers- ▁Snickers- ▁Sogurt- ▁Sprite- ▁Sucremo- ▁Sudoku- ▁Terengganu- ▁Theodore- ▁Tomahawk- ▁Toothless- ▁Vanguard- ▁Vitality- ▁Yogyakarta- ▁accreditation- ▁advancing- ▁aloud- ▁analyzing- ▁angklung- ▁annoucement- ▁apologies- ▁apparatus- ▁appreciating- ▁armband- ▁asbestos- ▁asylum- ▁barista- ▁belanja- ▁berserk- ▁biography- ▁blockbuster- ▁boardwalk- ▁breadwinner- ▁buffalo- ▁buttermilk- ▁contraband- ▁convocation- ▁cosmopolitan- ▁counterpart- ▁croissant- ▁cryptocurrency- ▁culprit- ▁curvy- ▁delicate- ▁discourage- ▁durable- ▁ectomorph- ▁elbow- ▁endearing- ▁epidural- ▁etiquette- ▁evaluation- ▁eyeshadow- ▁fabulous- ▁facade- ▁facilitate- ▁fatigue- ▁favoritism- ▁favouritism- ▁fencing- ▁fiesta- ▁fingernail- ▁freshener- ▁frizzy- ▁gargantuan- ▁ghetto- ▁gondola- ▁gorgeous- ▁graveyard- ▁grumble- ▁gyoza- ▁heartwarming- ▁homecooked- ▁hurdle- ▁hyuna- ▁iCarly- ▁iTunes- ▁illogical- ▁incorrect- ▁intermediate- ▁intrinsic- ▁intuitive- ▁invigilator- ▁jesus- ▁kacau- ▁laundries- ▁leukemia- ▁lieutenant- ▁lifeguard- ▁mammal- ▁marshmallow- ▁masculine- ▁meddle- ▁meddlesome- ▁merrier- ▁monotonous- ▁neural- ▁nonsensical- ▁observant- ▁outbreak- ▁paintbrush- ▁paprika- ▁parquet- ▁participating- ▁penalise- ▁platinum- ▁plunge- ▁pragmatic- ▁procrastinator- ▁propaganda- ▁proximity- ▁pufferfish- ▁quantify- ▁racquet- ▁rambutan- ▁receptive- ▁reciting- ▁recliner- ▁referral- ▁remembrance- ▁renovating- ▁retrain- ▁ripple- ▁safeguard- ▁seashore- ▁staycay- ▁stylist- ▁substantial- ▁sundae- ▁surgeries- ▁susceptible- ▁symbiosis- ▁tablespoon- ▁telemovie- ▁terrapin- ▁terrified- ▁tombstone- ▁toothbrush- ▁traumatising- ▁traumatizing- ▁tudung- ▁tumble- ▁uncooked- ▁unhygienic- ▁universal- ▁unofficial- ▁unsightly- ▁unused- ▁velcro- ▁vibrant- ▁vibrating- ▁wildlife- ▁windshield- ▁xiaxue- ▁xiong- /- ▁Basil- ▁Calbee- ▁Children- ▁Coco- ▁Hershey- ▁Karaoke- ▁Nivea- ▁Pandora- ▁Ricky- ▁Rulang- ▁Spies- ▁Stephanie- ▁Teacher- ▁Wheelock- ▁crazily- ▁granddad- ▁narrating- ▁perpetually- ▁quizzes- ▁recurring- ▁snooker- ▁swirl- ▁titans- ▁trilogy- ▁zodiac- ▁Lakeside- ▁Mentos- ▁Penny- ▁Rosti- ▁Stanford- ▁Underwater- ▁Vanessa- ▁Yamaha- ▁beneficiary- ▁bookworm- ▁bowtie- ▁cooperative- ▁dehydration- ▁depreciate- ▁engross- ▁martini- ▁silat- ▁slingshot- ▁symbiotes- ▁tamp- ▁tulang- ▁Hazel- ▁Ravana- ▁Vicky- ▁gigabyte- ▁strangle- ▁visor- Spears- ▁Avene- ▁Cecilia- ▁emptie- ▁innovative- ▁reflexes- Before- ▁Daven- ▁Intel- ▁Katsu- ▁commuters- ▁elastic- ▁exploding- ▁obese- ▁unfit- Downey- ▁Forex- ▁geek- ▁radar- ▁seasick- ▁Yolo- ▁posi- ▁Batu- ▁Burma- ▁Jaws- ▁purification- ▁summarise- Kook- Yacob- ▁Allen- ▁Pahang- ▁congee- ▁cooperate- ▁corpus- ▁statistically- ▁trumpet- ▁Christina- ▁contemp- ▁crease- ▁extinguisher- ▁hooray- ▁Barney- ▁Janice- ▁kanasai- ▁phoenix- ▁repetition- ▁scammed- ▁wiring- ▁backbone- ▁blunt- omodo- ▁assassination- ▁approv- ▁babysit- ▁bugger- ▁championship- ▁prospective- ▁Bencoolen- ▁roster- ▁stoning- ▁claustrophobic- ▁delusional- ▁dysfunctional- ▁leash- ▁punctuality- ▁boastful- ▁mugging- ▁paddling- ▁Dead- ▁Toby- ▁churn- ▁torso- ▁traumatic- Lipa- ▁playmate- ▁shush- ▁Foot- ▁Perak- ▁decompose- ▁enlistment- ▁inevitable- ▁mythology- ▁refine- ▁reproduce- ▁Margaret- ▁civilised- ▁lentil- ▁photocopy- ▁Maltese- ▁Prada- ▁chrome- Bahar- ▁Fantasy- ▁appetizer- ▁kuku- ▁maritime- ▁piping- ▁cunning- ▁hesitating- ▁blockchain- ▁pagan- ▁sequel- ▁Channing- ▁Celsius- ▁expertise- ▁globalization- ▁raspberry- ▁existential- ▁hastily- ▁Library- ▁biking- ▁grim- ▁disfigured- ▁reggae- ▁palate- boy- ▁Metro- ▁Saat- ▁naggy- ▁Bogo- ▁Artbox- ▁Mayday- ▁Shark- ▁Taiti- ▁deviation- ▁govern- ▁deferment- ▁possessive- ▁lingerie- beng- ▁eyelashes- ▁frighten- ▁rehearsal- ▁scarred- ungry- ▁annoyance- ▁anthem- Runner- ▁dilly- Caesar- ▁duper- ▁Pinnacle- ▁Makan- ▁immersi- ▁quartermaster- ▁Sanya- ▁Zhang- ▁carriage- ▁dumbass- ▁Joelyn- ▁Lovi- ▁Murder- ▁Kenny- ▁raving- ▁Vada- ▁overlord- ▁Shahira- ▁Banyan- ▁authenticity- ▁intima- Claus- ▁carpenter- ▁seawater- ▁Tupperware- ▁consultation- ▁macro- ▁attendant- ▁traumatised- ▁Lilo- ▁restrain- ▁flock- ▁squeezy- egor- ▁mozz- ▁scarce- ▁charities- ▁flavourful- ▁Cali- ▁Academy- ▁Reservoir- ▁parenthood- ▁dhal- ▁Lester- ▁Ruby- ▁recep- ▁Faris- ▁furry- ongdae- onito- ▁prettier- ▁commercialised- ▁slopp- ▁enterprise- ▁Timor- ▁Davidson- ▁rotting- Jong- ▁Never- ▁fortnight- ▁beatbox- ▁College- ▁Garfield- ▁Kacang- ▁Lena- ▁omakase- ▁elevated- ▁objection- arnish- learning- ▁Moses- ▁spies- ▁nonstop- ▁amplifier- ▁shortlisted- ▁representation- ▁Parkway- ▁Brigade- ▁Pattaya- ▁Noah- ▁Dua- ▁psychic- ▁Wak- ▁moto- regano- ▁throwback- ▁parkour- ▁attractiveness- ▁Real- ▁tada- ▁backstabbing- ▁Mouse- ▁Angeles- ▁Brown- ▁Taj- ▁sketchy- ▁pulley- ▁Toy- ▁Fire- ▁clubber- ▁agony- ▁Swift- ▁expressive- ▁spotlight- ▁truthfully- ▁choy- rgent- ▁chord- ▁subsidized- ▁Ford- ▁Momo- ▁baseline- ▁repeatedly- ▁seasaw- ▁Guan- ▁mite- ▁Pool- Frost- ▁Koko- ▁convent- ▁Duck- ▁bala- ▁Crab- ▁Leong- ▁mindedness- ▁paralysed- ▁Eden- ▁Kanji- ▁hump- ▁Ulu- ▁connector- ▁seamen- ▁sleepover- ▁hoarding- ▁johor- ▁okie- ▁lent- ▁constructed- ▁Belly- ▁goosebump- ▁hahaha- ▁Serai- ▁customised- ▁critically- ▁ign- ▁sneaky- ▁chunky- ▁padang- ▁Owen- Kat- talk- ▁italy- ▁Gang- ▁reap- ▁socialize- ▁cookhouse- ▁offset- ▁satan- ▁scape- ▁sadden- ▁overboard- Lau- ▁Shao- ▁pony- ▁composer- ▁overdo- Ego- ▁dua- ▁desc- hei- ▁marching- ▁ladylike- ▁transferable- ▁aspiring- ▁Shui- ▁Jose- ▁Peking- ▁Ox- ▁criticising- ▁exploded- ▁perceived- ▁contouring- ▁distracting- ▁Alexa- ▁stickman- ▁stickies- ▁superficially- ▁Ayer- ▁mumble- ▁Tok- ▁witnessed- ▁netting- ▁probe- ▁collective- ▁Alan- ▁Maha- ▁environmentally- ▁abus- ▁mak- ▁canoeing- ▁skateboarding- ▁lament- ▁smoother- ▁suspected- ▁peacefully- ▁burping- ▁yeha- ▁cramped- ▁postponing- ▁manipulated- ▁readily- ▁seaman- arents- Mutant- ▁sway- ▁anonymous- ▁frost- ▁Shar- ▁Kith- Khoo- ▁professionally- ▁lup- ▁healed- ▁cocky- ▁organiser- ▁Tau- ▁Villa- ▁buster- ▁interrupting- ▁tel- ▁respectable- ubl- ▁tidying- ▁recovery- ▁exited- ▁excluded- ▁Tong- ▁abuser- Char- ▁hav- ▁sourc- ▁Bai- dong- ▁shaved- ▁fest- ▁independently- stain- ▁sacrificer- ▁funded- ▁tun- ▁tricked- Aziz- gun- ▁owing- ▁adapted- ▁Evi- Sum- ▁Bahru- ▁overdose- ▁bearded- ▁molest- ▁absorbing- ▁cured- ▁Matt- ▁reflected- ▁ondeh- ▁Mun- ▁Planet- ▁exes- ▁Easter- ntil- ▁remover- ▁simulate- ▁lighten- ▁sinful- ▁painter- ▁actu- nstitution- Aw- shot- ▁twisting- lia- ▁Khan- Bin- ▁What- ▁pine- ▁Fall- ppo- that- ▁Can- caf- ▁clothed- ▁gui- ▁cracking- Don- ▁meowing- ▁hampers- ▁fluctuates- ▁refugees- rina- ▁carte- ield- ▁broker- ▁ignored- ▁Will- ▁Tup- ▁hater- oul- ▁ward- ▁Mumm- ▁angri- ▁blamed- ▁incoming- ▁caged- ▁feat- ▁Ger- ngkat- ▁gained- ▁helli- ▁vent- ▁connecting- ▁mach- ▁sugary- ▁Glenn- ▁pretending- ▁suntan- ▁hunting- ▁aerial- ▁disagreements- ▁Semb- Min- rawl- ▁devoted- dri- ▁downloading- ▁chor- ▁creak- zhen- ▁identi- ▁gam- ▁bossy- ▁thirdly- ▁noun- ▁Ani- ▁climber- ▁Tap- ▁Ng- ▁apparels- ▁enrolling- ▁admired- ssured- ▁respected- ▁gras- nding- ▁graz- ▁misbehave- epok- ▁Net- ▁ringing- ail- ▁tangent- ▁chilly- ▁Nam- ▁returned- ▁Miru- ouch- ▁crumbs- ▁Sands- ▁powered- ▁bon- Jolie- ▁railings- ▁blackheads- ▁bearing- loo- ought- ▁Julia- fort- ▁positioning- Cadet- oba- ▁hid- ▁emerg- ▁buttered- utan- olate- ▁resonates- ▁threats- scow- Thief- ▁colli- Jing- ▁Bart- ▁liner- ▁Marl- ike- ida- ▁yourselves- ▁pasty- creme- ▁cultured- ▁dicks- ▁startups- ▁limitations- ▁robotics- ▁astrolog- ▁Farah- ▁flopp- gates- ▁momento- ▁beam- ▁priced- ▁Astons- ▁nerves- ▁sculptures- ▁rested- ▁reminders- cous- ▁Sher- ▁kneel- Coles- ▁anticipate- ▁DC- ▁politicians- ▁pam- arley- ▁commercialize- ▁harp- ▁accelerate- Donki- ▁cucumbers- ▁rifles- ▁Run- ▁gro- ▁insider- ▁jav- ▁meatballs- ▁pirates- ▁spi- ▁handy- ▁Pas- ▁blogg- kie- rack- illion- ▁Pak- ▁emojis- ▁kilos- ▁Thin- lying- ▁worksheets- ▁notebooks- ▁crows- cia- ▁Kent- urity- ▁anal- ▁chunks- ▁buds- ▁Zen- ude- ▁ze- ola- ▁concentrati- ▁shak- ▁selfless- ▁Masters- ▁landscapes- ▁milestones- ▁expires- ▁moderniz- misunderstanding- Rush- ▁lou- ipped- ▁growl- ▁skit- elle- oid- por- Cook- ▁stakes- ▁belongings- ▁passages- smati- ▁zhu- ▁storybooks- ▁Rav- ▁fra- opped- ▁val- ▁squirrels- ▁tales- ▁prais- ▁colon- kee- rul- ▁relocate- ▁Cad- ▁Gia- ▁oppo- ▁opp- ▁optim- alized- ▁zipp- ▁Phil- dar- neo- ▁Pant- nuel- ▁Shake- ▁auditor- ▁Zhu- own- ▁tec- ▁stru- ▁terminat- gue- ▁rece- achi- urn- ftie- ▁opposit- ▁exa- ▁worsen- ▁sti- folding- shui- lessly- ▁marginal- ▁lob- rom- ▁crumb- bble- ▁Alon- acy- ▁Jenni- ▁spe- ▁Band- ▁spra- ▁shoo- afar- ▁ste- bak- Pie- ▁stan- ▁Ou- ime- fetched- iterate- ▁stead- ▁ferri- elecast- anna- ▁Lam- dol- ▁Bab- uhwe- mpang- ▁mindless- rman- Leste- ▁sympath- ▁ken- Clan- pad- ▁Human- atory- chai- decker- ▁cous- ▁Com- onia- ▁Bee- ▁bermuda- ▁scallop- ▁Pilate- ▁diaper- ▁pebble- ▁germ- ▁coral- ▁investor- ▁statistic- Ranger- ▁brace- ▁lyric- ▁alway- ▁zo- ▁slush- merah- ▁perk- ▁researcher- alism- stage- leen- body- ▁rab- ▁sportsman- ▁neg- Cent- make- ▁decorat- ▁certif- ▁gran- ▁oldie- Cage- ▁iden- ▁clog- ▁Chang- ality- ▁hur- ▁glam- wo- ▁Pul- ▁Julie- ▁Cal- ▁lectur- ▁Sand- west- Jobs- ▁complet- ▁achiev- tude- oup- nova- away- ▁Kee- Ban- ▁purchas- ▁esca- ▁wor- ▁Himalaya- ▁froze- ▁Sho- ▁deserv- ▁blush- ▁hoard- ▁choreograph- ▁dishearten- craft- ▁deci- ▁windsurf- ▁disco- ▁sightsee- ▁accord- ventu- ▁figur- pson- ▁schem- ▁arrang- Angel- ▁snip- icular- world- ▁ostracise- ▁chant- ▁confiscate- ▁excite- ▁elect- ▁endanger- bloc- ▁detach- atholic- ▁suspend- Network- Singapore- Woman- vious- Grande- Brigade- holder- Scott- Three- Bull- chomp- child- takraw- colli- tempered- Obama- Ninja- Ocean- attaya- restricted- Ralph- lifting- spirit- Busan- Black- Stella- ngsana- tight- different- grass- merit- queue- wak- consider- road- Maths- Ayam- boat- ondeh- Grey- Singaporean- shock- ▁greed- heard- yana- obby- ▁Ronald- Strange- clockwise- ▁suff- ▁graceful- ologist- open- ▁carpent- astle- ▁swag- ▁servic- ▁rehears- ▁millenni- vergreen- ▁submissi- hennai- enegade- esistance- ▁Mexic- ▁obstruct- ▁Aqua- ▁coincide- ▁depart- ddling- ▁celeb- ▁deploy- evio- negotia- ▁hydro- ▁protrud- ▁Comfort- ▁Disco- ▁boycott- Beckham- Bennett- Carrey- Clues- DiCaprio- Muhammad- Payne- Ramsey- Ribbon- Rowling- Solo- Uemura- arella- ligently- rrogate- ▁AddMath- ▁Adele- ▁Aidil- ▁Akbar- ▁Aloysius- ▁Anderson- ▁Anjib- ▁Anusha- ▁Bermuda- ▁Buddy- ▁Canberra- ▁Carnage- ▁Clean- ▁Colorado- ▁Coupet- ▁Daryl- ▁DeepMind- ▁Depot- ▁Donnie- ▁Durian- ▁Edusave- ▁Fiido- ▁Georgia- ▁Ghibly- ▁Gudetama- ▁Guinness- ▁Guzheng- ▁Heidi- ▁Hummus- ▁Immortal- ▁Insidious- ▁Jewel- ▁Kahshee- ▁Katherine- ▁Kelantan- ▁Kozminski- ▁Labyrinth- ▁Loann- ▁Lookism- ▁MUIS- ▁Mcnugget- ▁Millennials- ▁Mongrel- ▁Mountain- ▁Mutton- ▁Narcos- ▁Nolan- ▁Oprah- ▁Pagoda- ▁Paladin- ▁Panopticon- ▁Paramore- ▁Pochinki- ▁Raisa- ▁Rampage- ▁RedMart- ▁Rojak- ▁Rolanda- ▁Rumba- ▁Sanhok- ▁Sembcorp- ▁Shatec- ▁Shazleen- ▁Sheila- ▁Siberia- ▁Spirulina- ▁Spongebob- ▁Sugar- ▁Tiaga- ▁Tibet- ▁Tintin- ▁Toronto- ▁Umairah- ▁Vain- ▁Vegan- ▁Walter- ▁Webtoon- ▁Whatsapp- ▁Yasmin- ▁Yellow- ▁Zipline- ▁abdomen- ▁adequate- ▁adversities- ▁aftertaste- ▁aggravate- ▁armchair- ▁artefact- ▁artifact- ▁avengers- ▁averaging- ▁barnyard- ▁beloved- ▁blueberries- ▁boisterous- ▁bolognese- ▁bouquet- ▁breadcrumb- ▁brooch- ▁chamber- ▁champagne- ▁chihuahua- ▁chrysanthemum- ▁cinematography- ▁coffin- ▁coherent- ▁collarbone- ▁colloquial- ▁condescending- ▁consolidat- ▁consonant- ▁contagious- ▁contemplating- ▁contemporary- ▁coriander- ▁courtyard- ▁cynical- ▁daunting- ▁deadlift- ▁decreasing- ▁degrading- ▁dentures- ▁devoting- ▁dictate- ▁dodgy- ▁doorstep- ▁dopamine- ▁douchebag- ▁dwarf- ▁earthworms- ▁emporium- ▁enclosure- ▁entails- ▁esketit- ▁espresso- ▁execution- ▁exfoliant- ▁exquisite- ▁fingertip- ▁gizzard- ▁globe- ▁graffiti- ▁hiccups- ▁hokkaido- ▁hyperactive- ▁iModel- ▁imitation- ▁impediment- ▁indebted- ▁indomie- ▁inertia- ▁infested- ▁infinite- ▁interconnected- ▁introspective- ▁intrusive- ▁jewelleries- ▁keloid- ▁keropok- ▁knuckle- ▁liddat- ▁lychee- ▁mackerel- ▁malamute- ▁mechatronics- ▁memorabilia- ▁menacing- ▁menthol- ▁messenger- ▁migraine- ▁mortgage- ▁muachee- ▁muffled- ▁mussels- ▁narrate- ▁negotiation- ▁nitrogen- ▁obscure- ▁oriental- ▁overcooked- ▁overcrowded- ▁paitao- ▁parasite- ▁persuasion- ▁pinafore- ▁pistachio- ▁pistol- ▁predator- ▁premature- ▁preoccupied- ▁prettie- ▁profiling- ▁prototype- ▁radish- ▁reincarnated- ▁reindeer- ▁repurpose- ▁resilient- ▁retrospect- ▁revenue- ▁rhino- ▁ritual- ▁roulette- ▁salvage- ▁sandbag- ▁scorpion- ▁scrawny- ▁sculp- ▁secluded- ▁silhouette- ▁simulation- ▁simultaneously- ▁slipshod- ▁sneezing- ▁snippet- ▁sparring- ▁splatter- ▁spooky- ▁sprinkle- ▁structural- ▁strudel- ▁stylus- ▁succulent- ▁supervision- ▁tattered- ▁terribly- ▁ticklish- ▁tidbit- ▁tomollow- ▁tremendous- ▁trespass- ▁trishaw- ▁unaware- ▁uncommon- ▁uncouth- ▁underestimate- ▁understudy- ▁unknowingly- ▁unwanted- ▁upbeat- ▁username- ▁utilize- ▁wavy- ▁woodworking- ▁wurly- ▁Boost- ▁Brighton- ▁Neslo- ▁Silk- ▁abundance- ▁advent- ▁analogy- ▁calibr- ▁conscientious- ▁ingrain- ▁misjudge- ▁noisier- ▁parsley- ▁peppermint- ▁recontract- ▁smuggle- ▁spacing- ▁stomp- ▁truancy- mitten- ▁Dengue- ▁Emily- ▁Fajar- ▁Harbin- ▁Kamal- ▁Toggle- ▁abalone- ▁celery- ▁copycat- ▁dubious- ▁glare- ▁greasy- ▁hydrogen- ▁influential- ▁jeopardize- ▁laboratory- ▁perseveran- ▁reform- ▁shucks- ▁Kingsman- ▁Prive- ▁Steffi- ▁boomerang- ▁estimation- ▁eventual- ▁glamour- ▁goblin- ▁intersect- ▁mimic- ▁slimmer- Beautiful- ▁Famous- ▁Kylo- ▁figurative- ▁troop- ▁vapour- Gogh- ▁Amber- ▁Beatles- ▁Brenda- ▁Logan- ▁Nasser- ▁Ramesh- ▁avid- ▁carol- ▁flaming- ▁geese- ▁rattan- ▁sledge- ▁Nineteen- ▁Nurul- ▁Pegan- ▁apology- ▁escaping- ▁existentialist- ▁lasik- ▁mansionette- ▁masculinity- ▁percussion- ▁shards- ▁speculation- ▁template- ladder- ▁Cholo- ▁Gerpe- ▁Store- ▁Suri- ▁ambiance- ▁screwdriver- ▁shading- ▁telephone- ▁Gamebooks- ▁Valerie- ▁Zaibo- ▁antisocial- ▁carnation- ▁corpse- ▁droplets- ▁hypocritical- ▁memorizing- ▁perspiring- ▁salsa- Buloh- Patterson- ubis- york- ▁Ahkah- ▁LinkedIn- ▁babysitter- ▁battlefield- ▁censorship- ▁disruptive- ▁perfectionist- ombie- ▁backfire- ▁compact- ▁outerwear- ▁Kanye- ▁Levina- ▁diaries- ▁exclusivity- ▁indulgence- ▁intonation- ▁liberat- ▁magnetic- ▁molecul- ▁patties- ▁quotation- ▁raffle- ▁Powerpuff- ▁compatib- ▁sulk- ▁trump- ▁General- ▁Muji- ▁lulu- ▁spicie- ▁ramble- ▁stimulation- ▁Kashi- ▁thorn- ▁Colour- ▁clump- ▁dulan- ▁lazier- ▁manipulative- ▁shimmer- ▁undergraduate- logue- ▁Angelina- ▁Suzy- ▁capsizing- ▁lik- ▁psychotic- ▁understatement- ▁ventilat- Pahat- ▁bankruptcy- ▁contradiction- ▁destruction- ▁sanity- ▁Dawn- ▁Salva- ▁fluid- ▁pricy- ▁Satay- ▁frock- ▁pending- ▁restrictive- ▁scammer- ifier- ▁mingling- ▁Sapa- ▁grandchild- ▁rosy- Nun- ▁physician- ▁comprehensive- ▁kope- ▁qual- ▁rubric- ▁evade- ▁globalisation- ▁radiotherapy- ▁tripped- ▁Race- ▁denial- ▁redemption- wow- ▁anorexia- ▁displace- ▁Ashton- ▁Zeus- ▁anatomy- ▁Family- ▁Murakami- ▁Oriental- ▁dreadful- ▁glamor- ▁Damai- ▁Hogwarts- ▁billboard- ▁consumerism- ▁explosion- ▁booze- ▁cathedral- ▁pianist- ▁Shaun- ▁Freshies- ▁Lavi- ▁eeyer- ▁freight- ▁wholesome- ▁affectionate- ▁euro- ▁pussy- ▁slut- ▁twinning- ▁mellow- ▁quoting- ▁paintball- ▁primate- score- ▁Istana- ▁Kayaking- ▁affiliated- ▁blatantly- ▁dehydrated- ▁eyelash- ▁chubby- ▁hottest- ▁unproductive- ▁unrelated- ▁womanizer- endang- ▁daugh- Kheng- ▁Chronicle- ▁harmful- ▁Sakae- ▁Shoppe- ▁clipper- ▁insistent- ▁sparkling- ▁trademark- took- thical- ▁kuih- ▁diesel- ▁incest- ▁Station- arabat- ▁charac- ▁Heroes- ▁deliberately- ▁Dior- ▁discriminate- ▁zag- ▁Prudential- ▁bubbling- ▁suffocating- ▁noticeboard- ▁patrol- ▁tagged- ▁Evan- ▁wrapper- ▁Kickapoo- ▁sank- ▁Monster- ▁adaptive- ▁spillage- ▁cheongsam- ▁haram- Chamber- ▁Ella- ▁transferring- ▁Maslinda- ▁beautif- ▁Naan- ▁shaw- ▁Bosch- ▁Dash- Gandhi- ▁bodysuit- Mahal- ▁Chevron- ▁mantis- ▁trashcan- ▁utter- ▁enunciate- ▁consent- ▁guitarist- ▁Who- ▁powderful- ▁reaper- ▁rashes- ▁Conjuring- ▁Education- ▁iCloud- ▁Like- ▁propel- ▁Salvation- ▁Gula- ▁witty- ▁Keane- ▁yuan- ▁vow- ▁Evo- ▁shareholder- ▁hazel- ▁bolt- ▁changi- ▁autonomy- noya- ▁perfumery- ▁undertaker- ▁Putra- ▁Halia- ▁communist- tigate- ▁rapist- ▁zipline- dog- ▁prune- ▁bustle- ▁illustrator- ▁blurry- ▁viewpoint- ▁drawback- ▁potent- ▁repress- ▁litted- ▁disturbance- ▁treehouse- ▁Miami- ▁rework- Chuan- Wall- Depp- ▁lax- ▁Greatest- ▁formality- ▁Smoo- ▁overview- ▁validated- ▁volcanoes- Rice- ▁easel- ▁locket- ▁fluently- vour- ▁detached- ▁biasness- ▁hypo- ▁practicality- ▁elected- ▁Wood- ▁Batisah- ▁Turtle- ▁Grabfood- ▁Jovi- ▁sev- ▁cooper- ▁rundown- ▁Sedan- ▁queer- ▁kaka- ▁Stal- ▁Xbox- ▁swerve- ▁native- ▁Bowl- ▁Talk- ▁confiscated- ▁stubbornness- ▁factories- ▁jiak- ▁damm- ▁saman- ▁traumatize- ▁profitable- ▁Gmail- ▁Sakurai- ▁downfall- ▁quali- ▁percentile- ▁keng- ▁Made- ▁Factor- ▁varied- heongsam- ▁ahem- ▁signpost- ▁Biz- ▁Vista- ▁Born- ▁occasional- ▁Liang- ▁ditch- ▁crip- ▁muse- ▁Everest- ▁mainland- ▁compu- ▁denser- ▁Lagoon- ▁Utama- essert- ▁Nepali- ▁Show- ▁potion- ▁creamier- ▁Jake- ▁zipper- ▁Six- ▁Cooper- ▁Zhen- ▁pesto- ▁Guo- ▁realisation- ▁maki- ▁cheong- ▁jug- ▁restructur- chup- ▁activated- ▁minimally- ▁Chiong- ▁clone- ▁kaw- ▁crushes- ▁bender- ▁nani- ▁Minh- ▁westerners- ▁implying- ▁mustache- ▁brushes- Xie- ▁urgently- ▁tuning- ▁Sister- ▁burped- ▁eliminated- ▁strengthen- ▁doughy- ▁sizing- ▁giveaway- ▁bronzer- ▁comical- ▁disrespected- ▁beeping- ▁campaigner- wang- ▁Nara- ▁Soon- ▁Circu- ▁merely- ▁enduring- ▁exceeded- ▁standee- ▁Cass- ▁Premiere- ▁godson- ▁fleshy- ▁skii- ▁dane- ▁sketching- tiao- ▁sesh- itive- ▁tangled- Bai- Chap- ▁Gaga- ▁bir- ▁whisker- ▁Grande- ▁Post- ▁coverall- ▁distributed- ▁underlined- ▁amused- ▁adapter- ▁bouldering- ▁externally- ▁hotline- suit- ▁interrupted- ▁wholesale- ▁overwork- ▁invaded- ▁maximi- ▁Victor- ▁runway- ▁Penyet- ▁composed- ▁optimis- ▁pawn- ▁stained- ▁Kayu- ▁assessed- ▁exuberant- ▁carom- ▁kur- ▁internally- ▁worthless- ▁stopper- ▁crawled- Tee- ▁freshness- ▁insisted- ▁Jana- ▁Tik- cker- ▁bearable- ▁Puti- ▁quad- ▁dryness- ▁Dana- ▁tuba- ▁EZ- ▁absorbed- ▁Jet- ▁unto- ▁amend- ▁Dong- ▁Socr- ▁jiao- ▁threatened- ▁Taois- ▁restless- ▁outcast- ▁getaway- ▁coping- ▁additionally- ▁tasteless- ▁expanded- ▁adver- ▁jokingly- ▁dune- Brock- ▁defender- ▁gasp- Yun- ▁murdered- ▁manually- ▁desired- ▁expiring- ▁Kath- ▁fist- ▁Nur- ▁pressurize- ▁grinding- ▁traitor- ▁oopsie- ▁threading- ▁bridg- ▁stricter- ▁firsthand- ▁sucker- ▁Airy- ▁iceman- ▁ridiculously- ▁defending- ▁formally- ▁jungler- Gen- ▁Age- ▁yel- ▁applic- ▁Nadia- being- ▁sud- ▁Comm- ▁behaved- ▁damaged- ▁Sean- ▁sweeten- ▁responded- ▁Kei- langah- Dong- Guilin- Drew- ▁reviewed- ▁reminisce- fare- ▁daylight- ▁Chell- malam- ▁dozen- ▁Keds- ▁Kung- ▁tracker- ▁baht- mega- ▁retaining- ▁memorised- ▁gossipy- ▁Bosc- ▁Team- kia- ▁Cam- ▁tru- ▁screamed- Team- ▁marginalise- ▁cheeky- ▁tic- ▁puree- ▁displayed- ▁lieu- ▁slider- ▁situational- zbuy- ▁Mariam- ▁laying- ▁fru- ▁portraying- ▁Kill- ▁Jup- ▁tryout- ▁disappearing- eggae- ▁clamp- Dazs- ▁tomb- ▁filtering- ▁DJ- ▁Jacky- ▁Low- ▁beautifully- qing- ▁ghostly- ▁recalled- ▁Lucas- ▁gymnastics- ▁immigrants- ▁pellets- ▁magnets- ▁nachos- ▁glamp- ▁scorer- ▁divider- ▁sati- ▁bedding- ▁pedas- ▁responding- ▁Cambodian- ▁Live- ▁coster- ▁Pup- ▁ref- ▁Billy- ▁instruct- ▁Kal- ▁particle- ▁crushing- ▁deserved- ▁Kun- ▁misses- ▁monitoring- ▁skilled- ▁Pull- ▁Davi- Pei- ▁Tha- ▁archi- ▁inches- ▁emotionless- holster- ▁pressed- ▁curls- ▁displaying- ▁shameless- ▁conditioning- girls- ▁riddles- ▁drooling- ▁Kitte- ▁slum- ▁Malaya- ▁Cart- manship- ubby- ▁interviewed- uhwhat- ▁flavouring- ▁Ria- ▁orbit- elly- Yin- ▁Jonah- ▁stacking- ulf- ▁scrapp- ▁flowing- ▁patronis- ▁stre- ▁petals- ▁adulting- ▁poorly- irl- ▁sau- ▁pac- bati- ▁parka- ▁hanged- lendon- ▁weirder- ▁catchy- proving- ▁investors- ▁Pilates- ▁bermudas- ▁diapers- ▁germs- ▁pebbles- ▁scallops- ▁defined- yung- Reap- ▁handcuff- nut- wiping- ▁usable- diate- ▁alre- ▁doze- ▁Ande- erf- ▁beca- ▁informati- lalang- ▁centred- ▁goose- osity- ▁pete- RA- ▁suprem- ▁imme- ▁Av- ▁wrinkle- ▁pinky- ▁marr- ▁believer- ▁holi- ▁Carls- ▁realist- ▁Nav- ▁yell- ▁afro- ▁cleaned- ▁happ- ▁fractio- ▁Pen- ▁picker- sim- ▁accumulati- uge- Junction- ▁nutritional- ▁gyming- ▁forge- cho- ▁acquir- top- play- ▁luo- ▁swo- ▁plush- erome- ▁sibe- Shack- ▁Stu- entrepreneurship- aker- ▁melo- ▁optic- moo- garden- ▁wiggl- ▁memo- ▁Elf- ▁fizz- ▁Kor- ▁coloring- ▁gy- ▁Glad- anny- izard- Lamb- ▁Tur- ▁Sub- otte- ▁Baker- ▁Tora- ▁humiliat- Ringo- ▁physiologi- ▁giggl- ▁hugg- ▁Lip- ▁aimless- ▁padd- ▁Merc- addy- ggers- ilia- ▁divin- ▁minimalist- heng- ▁Za- Yeo- ▁secur- actually- Now- ▁Lol- fusing- ▁Ele- ▁dub- agging- eenage- logical- ▁gl- kay- ▁purg- ummies- hiong- fully- ▁wil- ▁downgrade- ▁coordinat- ▁walker- ▁glut- rain- oth- ▁publicise- ▁airdrop- ▁embod- ▁stor- ▁bulg- Bike- ▁perf- gui- lease- ▁committ- ▁Nest- ▁beep- ▁cripple- iction- pei- ▁bac- ▁pressur- ▁jer- ▁defi- nese- ▁Dot- ease- ▁fou- ▁Woo- lao- bur- ▁Jum- pang- roy- ▁Sia- ▁smo- ▁sel- okay- ▁pickle- ▁diagnos- izzle- media- ▁bod- ushi- ▁reme- ▁commentar- ▁indulg- ▁scrambl- ▁wag- ▁ventur- ▁sighted- ulated- Pai- ancy- pian- Gab- esar- ux- Jenner- ▁zh- ▁dial- ▁indicat- inning- ▁cran- ▁basin- ▁concur- ▁patron- ▁tackl- ▁Act- sulting- imo- arred- Kueh- erial- ▁assure- hoc- ▁apparel- Fan- ▁tantrum- ▁Resort- ▁analytic- Brother- ▁regulation- ▁congratulation- ▁Airline- ▁boob- ▁cockle- ▁frie- ▁shophouse- ▁cau- Lan- ▁fatal- ▁Soci- ▁enc- Lun- ▁clothe- ▁ela- ▁lif- ▁stin- capped- ▁eng- ▁instruc- ▁viewer- ▁conver- ▁apparen- icles- ▁feminis- ▁petal- ▁rese- abo- Por- eech- ▁Wind- Png- cination- Ten- ▁sui- ▁recreation- rmal- ▁replica- Chia- ▁quan- ▁admir- ▁Mil- ▁feng- dded- ▁appli- gba- ▁Rou- oded- Christ- kling- ▁acco- cock- ▁fir- ▁stud- ▁conti- ▁generat- ▁dab- hanger- ▁scribbl- ▁Kevi- ▁overwhelm- ▁disgust- ▁translat- learn- ▁overflow- ▁embarass- ▁enrich- ▁Zion- ▁festi- ▁eliminat- exist- ▁involv- claim- luck- ▁jade- ▁implie- shoot- ▁entitle- ▁flourish- ▁communi- axophone- abilities- fresh- ▁appoint- ▁amplifie- ▁lingui- Bueno- Campbell- Ericsson- bilis- Curry- Hardy- Possible- Waterfront- llustrator- Putra- write- cooper- College- Garfield- Kacang- clutter- Chee- Zhong- Switch- floss- Martin- Mario- Melaka- ▁Morgan- league- Audi- Royal- Museum- sufficient- South- capable- omelette- Geylang- Raffles- Secret- frame- pilot- slept- ▁autonom- Bedok- Jurong- brother- girlfriend- when- family- glory- Court- ▁enterpris- class- sports- Primary- ▁Mega- ▁procreat- Shore- stral- ▁lasagn- Katong- ▁fluff- ▁energ- arthritis- paint- balance- woman- Giant- malay- nerd- Boat- ▁meditat- ▁multiplie- Amos- ▁glide- why- ▁restore- ▁alwa- irates- ▁inherent- ▁thorough- chek- ▁especial- Center- illenials- Dark- nounce- ▁gradual- hallenger- ▁unfriend- game- erald- atural- chemic- ▁coincident- ▁judgment- ▁coincidental- ▁Michel- ormula- ▁coward- ▁explosi- ditor- ivalry- thritis- ▁enthusiast- ▁congratulat- ▁orientat- ▁assassin- ▁uncertain- linders- ▁environ- ▁subtract- latan- ▁homosexual- Huang- migrant- ▁Capital- ▁commute- ▁Casi- '3'- ▁Battle- ▁Crime- ▁Rasuk- ▁Constance- ▁Leicester- ▁Sistine- ▁dermatologi- ▁Binjai- ▁Kavis- ▁Okto- ▁Silicon- Thatcher- ▁Bohemian- ▁Dennis- ▁Raymond- ▁Taroko- ▁Whampoa- ▁bumble- ▁devotion- ▁levitat- Atkinson- Bolton- Bridge- Brule- Corden- Cumberbatch- DeGeneres- Diesel- Gambino- Garrix- Hemsworth- Heritage- Hussain- Interchange- Laundrette- Level- Negara- Neville- Pacquiao- Persie- Ramlee- Streisand- lluminati- normous- penyet- quamarine- ▁Adriel- ▁Akira- ▁Anastasia- ▁Andriod- ▁Antwerp- ▁Arizona- ▁Auckland- ▁Awaz- ▁Azkaban- ▁Beethoven- ▁Bodyguard- ▁Braddell- ▁Bruce- ▁Buzzfeed- ▁Chadwick- ▁Chandler- ▁Cheddar- ▁Chernobyl- ▁Clarins- ▁Coachella- ▁Colorpop- ▁Company- ▁Condo- ▁Counterstrike- ▁Crayon- ▁Cuisine- ▁Culture- ▁Daenerys- ▁Deekosh- ▁Digest- ▁Dillon- ▁Dungeon- ▁Durarara- ▁Esther- ▁FOMO- ▁Fajita- ▁Fieldsville- ▁Fiji- ▁Flume- ▁Hataraku- ▁Heeraj- ▁Hercules- ▁Honolulu- ▁Houston- ▁Jiufen- ▁Joakim- ▁Kadir- ▁Kasta- ▁Kindle- ▁Kitchen- ▁LMAO- ▁LaSalle- ▁Lalamove- ▁Lawrence- ▁Luqman- ▁Madonna- ▁Martial- ▁Matilda- ▁McFlurry- ▁Megazord- ▁Ministry- ▁Mississippi- ▁Mormon- ▁Morocco- ▁Napfa- ▁Nirvana- ▁Nissin- ▁Oleander- ▁Ostrava- ▁Othello- ▁Palawan- ▁Picnic- ▁Pixel- ▁Poptropica- ▁Poseidon- ▁Rabbit- ▁Radiohead- ▁Razer- ▁Redmart- ▁Reebo- ▁SOTA- ▁Sadie- ▁Sebastian- ▁Seiko- ▁Seremban- ▁Shenkuu- ▁Shiberty- ▁Shopkins- ▁Skittles- ▁Solecase- ▁Somalia- ▁Songket- ▁Spice- ▁Starfire- ▁Stomp- ▁Subsuka- ▁Sumatra- ▁Surabaya- ▁Syndra- ▁Targaryen- ▁Terraria- ▁Unfabulous- ▁Usopp- ▁Vitagen- ▁Watami- ▁Wharf- ▁Wilfred- ▁Woodleigh- ▁Xiaxue- ▁Yugioh- ▁Zidane- ▁abolish- ▁academia- ▁accommodating- ▁adjective- ▁african- ▁ahmad- ▁allegedly- ▁ambiguity- ▁anchovies- ▁appliances- ▁apprentice- ▁armskote- ▁availabil- ▁barricade- ▁believable- ▁billiard- ▁blackcurr- ▁bookshelf- ▁calefare- ▁cashflow- ▁categorise- ▁caterpillar- ▁cheapskate- ▁chief- ▁clarity- ▁clause- ▁cleave- ▁codependent- ▁commonwealth- ▁compilation- ▁concurrently- ▁conspiracy- ▁conspire- ▁corruption- ▁cottage- ▁credible- ▁crescent- ▁damaging- ▁decline- ▁declining- ▁degenerate- ▁demolition- ▁demotivate- ▁devastated- ▁devastating- ▁diaphragm- ▁dictator- ▁disgrace- ▁dispatch- ▁displeasure- ▁dystopian- ▁elitism- ▁endorphin- ▁ensemble- ▁equity- ▁estella- ▁exempted- ▁exorbitant- ▁fanciful- ▁flaunt- ▁flavourtown- ▁forefather- ▁forensic- ▁gibberish- ▁gimme- ▁gloomy- ▁glucose- ▁gratification- ▁gruesome- ▁guava- ▁gynae- ▁hammock- ▁harmonizer- ▁heaviest- ▁hibernate- ▁hickey- ▁honeydew- ▁hungrier- ▁hurried- ▁hypothermia- ▁imaginative- ▁impractical- ▁inducing- ▁inefficiency- ▁infatuated- ▁influenza- ▁infused- ▁inquisitive- ▁insecurities- ▁insignificant- ▁jaguar- ▁jinx- ▁kanken- ▁lavender- ▁lenient- ▁lilac- ▁litigation- ▁locksmith- ▁loiter- ▁longevity- ▁maggots- ▁maisonette- ▁majestic- ▁meritocracy- ▁millipede- ▁mojito- ▁monastery- ▁monorail- ▁mukbang- ▁nepotism- ▁nonchalant- ▁nonetheless- ▁obesity- ▁odac- ▁opaque- ▁origami- ▁ostrich- ▁outstretch- ▁overpopulated- ▁override- ▁parapet- ▁patriarchal- ▁persuasive- ▁phenomenon- ▁pigmentation- ▁piloxing- ▁pomelo- ▁powerbank- ▁preservation- ▁pressurising- ▁prostitute- ▁prostitution- ▁rambling- ▁recreating- ▁rectify- ▁reimburse- ▁relevanc- ▁remedies- ▁renowned- ▁reorganise- ▁reptile- ▁responsive- ▁rethink- ▁reunite- ▁revelation- ▁rosti- ▁sabotage- ▁sacrificial- ▁sanctuary- ▁saviour- ▁sidekick- ▁skinnier- ▁slapped- ▁sleek- ▁slurp- ▁smirk- ▁stellar- ▁stench- ▁storytelling- ▁stylo- ▁submarine- ▁substantiate- ▁sunbathing- ▁surcharge- ▁surmise- ▁surreal- ▁suspens- ▁swept- ▁tactful- ▁tangerine- ▁thanksgiving- ▁threadmill- ▁tortoise- ▁transmission- ▁trickshaw- ▁tumeric- ▁turmeric- ▁unbreakable- ▁unconventional- ▁unfamiliar- ▁unforgettable- ▁unfulfill- ▁unheal- ▁unpack- ▁unreliable- ▁unveil- ▁velocity- ▁vigilant- ▁volatile- ▁wacoal- ▁wicked- ▁wilderness- ▁withdrew- Ketchum- ▁Brokeback- ▁Clifford- ▁Economics- ▁Eeyor- ▁Eudora- ▁Kebab- ▁Matcha- ▁Narelle- ▁Patrick- ▁Salim- ▁berapa- ▁concuss- ▁entangle- ▁imprison- ▁inactive- ▁incinerati- ▁insured- ▁irritable- ▁juggling- ▁kerb- ▁penthouse- ▁physiotherapist- ▁posterior- ▁prosecut- ▁robust- ▁shrunk- ▁solitude- ▁turd- ▁underpass- ▁wholemeal- ▁yip- Ambeng- Kennedy- ▁Hydr- ▁Inisha- ▁Kellogg- ▁Morinho- ▁Petercrouch- ▁Reader- ▁desensitize- ▁eggplant- ▁embroider- ▁enchant- ▁fandom- ▁hamburger- ▁harmonic- ▁investigating- ▁lassi- ▁leftward- ▁miserably- ▁mistress- ▁pagoda- ▁pigtail- ▁pulpo- ▁recognising- ▁reign- ▁riffs- ▁sleepwalk- ▁tatami- ▁temptation- ▁twitch- ▁yikes- itamin- ▁Pierre- ▁bypass- ▁delegat- ▁pawnshop- Charlotte- endrick- lender- ▁Aberc- ▁Carrot- ▁Kamu- ▁Loyang- ▁Peaky- ▁Smurf- ▁Yahoo- ▁garner- ▁pressurizing- ▁simplify- Cowell- Neeson- ▁Apax- ▁Clive- ▁bloop- ▁bodied- ▁eagle- ▁jeera- ▁republic- ▁sachet- ▁witchcraft- ▁worrywart- ▁Jumper- ▁Patek- ▁Shannon- ▁Tofu- ▁Zubi- ▁airshow- ▁beacause- ▁caesarean- ▁inspiriting- ▁maximize- ▁microbio- ▁mysteries- ▁remedy- ▁saloon- ▁saucy- ▁teapot- ▁tutu- ▁Lovisa- ▁Saraca- ▁Scout- ▁arbitrary- ▁fuming- ▁ivy- ▁lollipop- ▁poetic- ▁solemn- Chaplin- ▁Carlyn- ▁Collin- ▁Gelato- ▁Kenji- ▁Merek- ▁stutter- ▁Sahana- ▁Sehun- ▁holocaust- ▁plaque- ▁Masala- ▁Pyth- ▁comedies- ▁dabbing- ▁eavesdropping- ▁frilly- ▁revolutionary- ▁uprising- ▁Yankee- ▁Melody- ▁Saku- ▁Ubergrapher- ▁obligated- ▁robbing- ▁villian- Granger- fected- ▁Peace- ▁assurance- ▁collide- ▁stubble- ▁tiresome- ologne- ▁Phisha- ▁Rasa- ▁cauli- ▁Germaine- ▁Libra- ▁Seventeen- ▁agak- ▁dividend- ▁Raned- ▁Stray- ▁detest- ▁esters- ▁froyo- ▁recollection- ▁toppled- ▁prerequisite- ▁pyjamas- ▁sacred- ▁selves- ▁Fariz- ▁Lucy- ▁Musa- ▁Davina- ▁Judy- ▁blemishes- ▁hippie- ▁porch- ▁skewe- ▁exponentially- ▁mistreat- ▁sparrow- Diaries- kram- ▁gourd- ▁horlick- ▁ascend- ▁daft- ▁subtraction- ▁maturing- ▁normative- ▁Aquaman- ▁Farid- ▁Pinang- ▁Soju- ▁parody- ▁rasp- Xiong- ▁Demi- ▁Hebe- ▁gently- ▁shameful- ▁drumlet- ertis- ▁confrontational- ▁pupa- ▁drastically- ▁guac- ▁Jared- ▁Marmalade- ▁empowerment- ▁flunk- ▁jellybean- ▁visc- Paddle- ▁Dollah- ▁Tangled- ▁bullier- ▁clapping- ▁resembles- Care- ▁Asos- ▁Moza- ▁Westgate- ▁quarry- ▁Lazuli- ▁chorus- ▁tequila- ▁wafer- ▁Jeanette- ▁SpiderMan- ▁grumbling- ▁kinship- Lapis- Madrid- ikgu- ▁coordinator- ▁dahl- ▁yoogane- ▁Kimberly- ▁Pharrell- ▁brigade- ▁forgivable- ▁dyslexia- ▁nicotine- ▁sensitivity- ▁Chick- ▁Edward- Ferrell- ▁Siva- ▁bleak- ▁Cheong- ▁civilized- ▁reciprocation- ▁Singsale- ▁elementary- ▁laloo- ▁Gear- sibility- ▁Mogu- ▁limelight- Train- ▁kakak- ▁shortlist- rped- ▁carousell- ▁footprint- Kurau- ▁globalised- ▁mower- ▁backstory- ▁monit- ▁Trans- ▁daisy- ▁hijack- ▁compass- ▁prankster- ▁Jinna- ▁transformation- ▁navigation- ▁homesick- ▁Robinson- ▁alps- ▁liability- ▁solidif- ▁whistl- ▁Luka- ▁Goro- ▁extraordinary- ▁Mollywood- ▁hobo- ▁shapeshift- ▁absent- ▁endorse- ▁exclaim- ▁tradesman- ▁Tanuki- ▁modification- ▁Asam- ▁shawl- ▁Heath- ▁chapteh- ▁Desiree- ▁alignment- ▁rollerblade- ▁grit- ▁vacancy- liath- ▁Mitchie- ▁purposeful- idle- ▁Salman- ▁cylinder- ▁supposing- ▁Dora- ▁Institute- ▁Convenience- ▁Future- ▁Gabriel- ▁Gateway- ▁Krunch- ▁Satan- ▁Schwarzenegger- ▁Technical- ▁Theatre- ▁alteration- ▁hush- ▁crayon- ▁snipe- Kardashian- ▁moonlight- ▁emit- ▁Stephenie- face- ▁aburi- ▁constipated- ▁Kurt- ▁nutri- ▁cowardly- ▁omega- ldering- ▁hopped- ▁recruitment- ▁slavery- ▁lever- ▁faci- ▁Austin- ▁rotan- ▁breathless- ▁indian- ▁swish- ▁Spartan- ▁Usman- ▁Tabata- ▁precaution- Law- ▁Anabelle- ▁Carrie- indef- ▁vary- ▁moisturize- ▁pester- ▁underdog- ▁gracefully- ▁Aquarium- ▁Caribbean- ▁Hathaway- zuo- ▁installment- ▁Shepard- ▁ladu- ▁acknowledgement- ▁affordability- ▁unfriendly- ▁tagline- ▁Camp- ▁TAF- ▁noticing- Group- ▁instantaneously- ▁roman- ▁salivating- Duck- yaki- ▁betrayal- ▁laces- ▁Fault- ▁waive- ▁Grabpay- ▁Fomo- ▁exert- ▁utai- ▁disposal- ▁unpaid- luted- liate- ▁pullover- ▁Curry- ▁Possible- ▁skillful- ▁inflated- ▁fomo- Rock- ▁Waterfront- ▁illnesses- ▁zhai- ▁uber- ▁alkali- Liu- ▁fruitful- ▁choreography- ▁jiang- ▁firewood- minal- ▁seniority- ▁Woman- ▁goatie- ▁conserving- ▁socializing- ▁sweetener- ▁speck- ▁deadass- ▁Riz- ▁trou- ▁clubhouse- Liang- Hai- ▁familiarity- ▁implied- ▁spaceship- ▁restored- ossil- ▁Semi- ▁endangered- ▁Lake- ▁Mango- Tomato- ▁Cind- ▁Smart- ▁predictable- ▁rover- ▁Huang- ▁Willy- ▁reassure- ▁Meg- ▁popper- Thanh- ▁situat- ▁Hardy- ▁Asher- ▁pushover- ▁Aqil- ▁congested- ▁ostracised- ▁shopped- cigarette- ▁blacklist- ▁appam- ▁Abba- ▁drier- ▁unfa- ▁adaptor- ▁backstroke- ▁excessively- ▁empowered- ▁worthwhile- ▁innovat- ▁Ride- ▁baton- ▁altruism- ▁Jez- ▁biases- ▁Udon- ▁epitom- ▁Dover- ▁shutter- ▁hatred- ▁poof- ▁reclaimed- ▁bitterness- ▁ushering- ▁romanticize- ▁gab- ▁smoothness- ▁songwriter- ▁Abel- oma- ▁Sota- Siang- ▁lapis- ▁firing- ▁Muk- ▁calmness- ▁interven- ▁misused- ▁crawler- ▁Stone- ▁Dew- ▁purging- ▁recharged- ▁exhi- Tsum- ▁selfishness- ▁fidgety- ▁miso- ▁Latino- ▁arrested- ringe- ▁histories- ▁Fist- ▁barrag- ▁Missha- ▁Blan- ▁deformed- ▁punches- ▁Fox- ▁doctorate- ▁kera- polis- ▁Beast- ▁Brad- ▁brainless- ▁talentless- ▁Lou- ▁masses- ▁crosster- ▁Hamza- burn- ▁specialization- ▁Tango- hmm- ▁shyness- gram- ▁Wheel- ▁Finding- ▁frowning- ▁stealth- ▁neatly- ▁lug- ▁McCartney- ▁Rex- ▁Faber- ▁deli- gana- ▁destroyer- illian- ▁homecoming- ▁raya- ▁conception- ▁betrayer- ▁nip- ▁derived- ▁kayponess- ▁Box- Candle- ▁Guy- ▁latter- Sue- ▁lun- ▁Blink- ▁headline- ▁heartedly- ctive- ▁Kasan- ▁Moon- ▁loosely- ▁versed- ▁Sci- ▁bonuses- ▁mul- ▁analyzed- ▁Haik- pize- ▁sever- ▁contradict- ▁Top- mination- lushie- ▁Ghe- fry- ▁sharper- ▁Clini- ▁desperately- ▁Dino- ▁thickness- ▁Sara- ▁Peng- ▁organizer- ▁breadth- ▁pow- icable- ▁honoured- ▁strained- ▁Hang- ▁defeated- ▁mov- ▁Tei- ▁Hary- ▁chup- ▁Fong- ▁revisi- ▁turnover- ▁establishing- Yorke- ▁polished- ▁politely- ▁befriend- ▁converter- ▁Tammy- ▁cranberr- ▁googling- ▁antagonist- ▁inconsistent- ▁Ono- ▁buffering- ▁eBay- boi- ▁sweeper- ▁Swan- ▁slowest- ▁deng- pai- ▁yawning- Gui- ▁heartless- ▁reductio- Korean- ▁Sex- ▁unle- blanc- ▁processes- ▁flavored- ▁waterway- ▁shirtless- ▁toughest- ▁speciality- ▁detected- ▁playback- ▁chicky- Food- ▁partial- ▁tolerated- ▁seng- ▁deducted- ▁teased- ▁usher- ▁resolved- ▁Bigo- ▁compl- thful- Sun- ▁tunneling- ological- ▁consumed- ▁lovingly- ▁Fann- ▁soften- ▁pate- Tian- ▁puffy- ▁rescued- Wu- ▁shoppe- ▁distressed- ▁ambi- Cai- ▁corny- otto- ▁Gilm- ▁makeover- ▁umrah- watch- ▁pref- ▁quicker- ilky- ▁conce- ▁weighing- ▁nailed- ▁roasting- ▁lec- ▁cov- ▁successor- ittle- Map- ▁filtered- Mac- ▁schoolwork- ▁Ong- ▁publishing- arments- ▁blo- ▁Zam- ▁sobbing- Dion- ▁tuned- ▁Lemak- toms- ▁Kana- ▁jailed- ▁drafting- wave- ▁Manu- ▁Tra- ▁reachable- ▁Kao- ▁guarded- ▁lightest- ▁zeroes- ▁burner- eye- ▁ou- ▁comply- ▁reduced- ▁Ibis- ▁stretchy- ▁Prat- ▁honk- ▁Bull- ▁Hali- ▁arriv- lph- ▁predicting- nstaStory- ▁pursued- ▁challenger- ▁Kris- ▁banger- ▁prevented- ▁squeezed- ▁heartlander- ▁snowed- ▁produced- ▁cram- ▁drilling- ▁spreaded- ▁treasurer- ▁imag- ▁vegeta- ▁proceeding- ▁eleg- anji- ▁racer- ▁hundredth- Phone- ▁parental- ▁planted- lding- ▁benefited- houl- ▁Barb- ▁jumper- ▁moolah- Friend- ▁mill- ▁expe- ▁deg- ▁developer- ▁contracted- ▁Schooling- ini- imbley- ▁clicked- ▁cape- ▁visualize- ▁haunting- ▁walkable- edical- ▁grilling- ▁Alar- geo- ▁worser- rinate- ▁poom- ▁Harif- most- ▁sicko- Lulu- rose- ▁bodybuild- ▁realism- itude- ▁criti- ▁handler- Ariff- ▁tramp- ▁degrade- Francis- ▁chocolatey- ▁hydrate- ▁glorif- ▁overlapp- ▁Hil- rgot- ▁asap- ▁environmentalis- AF- opper- ▁harmless- ▁curate- ▁dork- ▁chionging- ▁spank- ▁za- ▁winding- ▁blinded- ▁subside- ▁qu- ▁legi- lingual- ▁orderly- ▁lure- base- ▁Medi- ▁sleeper- ▁computerise- duh- ▁choc- curred- ▁cy- gina- ▁socio- ▁Orio- ▁Deep- ▁Yo- hildish- arro- Ah- ▁End- kul- sands- rupt- Tech- ▁earner- ▁hund- pool- ello- ▁dinn- stinate- ▁Neo- even- ▁bustl- tories- pathetic- ▁hasten- entity- oodlands- ▁Pea- Fury- eran- berg- ▁capitalise- ▁Levi- masak- ▁accumulat- inch- stand- ▁emba- oxid- gging- ▁Monte- ▁argumentati- call- bber- ▁vid- ocr- ▁Fuch- ▁backstabbe- ▁nationalis- ▁exc- ▁Zal- ▁traveler- ever- ▁eth- ▁deriv- ▁grate- ferring- ▁unfold- iation- cking- ▁Mur- rover- ▁Canton- stilled- him- ▁dime- cheng- ▁Tele- kuma- hol- ▁vin- ▁Huali- anuel- chun- eady- itis- epen- imer- ▁compe- order- ▁Myth- olla- ▁Az- ▁pul- ▁deficien- ▁matri- ulge- ▁deca- unk- With- ▁franc- lari- ▁Austra- ▁intrud- lame- ▁apologiz- Zhai- erries- utical- ego- seller- rched- lebar- emb- ▁Qu- ▁kua- uro- ▁buri- ▁circulate- lush- nial- Raw- aiyo- col- ▁kala- lang- ▁fixate- ▁cru- mati- ▁stimulat- ▁propos- ▁cel- Gao- ▁poli- Bake- ▁subscrib- Roof- Alam- Hung- zen- ▁refu- andar- ▁logge- Yung- uggle- ula- ▁jumb- nnies- erson- Cake- athon- ▁urbanis- ▁capitalist- Papa- ▁tran- ▁Vinc- ▁bul- ervic- ▁Wenh- espera- ▁capitaliz- ▁enti- ▁Aunt- ived- Boss- Bron- izer- ▁destin- ▁kisse- Maid- ▁prev- ▁angpa- ▁Juli- bab- ▁Zend- Kid- ▁interpreta- ▁gener- ▁vap- communication- ipe- anning- ▁satur- acin- Hyung- ▁advocat- ▁detaine- ▁Fin- Card- ▁labell- ▁cartoonis- ayer- ▁Web- ▁Rayna- ubbing- ▁Cho- ddler- ▁treasur- girl- ▁riddle- berry- ▁procra- oving- Girl- ▁premise- ▁wolve- ▁streak- ▁sadist- ▁disagreement- ▁flake- ▁eyeball- ▁grudge- ▁remark- ▁Mathematic- ▁Netherland- echnology- ▁Avenger- ▁Physic- ▁boomer- ▁Jame- ▁poi- ▁Father- ▁reliev- abata- lice- ruff- ▁tannin- Bare- head- utmost- wfully- lywood- ingham- ▁espe- ▁retiree- andan- ▁astig- ▁dir- ▁empha- ▁Marriot- lander- ▁expel- ▁edi- ▁catalys- ▁shou- ▁fami- ▁gif- burger- cky- ▁Wha- aggy- finity- stead- ▁dislik- tract- ryani- ▁brid- Prima- Halt- ▁twi- Sale- ▁tack- lded- ▁Gui- ▁Tae- tivating- rovi- abil- ▁regula- avier- ▁Gun- essa- shift- ▁Shape- phon- ▁instil- ▁amputat- ▁usua- ▁Gol- ▁Bur- lopp- after- ▁Havai- killers- ▁swop- oosebumps- sheet- ozy- ▁qualifi- ushed- ▁cohesi- ▁squeez- ▁smel- ▁Choo- ▁consol- ▁swerv- view- ▁schedul- ▁shiver- ▁troubl- heart- ▁ide- ▁initiat- ▁desir- ▁retir- Sua- ▁emphasiz- ▁reschedule- ▁inflate- ▁incredibl- ▁subsidise- ▁elevate- ▁Nico- ▁overrate- ▁satisfie- mother- minded- planning- science- ▁refuge- hearted- weetener- therapy- Chocolate- Health- Kingdom- curricul- xuan- Union- ▁Lyn- ▁retard- Aquarium- Caribbean- Hathaway- Tatum- fiqah- Beast- Conjuring- Education- interrupted- rapist- piece- ▁bloat- ▁financ- Academy- Davidson- Reservoir- alvation- Amri- Business- Forest- Toast- Maria- Valley- social- Mourinho- Canyon- Chew- bulb- ▁commodit- Zhou- knob- crackers- Juliet- Siti- Beauty- Cube- Keith- Lauren- Coffee- Spine- determined- ▁Anabell- Nicholas- balcony- organize- spicy- Michael- subscribe- Africa- British- professional- satisfied- typical- Cloud- married- theatre- thousand- value- written- friendly- ▁enunciat- primary- waste- drink- lemon- grown- Love- igger- ▁victor- hunter- bedok- clip- colour- tongue- ▁cemeter- ▁monopol- ▁Clair- ▁Clark- paper- ▁Tosh- upperware- metal- good- aslinda- packaged- held- butter- damn- Rod- ▁spher- ▁unconditional- Angeles- depth- anjong- Quee- ▁volcan- ▁ziplin- fringe- ▁deliberate- jack- residency- chemical- rifle- ▁clement- Polo- reasure- grapher- latform- deco- ▁firefight- ▁telemarket- ountry- riendzone- ompass- ▁carousel- ▁hawk- whitt- ▁trivia- yslexia- around- Xia- ▁measur- island- ▁communicati- enefit- ▁resembl- productive- ▁voic- ▁percepti- ▁homophob- ▁samba- ▁Burg- ▁phil- ▁squish- rigue- ejected- ▁schoo- ▁bribe- ▁rearrange- ▁exaggerati- eptical- ▁Entertain- ▁supple- ▁Bomb- ▁abili- ▁frantic- ▁transcend- ▁stagna- rank- pulsive- ▁Farooq- ▁Naru- ▁Second- ▁philanthrop- ▁repack- reckles- ▁pharma- Reptile- rocious- ▁Napoleon- ▁Wednes- ▁valentine- ▁validate- ▁Storm- bbish- constru- ▁Cecil- ▁Mastercard- ▁Sezairi- ▁Solomon- ▁hyperventilat- ▁peripheral- ':'- Alchemist- Brolin- Cavani- Converter- Defence- Exchange- Explore- Fansipan- Girlfriend- Grannis- Kerang- Lovato- Mandeb- Marbles- Marinda- Meyer- Packard- Ragnarok- Reborn- Rendezvous- Samsuddin- Spect- Tarik- Trench- Walker- appetising- appuccino- bahru- conferenc- dministration- gerrard- incarnate- iramisu- kyscraper- ntartica- ockingbird- osaurus- rangel- uhthis- '}'- '- ▁Abdullah- ▁Abraham- ▁Addam- ▁Aladdin- ▁Allyssa- ▁Anaheim- ▁Ananas- ▁Aristotle- ▁Assassin- ▁Atlanta- ▁Atticus- ▁Axel- ▁Ayden- ▁Balmain- ▁Bambang- ▁Bazaar- ▁Becka- ▁Bernice- ▁Bloom- ▁Bosphorus- ▁Brockhampton- ▁Burberry- ▁Cantho- ▁Capri- ▁Casper- ▁Chateraise- ▁Cheeketah- ▁Chipsmore- ▁Corolla- ▁Corvallis- ▁CosRX- ▁Cosrx- ▁Counter- ▁Creamier- ▁Cristofori- ▁Darrel- ▁Darwin- ▁Deathmatch- ▁Demons- ▁Design- ▁Dictator- ▁Dundee- ▁Dunkin- ▁Edgar- ▁Elane- ▁Eleanor- ▁Electro- ▁Enactus- ▁Equal- ▁Equator- ▁Eternity- ▁Ethiopian- ▁Everlast- ▁Fairuz- ▁Fatcat- ▁FavePay- ▁Favor- ▁Finsta- ▁Frisbee- ▁Front- ▁Giva- ▁Godiva- ▁Gojek- ▁Gulliver- ▁HabourFront- ▁Hanzo- ▁Harzik- ▁Hayde- ▁Hiragana- ▁Holdings- ▁Hollandaise- ▁Hologram- ▁Honestbee- ▁Hoshino- ▁Hsinchu- ▁Hunter- ▁Husserl- ▁Imperial- ▁Inktober- ▁Innok- ▁Jamaica- ▁Janabelle- ▁Jefri- ▁Jolibee- ▁Kendra- ▁Kenora- ▁Khalees- ▁Kinokuniya- ▁Kitori- ▁KouFu- ▁Leaves- ▁Leuch- ▁Lexus- ▁Libya- ▁Lilac- ▁Lontong- ▁Lorraine- ▁Luffy- ▁Management- ▁Matthew- ▁McNugget- ▁Motorola- ▁Mumbai- ▁Nebraska- ▁Nelson- ▁Nigeria- ▁Nobel- ▁Nothingness- ▁Nyx- ▁Oliander- ▁Otogi- ▁Paradise- ▁Pentatonix- ▁Petpetpet- ▁Pharaoh- ▁Poppins- ▁Portuguese- ▁Poteng- ▁Prakash- ▁Pretty- ▁Puff- ▁Qihua- ▁Reebonz- ▁Refash- ▁Remember- ▁Revlon- ▁Ribena- ▁Rooney- ▁Roxy- ▁Sabbath- ▁Sabsuka- ▁Scorpio- ▁Scramble- ▁Senibong- ▁Sennheiser- ▁Sensei- ▁Seraphina- ▁Shabir- ▁Shrek- ▁Silence- ▁Sogou- ▁Soraya- ▁Spotty- ▁Squirtle- ▁Supernatural- ▁Swarovski- ▁Syaz- ▁Sylvester- ▁Technique- ▁Thanksgiving- ▁Thosai- ▁Thriller- ▁Tigreal- ▁TikTok- ▁Transylvania- ▁Trivers- ▁Ukraine- ▁Uprising- ▁Valuetronic- ▁Vatican- ▁Velvet- ▁Wacom- ▁Wagyu- ▁Waiki- ▁Wakanda- ▁Wallace- ▁Westlife- ▁Winston- ▁Xenia- ▁Yeezy- ▁Zahirah- ▁abbreviate- ▁abbreviation- ▁abdominal- ▁abseil- ▁accessories- ▁acclaimed- ▁accompanie- ▁acutally- ▁administrator- ▁adversary- ▁adversity- ▁affluence- ▁affluent- ▁alligator- ▁alliteration- ▁anemone- ▁antihero- ▁applause- ▁apprehensive- ▁arrogance- ▁articulation- ▁ascertain- ▁asparagus- ▁bibliography- ▁bittergourd- ▁blasphemy- ▁bourgeois- ▁buckwheat- ▁bursaries- ▁cajon- ▁carbohydrate- ▁categorize- ▁catwalk- ▁caviar- ▁centimeter- ▁chameleon- ▁chauffeur- ▁chawanmushi- ▁cheddar- ▁cheebye- ▁cheerleader- ▁chimichanga- ▁chromo- ▁chrysa- ▁circumference- ▁clarinet- ▁coastguard- ▁cocoon- ▁commuting- ▁concious- ▁condolence- ▁confetti- ▁conglomerate- ▁congregate- ▁connectivity- ▁correspond- ▁coworker- ▁crisscross- ▁cuff- ▁customaries- ▁cutlery- ▁deceiving- ▁declaration- ▁deconstructor- ▁delifrance- ▁delinquent- ▁depleted- ▁digimon- ▁diminish- ▁disciple- ▁discrete- ▁discretion- ▁disparity- ▁disregard- ▁drenched- ▁droop- ▁dwindling- ▁dynasties- ▁eEcons- ▁electromagnetic- ▁enforcing- ▁entrap- ▁entrusting- ▁equilibrium- ▁euthanasia- ▁expedit- ▁expendable- ▁explanatory- ▁exploration- ▁eyebags- ▁faggot- ▁fajitas- ▁fashionista- ▁feminine- ▁fictitious- ▁florist- ▁foggy- ▁freeloader- ▁fretboard- ▁furnish- ▁fuzzy- ▁gachapon- ▁gallon- ▁gallop- ▁gonorrhea- ▁grenade- ▁griev- ▁hairpins- ▁handicraft- ▁herbivores- ▁hibernating- ▁hippopotamus- ▁hitchhiker- ▁hobbit- ▁homogeneous- ▁horribly- ▁hyena- ▁iPod- ▁identifiable- ▁ideologies- ▁igloo- ▁imperfection- ▁impolite- ▁incompetent- ▁indigestion- ▁infertile- ▁infringing- ▁instalment- ▁intricate- ▁investigator- ▁invoice- ▁iodine- ▁isolation- ▁jargon- ▁jenny- ▁jockey- ▁kicap- ▁kidnapped- ▁kinetic- ▁lechon- ▁lethargic- ▁lexicon- ▁ligament- ▁loudspeaker- ▁malacca- ▁mastermind- ▁melodies- ▁mischie- ▁miscount- ▁misguided- ▁monotony- ▁muesli- ▁multicultural- ▁multiplayer- ▁murta- ▁muruk- ▁neanderthal- ▁nihon- ▁nudity- ▁nutcracker- ▁nutritious- ▁ostracize- ▁otaku- ▁outburst- ▁outweigh- ▁overarching- ▁overcrowding- ▁overhyped- ▁overpowered- ▁paramour- ▁paraphras- ▁peacemaker- ▁perspec- ▁pessimism- ▁pesticide- ▁petroleum- ▁phenomenal- ▁phlegm- ▁physique- ▁pickpocket- ▁plural- ▁poeple- ▁precision- ▁prescribe- ▁pricier- ▁prorated- ▁pupil- ▁quantitative- ▁quarantine- ▁radius- ▁ramekins- ▁rebatch- ▁reclusive- ▁recuperate- ▁reenacti- ▁refurnish- ▁regenerate- ▁registry- ▁reinstate- ▁relativity- ▁relegate- ▁reprimand- ▁respawn- ▁retention- ▁retrac- ▁rewriting- ▁rofl- ▁rudimenta- ▁rupee- ▁scrutinise- ▁serenade- ▁shoelace- ▁shrimp- ▁shrub- ▁silhoutte- ▁skilful- ▁smudge- ▁smuggling- ▁societies- ▁spatula- ▁splinter- ▁sprout- ▁stepdad- ▁succinct- ▁sugarcane- ▁sunroof- ▁surgical- ▁surveillanc- ▁suspicion- ▁symmetr- ▁thickener- ▁titanium- ▁toothpick- ▁tornado- ▁transsexual- ▁treading- ▁trench- ▁unattainable- ▁unavailable- ▁unbeat- ▁uncountable- ▁undercover- ▁underprivilege- ▁unemployment- ▁unfrozen- ▁unleashed- ▁unopened- ▁unprepared- ▁unscrew- ▁unsustainable- ▁unwittingly- ▁utilise- ▁utilitarian- ▁vernacular- ▁vicar- ▁videography- ▁vigorous- ▁virtue- ▁voodoo- ▁waifu- ▁walnut- ▁wapiang- ▁webtoons- ▁widget- ▁workflow- ▁zebra- ▁Award- ▁Beetle- ▁Croc- ▁Easy- ▁Eeny- ▁Infocom- ▁Prize- ▁arguabl- ▁enthu- ▁inflamma- ▁misinterpret- ▁refail- ▁shrewd- ▁utopia- olitaire- ▁Burgess- ▁Cash- ▁Childhood- ▁Cinema- ▁Egive- ▁Guangzhou- ▁Hakim- ▁Johanna- ▁Laurel- ▁Merchant- ▁Miniclip- ▁Olaf- ▁Orbis- ▁Petpet- ▁Spring- ▁Talib- ▁Tuptup- ▁Zinger- ▁appendix- ▁coagula- ▁crucifie- ▁dailies- ▁demure- ▁discriminatory- ▁disperse- ▁dutch- ▁fantasies- ▁fetish- ▁gundu- ▁hairstylist- ▁hypothesi- ▁iBank- ▁imitate- ▁immigrate- ▁mangrove- ▁melanin- ▁mortar- ▁presumably- ▁rehab- ▁snitch- ▁strenuous- ▁sugarcoat- ▁tenacity- ▁theorems- ▁tutee- ▁wolverine- seido- ▁Adil- ▁Auto- ▁Battlefield- ▁Canmake- ▁Gemini- ▁Ikroh- ▁Latte- ▁Mcspicy- ▁aptitude- ▁bumblebee- ▁dismiss- ▁dissect- ▁douche- ▁generalising- ▁hairband- ▁harmonious- ▁helium- ▁kaopei- ▁nourish- ▁prophet- ▁socialising- ▁spinner- ▁swift- ▁twitter- Duxton- Golding- Monteiro- omeranian- ▁Bellerina- ▁Fernand- ▁Gareth- ▁MAN- ▁Makisan- ▁Serene- ▁Utown- ▁Work- ▁contradictory- ▁conversa- ▁farthest- ▁gambat- ▁kilogram- ▁luminous- choles- imony- ▁Barbara- ▁Goddess- ▁Protos- ▁craziness- ▁merging- ▁micromanag- ▁philanthropist- ▁pronounci- ▁retardant- ▁veteran- ▁Jonker- ▁Wingstop- ▁accomodation- ▁ailment- ▁choppy- ▁colonisers- ▁overfill- ▁ridicu- ▁serene- ▁omni- ▁stepmom- Scofield- shraf- ▁Garang- ▁Maslow- ▁Whis- ▁elongate- ▁morph- ▁motel- ▁retell- ▁revoke- ▁slouch- ▁swarm- ▁tablas- ▁uncover- ▁vegetation- ▁friendliness- ▁sociological- ridian- ▁Marshall- ▁collate- ▁fleet- ▁flim- ieved- ▁Annette- ▁Classified- ▁Mobike- ▁automobiles- ▁cider- Fuyong- ▁Meghan- ▁Yoko- ▁frantically- ▁pocky- ▁reciprocating- ▁Bombay- ▁Boston- ▁Capitalism- ▁Donkey- ▁annum- ▁colonized- ▁hedgehog- ▁intersting- ▁jacuzzi- ▁subsidiaries- alyps- ▁Theater- ▁ambient- ▁sailboat- ▁sakura- ▁Pesta- ▁breach- ▁converge- ▁counselled- ▁fluctuation- ▁hanoi- ▁staging- ▁Aiden- ▁Notebook- ▁Tasha- ▁drummer- ▁segregation- ▁Diana- ▁Reese- ▁SAR- Jackman- latoni- ▁Clare- ▁copywrit- ▁pallet- ▁variant- loating- ▁tropic- Khalsa- ▁kaput- ▁omit- ▁shredder- ▁thrones- ▁Ashley- ▁unimportant- Hwa- ▁Burj- ▁Deyi- ▁Emails- ▁Fallout- ▁bloke- ▁multimedia- ▁traction- apalang- riple- ▁BTS- ▁Laurance- ▁calisthenic- ▁profanit- ▁Zepp- ▁fertile- ▁forbid- ▁initiation- ▁Slim- ▁epita- ▁Sportslink- ▁stabbed- ▁vocalist- ▁interference- ▁opposing- commerce- ▁larva- ▁terracotta- ▁Jovina- ▁accusat- ▁countertop- ▁recollect- ▁spitball- ▁unisex- ▁yankee- osacea- ▁Dolly- ▁Heights- ▁Tapas- ▁extensively- ▁snorkelling- ▁civilisation- ▁hardwire- ▁Hazi- ▁reinforce- ▁warped- Modric- ▁Alipay- ▁campsite- ▁outshine- ▁proficiency- ▁Poland- elope- ▁Marx- ▁Zero- ▁humanitarianism- ▁marinade- ▁mentorship- ▁quirkiness- ▁Amex- ▁cooperation- ▁hydrant- ▁roving- ▁kinky- ▁Koda- ▁Radin- ▁boredom- ▁contextual- ▁swum- ▁terminolog- ▁urbanization- ▁Bengali- ▁Paper- ▁preview- ▁spectro- ▁fleshier- ▁mantou- ▁Otak- ▁tonkatsu- ▁Badang- ▁Brit- ▁mortality- Free- Russell- odyne- ▁Ginger- ▁juici- ▁drake- ▁medalist- ▁memento- ▁tolerat- ▁vapor- ▁Caroline- ▁Arthur- ▁sewage- ▁strategise- ▁suction- worth- ▁Jenga- ▁alleviate- ▁marvelous- ▁resent- ▁scrutinize- ▁termination- ▁separation- ▁neurotic- ▁viper- ▁unravel- ▁defect- ▁Complex- ▁Paradigm- ▁Singapura- ▁joving- ▁metallic- ▁punchek- ▁marries- ▁menses- ▁resourceful- rangle- ▁Subhas- ▁Milan- ▁Witch- ▁barracks- ▁evasion- upiah- ▁renegade- urgen- ▁Waken- ▁forcefully- ▁swagger- ▁tiara- ▁chapel- ▁reconnected- ▁causally- ▁habitual- ▁Bookhouse- ▁thinggy- ▁Charmander- ▁Pika- ▁friday- ▁governor- ▁newsstand- ▁subcon- eonard- ▁devour- ▁Mafu- ▁burial- ▁LiHo- ▁Redang- headed- ▁Dettol- ▁excelled- ▁glutes- Titl- ▁kennel- gedil- ▁negro- ▁radically- plish- ▁Motion- ▁dawn- ▁sunburn- uzu- ▁sedan- ▁transcendent- ▁Camry- ▁inheritance- ▁magma- ▁Inception- ▁Tepp- ▁cheeseburger- ▁prideful- ▁Hajj- ▁Orang- ▁Luna- ▁marinara- ▁Rochor- ▁Yogi- ▁hostile- ▁stepsister- ▁Tores- ▁redevelopment- ▁bidet- ▁Quek- ▁sanitizer- ▁Qiao- ▁Jackpot- ▁dampen- ▁idolise- ▁sewers- ▁crating- ▁foursome- ▁uncontrollable- ▁mailbox- ▁slipping- ▁Ashik- ▁bonobo- ▁tragically- ▁Haidi- bear- ▁iffy- ▁relearn- ▁repent- ▁Marilyn- ▁agaration- ▁civilian- ▁shrine- ▁irra- ▁concourse- ▁rubble- ▁repeti- ▁Chungha- ▁Baliza- ▁chye- ▁fantasize- ▁corp- chatting- local- ▁Skippy- ▁authorities- ▁monogamy- ▁Yoga- ▁excruciating- Luak- aksa- ▁miller- ▁Suki- ▁Glenis- Tree- ▁Pakcik- ▁vasectomy- ▁veil- ▁Escobar- ▁Francisco- ▁Shuttle- ▁Tyson- ▁scum- ▁Grill- baby- ierra- ublic- ▁ounce- ▁chemist- ▁Kardashians- comfort- interesting- ▁Atwood- Jack- ▁Jetty- ▁demoralized- ▁graciousness- ▁horrified- ▁regimented- ▁adik- ▁dependence- ▁modul- ▁repost- ▁shiba- ▁Voon- ▁organically- ▁farmhand- ▁reflective- ▁Showman- ▁prick- ▁chaperon- ▁Cuba- ▁Joann- ▁harass- ▁mindfulness- ▁prophecy- ▁chives- Steel- ▁dirtier- ▁astray- ▁submerged- ▁marley- ▁plasticky- ▁panicked- ▁punya- rief- ▁awk- ▁neutralise- ▁talism- ▁doubtful- culi- ▁Anton- ▁elev- ▁Bora- ▁treasury- ensity- ▁commodity- ddess- tweet- ▁forceps- ▁crossover- ▁Porter- ▁cordon- ▁Health- ▁Kingdom- ▁Tatum- ▁robin- ▁xuan- ▁Chocolate- ▁cupid- ▁pimp- ▁stil- ▁curricul- ▁hallucinating- ▁platelet- ▁antics- ▁Laden- thering- ▁decay- ▁Cupid- ▁mitch- acies- ▁shoul- riding- ▁Minion- ▁Take- ▁Amri- ▁Shawan- ▁bedek- ▁bloc- ▁Morgana- ▁bowel- jori- ▁heatiness- ▁Hailing- ▁jeng- ▁reese- ▁Nature- ▁cheerfulness- ▁moose- bread- ▁accountability- ▁pokka- ▁Tues- ▁hunk- ▁posing- ▁bucketlist- ▁linguist- ▁manoeuvre- ▁cyan- bury- ▁sexism- ▁Bueno- lliance- ▁Ericsson- ▁panties- ▁Campbell- ▁bilis- ▁frap- ▁thinning- ▁calf- ▁rescheduled- evolving- pagar- ▁Dude- ▁hula- ▁flailing- ▁illustrating- ▁lingering- ▁regurgitating- ▁fax- ▁ampli- ▁alrea- ▁cremat- ▁Linda- ▁brushless- ▁flatten- ▁numer- dicu- ▁voiceover- ▁Liver- miliar- ▁stopwatch- ▁optimise- ▁Buri- ▁binders- ▁MediS- ▁handcraft- erja- ▁saxophone- Pek- ▁Network- ▁colony- ▁Marrie- ▁Americanize- jang- ▁hillman- Max- ▁Shang- ▁Manny- ▁uncom- ▁astrology- Maki- ▁harshness- eletubby- ▁jaded- ▁banish- ▁rapidly- ▁Heat- ▁kwa- ▁instructed- ▁chek- bogg- ▁bloodline- ▁Summer- ▁voicemail- Stone- ▁morality- ▁gentlemanly- ▁respectively- ▁Hambr- ▁Doha- Kwan- ▁Jiu- ▁Que- ▁Deli- Kok- ▁cluttered- ▁debuted- ▁provoking- ▁bleed- ▁Tale- ▁steeper- ▁standpoint- ▁quitter- ▁policemen- ▁mili- ▁burnout- Daily- uhsorry- ▁Farhana- ▁qualifier- ▁Shaf- Shin- ▁choreographer- ▁Bike- ▁Angkat- ▁puffin- ▁taxation- ▁fiancee- ▁maxi- ▁dimensional- ▁cohesive- pour- ▁Frenchie- ▁Carri- ▁snapped- arracks- apse- hank- ▁Kip- ▁Meal- ▁scented- ▁flourishing- ▁tata- ▁mamak- ▁disrespectfully- ▁Rama- ▁Rina- ▁Botanical- ▁Buk- ▁blogger- ▁cir- ▁Taken- ▁smoothen- esco- ▁Nasa- ▁dented- ▁pasture- ▁discharged- ▁showroom- ainted- ▁trad- ▁Geo- ▁Lumpur- ▁Sweep- static- ▁Beau- ▁barang- ▁beauti- ▁siren- ▁Union- ▁blushing- ▁disheartening- ▁refresher- ▁Albom- handed- ▁bandage- ▁customized- bio- ▁blindfolded- ▁examine- ▁enhanced- ▁salesman- ▁Pound- ▁creativeness- ▁Back- ▁saltish- ▁ballpoint- ▁groomer- ▁Teck- ▁magna- ▁announcer- ▁fallout- ▁kui- Amin- ▁heroine- ▁Louise- ▁Sailor- ▁relay- ▁Sound- ▁leaked- ▁painless- Mei- ▁browser- ▁rewatched- Rex- ▁Blangah- ▁Azan- ▁bartending- ▁artificially- ▁endured- ▁Bir- ▁dif- ▁anoth- stability- ▁Irene- ▁liv- ▁Chio- ▁sexually- ▁equalise- ▁economically- ▁ponder- ▁narcissis- ▁shooked- ▁Ivy- ▁broader- ▁Gig- ▁Opeh- ▁Zionis- ▁procession- ▁Chay- Sec- ▁Imbu- jar- ▁fourteenth- ▁hiong- ▁correlate- Yen- ▁conquered- ▁tailored- rce- ▁hisses- ▁Aero- ▁Dada- avainas- chain- ▁Site- nguish- ules- ▁launched- ▁warned- ▁documented- ▁Boba- ▁Pau- ▁mutate- ▁Wani- ▁tui- ▁Lane- ▁haw- ▁Lang- eous- ▁Hard- ▁tickled- Husse- ▁choked- essie- ▁Rad- abyte- ▁Osa- ▁processor- ▁globally- ▁Full- ▁booklet- Shi- ▁chemically- ▁easter- ▁ferti- ▁frontier- ▁broadcasting- ▁clinging- ▁halve- ▁Darli- ▁soaked- related- ▁Zu- ▁classist- north- ▁Atta- ▁overlooked- ▁Achar- ▁Lai- ▁battl- ▁ceased- cord- ▁Nata- ▁detoxing- ▁betraying- ▁kee- ▁stupidity- ▁erecti- Benoit- ▁Zone- ▁seamless- ▁stealer- ▁patientuh- ▁condemned- ▁Indon- ▁emphasized- ▁rotated- Swan- ▁mengs- ▁minion- ▁Mela- ▁Date- ▁friendzone- ▁earl- ▁mandate- ▁bomber- ▁conveying- ▁showke- ▁quietness- ▁Medan- ▁reversed- ▁Dilma- ▁quieten- ▁backlash- ▁fury- ▁ranting- ▁Chou- ▁toughness- nkers- ▁formant- ▁efficiently- ▁digger- ▁Fara- ▁glorify- Fest- ▁renewed- lier- ▁Jung- ▁chairman- Sang- ▁dashing- ▁qing- ▁publisher- eacock- ▁dino- ▁highlighted- ▁polygam- ▁tighter- ▁demolishing- ▁calmly- ▁unsee- ▁awkwardness- ▁sealed- ▁Bane- ▁Cara- ▁fertiliz- ▁pap- ▁Horn- ▁relieved- Song- sebum- ▁Gar- amant- ▁Dove- ▁resigning- ▁Philipin- ▁Fred- ▁nei- Tat- ▁witnessing- ▁Kina- ▁Tange- audi- ▁compromised- ▁weeding- ▁breather- ▁Xian- ▁importing- Ali- ▁springy- ▁Sling- ▁Tell- ▁understooded- rchaeology- ▁murderer- ▁layered- Van- ▁Qin- fall- ▁hyped- ▁measured- ▁Even- ▁purchaser- ▁fainting- ▁Oman- ▁stifl- ▁scorch- ▁programmed- ▁recesses- ▁nee- ▁Choi- ▁Patta- ▁highlighting- ▁brainer- ▁dramatise- ▁bureaucra- ▁Susan- ▁braid- ▁sung- inary- ▁Check- ▁curl- alakat- ▁Chitt- entities- ▁pitcher- ringing- ▁corr- iative- ▁Rain- Unagi- ▁nin- dora- cidentally- ▁daze- ▁Kara- hepard- ▁engi- gemuk- ▁Romania- ▁Bren- erbal- moral- bike- ▁Corin- ▁Sherle- ecurity- ▁Vik- ▁rumba- urities- ▁Buck- ▁Ava- ▁Nabila- ladi- mbing- raz- ▁Westerner- oronation- ▁detain- zoning- utting- ▁confesse- ntries- ▁Sala- ▁humbl- ▁mara- ▁Halif- ▁sled- Hood- lator- ▁swank- ▁Alv- gazing- Harrison- zel- ▁strategiz- ▁Dean- ovan- umanities- untie- Ben- omer- ▁chronic- ▁Arch- ▁packer- junct- zhang- appe- ▁dabbl- ▁kato- Liars- ▁boater- ▁Wul- ▁Univers- ▁rekindle- ▁steadi- ▁rac- ▁Yao- ▁gad- amil- ▁crashe- ▁tro- anie- ▁Shaku- uppy- nite- Shopping- Baker- position- ▁Ace- ▁Magn- ▁Tubb- anner- ightful- ▁Mill- Eighty- competency- ▁legalis- impang- ▁dirtie- ▁grann- ▁Dogg- Wool- atically- ▁Mina- ▁preconce- ▁competenc- ▁boggl- ▁crippl- zed- Perr- Carlo- Chek- ▁provoke- ▁conserve- ▁Lud- caster- uted- orium- rumbling- graded- ▁cultivati- ▁nauti- shoong- ▁centralize- ▁Nestl- uchi- ▁intrude- erati- ▁optimiz- ▁reassur- ▁integra- bodies- referred- xora- ▁subtl- ridden- ▁professionalis- bbed- Dali- ▁relocat- ▁unfaithful- ltering- oller- ▁brack- ▁formulate- iggly- cialised- ▁conserv- provoked- Donut- istan- uja- ▁panick- ▁physio- zhe- ▁dependenc- haps- ▁humili- Mercy- lashes- ▁collaps- Sophia- ▁Elfi- Aini- ▁wrinkl- Name- ▁spiri- xie- logy- Pol- unned- ▁Len- contentment- Mania- yukat- ▁deteriorat- Jiang- ▁outsourc- ▁psychiatr- ▁tortur- ▁grea- ▁Thie- Simple- ompan- ▁masa- ▁Child- ador- exter- jung- ▁glen- ▁duplicat- aburi- kiang- umbling- ▁prudent- mobile- ravel- ▁educa- ▁moderat- oaky- eeper- ▁geographic- ▁Franc- ▁electrop- ▁Marg- ▁marbl- ▁ceas- flicted- ▁probab- ▁craz- ▁magnet- ▁gymnastic- ▁pellet- ▁immigrant- ▁nacho- ▁Luca- ▁defini- ▁hamper- ▁fluctuate- ▁refugee- ▁dimple- Throne- ▁comprise- ▁nutrient- ▁phonic- ▁tyke- ▁freebie- ▁Vibe- ▁utensil- ngee- ▁pilate- ▁State- ▁supplie- ▁barbecu- ▁trouser- ▁posses- ▁obviou- Nee- ▁jean- roti- ▁circ- cratic- ▁bureau- compartmentalize- conceiv- ▁Canto- ▁vol- mount- ssistant- mmoners- ifle- ▁Moham- ▁Scoo- ▁genera- ▁peda- rati- ▁reminiscen- ▁Plane- ▁impatien- ▁accep- josh- ▁buil- ▁archaeolog- ▁Horse- founded- ▁Roz- gnific- ▁fertili- ▁synchron- visible- ▁distanc- friend- ▁craw- paced- ▁statu- aiya- half- ▁revol- ▁privat- ogling- uishin- ppressed- ▁narciss- ▁Techno- opsicles- lugg- nvestigations- ▁drow- ▁Digi- enetic- etica- writers- stroke- lags- Mercie- ounce- wolf- acaroons- ▁introduc- force- ▁inclin- ▁disput- ▁collage- aholic- interest- okki- ▁professio- ▁Pearly- plit- ▁moisturiz- ▁volu- ▁candleli- ▁linger- ▁bartend- ▁illustrat- odeling- ▁regurgitat- ▁dispens- ▁Zhe- proof- ▁flail- ▁compromis- finals- ▁disciplin- ▁embarra- ▁empir- ▁bibl- perform- ▁submerge- rystal- ▁Roma- flakes- lgari- ▁apologis- ▁Jayde- ▁traumatise- akcik- ▁amaze- ▁agitate- ordinary- ▁occupie- ▁overprice- ▁fluctuat- ▁dilute- coast- fruit- collect- ▁horrifi- copy- stream- ▁demoraliz- quish- udrey- ▁constipat- ▁jumble- ambodia- ▁crook- stresses- sighted- Dogg- olution- urrender- tyrofoam- ▁impair- Buri- Escobar- Jetty- Showman- Shuttle- Tyson- ceased- aktor- ▁unexpect- Technical- Grill- Convenience- Future- Institute- Krunch- Schwarzenegger- Theatre- polished- Gabriel- antorini- Evan- Keane- Monster- ntegrated- Francisco- ▁deprive- ▁discriminat- ▁referenc- Kenny- Murder- Zhang- carriage- ▁Joan- ▁Skipp- ▁monogam- ▁prophec- Atwood- Stamford- ylvia- Akshay- Banyan- Virgin- linguistic- proportionate- founder- Music- buoy- evaluate- immortal- comparable- Jade- Miller- Friza- conditioned- innacle- Morrie- Waterway- conductor- crow- ndependence- Henry- Monkey- Nyonya- Shaw- monkeys- second- Shakespeare- catcher- organised- qualified- storage- Thomson- animate- executive- invent- starter- ▁rollerblad- ▁vacanc- Festival- Jordan- emphasis- frequent- settled- weekly- ▁Desire- college- factory- growth- organisation- profit- sentosa- Holland- Kampung- Laden- Nature- Seoul- Spirit- Tae- bridge- innocence- legend- village- Friday- Orchard- Sentosa- between- culture- decided- explore- popular- responsibility- romantic- square- studies- valuable- Great- blue- chicken- confirm- ▁cruis- akhon- album- driver- ▁regiment- Green- ▁Snoop- secondary- luckily- ppb- toast- ▁Galax- ▁demonstrat- ▁prioritiz- ▁savor- ▁vocabular- anuki- ▁voluntar- ▁temporar- heeps- ▁warehous- Gateway- ▁naught- ▁Whit- ▁itinerar- ▁ultimat- ▁ugl- Environment- ▁diverg- ▁wrestle- ▁leverag- large- cool- plus- hursday- ature- shiok- ▁Chuck- ▁sanitize- ▁suppo- ▁solemnise- usband- ▁Titani- ▁savour- chips- Paul- uesday- ▁sequential- ▁unintentional- Army- consult- ▁braise- ▁evident- ▁radical- death- dough- Comm- hicago- version- ranscendent- Mark- ropic- ▁blatant- ▁comparative- affle- Youth- rophecy- eepavali- oothpaste- welve- reserving- ▁consum- latoon- erfect- rofessor- athedral- ettol- husband- ▁Mobil- indly- ▁appetiz- iracle- ninety- erlion- urious- ragrance- flection- ▁Yog- Hyun- proper- ▁commercialise- dept- onjour- lower- rganic- ubilee- ustin- ▁delusion- ▁dysfunction- armony- dead- ulgogi- czema- lazer- utchers- xperiment- ynasty- inosaur- ▁ceter- ▁trembl- cessor- degrad- ▁misus- ▁blemish- suade- alloween- crastinating- ▁sunglass- polar- requisite- ▁evasi- ▁Project- aspberry- ▁associ- ▁pacif- wives- ▁demograph- edemption- ejection- ▁confisca- gregation- oomie- ▁Isabel- ▁Olymp- ▁satisfact- awyer- ▁pronunciat- ▁subsidiar- ▁subscript- ▁unpredictab- ngkok- ednesday- ▁challen- ▁esophag- luding- ▁typi- ▁activi- ▁arbitra- ▁opportuni- esarean- ▁transmit- eceived- ▁advan- ▁ponch- arlic- iatric- mplify- ▁Stef- ▁illumi- ▁luxuri- ▁Pontian- ▁reputa- '2'- ▁Kean- ▁Remains- cendant- rrifying- ▁desensiti- ▁jeopardi- Little- vasion- grudg- zumi- ▁Anytime- ▁Lantau- ▁Morris- ▁Niagara- ▁Preeti- ▁Qistina- ▁cerebral- ▁dhoby- ▁dysph- ▁perpetua- ckelodeon- grimage- icultural- ychology- ▁Analytic- ▁Moldov- ▁acclimat- ▁anthropolog- ▁hexagon- ▁implicit- ▁profess- ▁shrivel- ▁symphoni- '@'- Agency- Anthony- ArkBar- Atria- Brigg- Conven- Counselor- Dominique- Dracula- Effron- Fallon- Griffith- Jabba- Kinsella- Kukoh- Millionaire- Motoring- Movie- Mustachio- Mustafi- Noraini- Philipp- Regis- Robbie- Sandler- Sheares- SquarePants- Thunder- Tonic- acerbate- amgyetang- angelo- antiago- arijuana- cotta- cryptocurrencies- dchildren- deekap- dyssey- enocide- ifiable- itzer- neumonia- nspirasi- osophy- ptuous- resistible- rowana- rwegian- tête- ucerin- uddin- uhwait- umental- umentary- urgundy- ▁Abdillah- ▁Adaline- ▁Adawiyah- ▁Afghan- ▁Agnus- ▁Alfred- ▁Amirah- ▁Andorra- ▁Anglican- ▁Annalise- ▁Annyeong- ▁Applied- ▁Aravin- ▁Asmara- ▁Balenciaga- ▁Bhatoora- ▁Bibimbap- ▁BitCoin- ▁Blastoise- ▁Bleeding- ▁Boiling- ▁Bonnie- ▁Boomerang- ▁Botox- ;- .- '9'- 不- 代- 喊- 在- 沟- 钟- ','- '1'- '4'- '5'- '6'- '7'- '='- \\- à- 七- 么- 什- 们- 你- 分- 吃- 完- 样- 看- 要- 这- 苦- ê- é- '{'- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram20000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: unit: 1000 nlayers: 1required:- output_dir- token_listversion: 0.9.6distributed: true", + "description_zh": "This model was trained by Shinji Watanabe using nsc recipe in espnet. Python APISee https://github.com/espnet/espnet_model_zooEvaluate in the recipegit clone https://github.com/espnet/espnetcd espnetgit checkout 8fd07721b78ef0d34713f237e94a003731a78825pip install -e .cd egs2/nsc/asr1./run.sh --skip_data_prep false --skip_train true --download_model Shinji Watanabe/nsc_asr_train_asr_raw_en_bpe20000_valid.acc.aveResults# RESULTS## Environments- date: `Sun Jan 10 03:01:02 EST 2021`- python version: `3.8.5 (default, Sep 4 2020, 07:30:14) [GCC 7.3.0]`- espnet version: `espnet 0.9.6`- pytorch version: `pytorch 1.7.1`- Git hash: `dd9cf570becddb2a587e69473548b1d73fa9648f` - Commit date: `Tue Jan 5 13:55:51 2021 -0500`## asr_train_asr_raw_en_bpe20000### WER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/dev|3986|26046|79.0|16.3|4.7|3.8|24.8|60.5||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/test|16306|123092|74.0|19.1|6.9|5.1|31.1|69.7|### CER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/dev|3986|126663|88.2|5.4|6.3|3.8|15.6|60.5||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/test|16306|587330|84.1|6.9|9.0|5.4|21.3|69.7|### TER|dataset|Snt|Wrd|Corr|Sub|Del|Ins|Err|S.Err||---|---|---|---|---|---|---|---|---||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/dev|3986|30721|77.1|15.0|7.9|4.9|27.8|60.6||decode_asr_lm_lm_train_lm_en_bpe20000_valid.loss.ave_asr_model_valid.acc.ave/test|16306|150205|72.5|17.0|10.5|6.5|34.0|69.7|ASR configconfig: conf/train_asr.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/asr_train_asr_raw_en_bpe20000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 49547dist_launcher: nullmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 100patience: nullval_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - acc - maxkeep_nbest_models: 10grad_clip: 5grad_clip_type: 2.0grad_noise: falseaccum_grad: 5no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 300valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/asr_stats_raw_en_bpe20000/train/speech_shape- exp/asr_stats_raw_en_bpe20000/train/text_shape.bpevalid_shape_file:- exp/asr_stats_raw_en_bpe20000/valid/speech_shape- exp/asr_stats_raw_en_bpe20000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 80000- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/train_nodev/wav.scp - speech - sound- - dump/raw/train_nodev/text - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/wav.scp - speech - sound- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: adamoptim_conf: lr: 10.0scheduler: noamlrscheduler_conf: warmup_steps: 25000token_list:- - - ▁I- ''''- ▁the- ▁you- ▁like- ']'- ▁[- s- ▁to- ▁that- ▁it- ▁is- ▁ya- ▁a- ▁and- ▁so- t- ▁then- ▁okay- ▁what- ▁of- ▁but- ▁uh- ▁know- ▁in- ▁one- ▁my- ▁don- ▁have- ▁they- ▁we- ▁no- ah- ▁not- ▁just- ▁for- lah- ▁think- ▁can- ▁there- oh- ▁do- ▁was- ▁this- ▁your- ▁right- ▁he- '-'- ▁are- ▁me- ▁go- ▁or- ▁be- ▁very- ▁if- ▁will- _- ▁on- ▁she- ▁how- m- ▁with- ▁want- ▁about- ▁because- ▁ppl- ▁all- ▁really- ▁when- ▁also- ▁time- ▁say- ▁at- ▁why- eh- ▁would- ▁um- ▁got- ▁mean- ▁see- ▁thing- ▁as- ▁actually- ▁people- ▁cause- ▁yes- ▁two- ▁now- ▁good- ▁more- ▁get- ▁ppo- ▁maybe- ▁ppb- ▁lot- ▁from- ▁up- ▁only- ▁her- ▁already- ▁kind- ▁out- ▁some- ▁something- re- ▁who- ▁them- ▁need- ▁where- ▁three- ▁let- ▁quite- ▁yeah- ▁most- ▁even- ▁talk- ▁never- ▁after- ▁did- ▁other- ▁still- ▁feel- ▁school- ▁eat- ▁which- ▁take- ▁Singapore- ▁should- ▁food- ▁cannot- ▁first- ▁back- ▁always- ▁life- ll- ▁same- ▁next- ▁things- ▁ask- ▁last- ▁come- ▁nice- ▁person- ▁make- ▁their- ▁were- ▁work- ▁didn- n- ▁our- ▁much- ▁wait- ▁too- ▁going- ▁went- ▁him- ▁five- ▁question- ▁<- ▁guess- ▁different- '>'- UNK- ▁give- ▁had- ▁way- ▁has- ▁tell- ▁by- ▁friend- ▁place- ▁his- ▁those- ▁well- ▁buy- ▁mine- ve- ▁before- ▁day- ▁four- ▁long- ▁love- ▁any- ▁look- ▁correct- ▁mm- ▁true- ▁money- ▁try- ▁bad- ▁play- ▁everything- ▁down- ▁best- ▁remember- ▁K- ▁stuff- ▁bit- ▁many- ▁us- ▁home- ▁been- ▁huh- ▁use- ▁put- ▁wah- ▁said- ▁guy- ▁here- my- ▁anything- ▁than- ▁doing- ▁year- ▁could- ▁house- ing- ▁friends- ▁sure- ▁find- leh- ▁an- ▁someone- ▁must- ▁gonna- ▁thought- ▁ten- ▁doesn- ▁watch- ▁keep- ▁another- ▁oh- ▁every- ▁point- ▁years- ▁call- ▁family- ▁old- ▁err- ▁better- lor- ▁won- god- orh- ▁man- ▁damn- ▁around- ▁name- ▁course- ▁favourite- ▁left- ▁talking- ▁top- ▁own- ▁turn- ▁girl- ▁into- ▁twenty- ▁am- ▁over- ▁sometimes- ▁start- ▁help- ▁whole- ▁these- ▁six- ▁wow- ▁shop- ▁again- ▁important- ▁mind- ▁probably- ▁blue- ▁big- ▁colour- ▁though- ▁part- ▁end- ▁does- ▁side- ▁parents- ▁read- ▁bring- ▁being- ▁red- ▁close- ▁new- ▁yea- ▁job- ▁ever- ▁hard- ▁nothing- ▁difference- ▁interesting- ▁else- ▁together- ▁car- ▁called- ▁whatever- ▁show- ▁white- ▁sorry- ▁change- ▁pay- ▁kids- ▁basically- ▁done- ▁seven- ▁free- ▁hundred- ▁learn- ▁green- ▁fun- ▁book- ▁told- ▁small- ▁off- ▁answer- d- ▁sign- ▁usually- ▁eight- ▁few- C- ▁open- ▁wanna- ▁mum- ▁chicken- ▁myself- ▁understand- ▁A- ▁means- ▁care- ▁both- ▁describe- ▁game- ▁once- ▁saying- ▁used- ▁teacher- ▁saw- ▁inside- ▁later- ▁happen- ▁C- ▁through- ▁date- ▁yourself- S- ▁stay- ▁looking- ▁movie- ▁dollars- ▁during- ▁move- ▁live- ▁until- ▁primary- ▁least- ▁nine- ▁wearing- ▁card- ▁thirty- ▁stop- ▁alright- ▁wanted- ▁trying- ▁Chinese- ▁each- ▁everyone- ▁having- ed- ▁example- ▁enough- ▁plus- ▁s- ▁haven- ▁cook- ▁working- ▁yup- ▁away- ▁spend- ▁expensive- ▁kid- ▁might- ▁secondary- ▁since- ▁sad- ▁whether- ▁night- ▁phone- ▁children- ▁water- ▁days- ▁study- ▁S- ▁enjoy- ▁young- meh- ▁fine- ▁super- ▁door- ▁class- ▁moment- ▁wrong- ▁drink- ▁second- ▁i- ▁came- ▁week- ▁thinking- ▁sense- ▁dog- ▁made- ▁getting- sia- ▁beside- ▁walk- ▁become- ▁happy- ▁world- ▁shit- ▁partner- ▁hand- ▁minutes- ▁choose- ▁scared- ▁ball- ▁word- T- ▁front- ▁half- ▁easy- ▁anyway- ▁- ▁hour- ▁P- ▁bro- ▁meet- ▁picture- ▁cool- ▁N- ▁fifty- ▁hours- ▁rice- ▁child- ▁country- ▁pretty- A- ▁worst- ▁guys- ▁brown- ▁far- ▁funny- ▁room- ▁little- y- ▁black- ▁normal- ▁English- ▁heard- e- what- ▁looks- ▁group- ▁experience- ▁sleep- ▁near- a- ▁table- ▁story- ▁conversation- ▁weird- ▁face- ▁today- ▁exactly- ▁definitely- ▁travel- ▁type- ▁boy- ▁especially- ▁Singaporean- ▁high- ▁rather- ▁real- ▁twelve- ▁T- ▁miss- ▁brother- ▁problem- ▁without- ▁believe- ▁generation- ▁while- ▁number- ▁O- ▁finish- ▁able- ▁says- ▁yet- ▁hair- ▁playing- ▁save- ▁everybody- ▁times- ▁such- ▁supposed- ▁die- ▁sit- ▁late- ▁yours- ▁run- ▁dad- ▁everyday- ▁age- ▁meal- ▁sell- ▁M- ▁yellow- loh- ▁break- ▁area- ▁queue- ▁married- ▁took- ▁coming- M- ▁mother- ▁fast- ▁eating- ▁certain- ▁wear- ▁plan- ▁leave- ▁month- ▁collect- ▁aiya- ▁topic- ▁fish- ▁Malay- ▁anymore- ▁makes- ▁teach- ▁honestly- ▁outside- c- ▁serious- ▁father- ▁started- ▁speak- ▁pass- ▁beach- ▁bought- ▁full- ▁share- ▁character- ▁hate- B- ▁dollar- P- ▁depends- ▁morning- ▁sister- ▁B- ▁J- ▁tried- ▁special- ▁send- ▁mmhmm- ▁future- r- ▁between- ▁idea- ▁cheap- ▁company- ▁music- ▁wife- ▁thousand- ▁lady- mah- ▁dream- ▁relationship- ▁short- ▁either- ▁recently- ▁list- ▁please- ▁tomorrow- ▁listen- ▁follow- ▁bus- o- ▁level- ▁difficult- ▁isn- ▁sometime- ▁check- ▁If- ▁drive- ▁great- ▁value- ▁continue- ▁past- ▁pick- ▁suddenly- ▁hear- ▁order- ▁forty- ▁business- ▁lesson- ▁hot- ▁personal- ▁cry- ▁light- ▁famous- ▁imagine- ▁matter- ▁shoes- ▁alone- ▁taste- ▁join- ▁confirm- ▁places- ▁nowadays- ▁eleven- ▁behind- ▁ppc- ▁moving- ▁less- ▁U- p- ▁may- ▁feeling- ▁ago- ▁using- ▁million- ▁books- ▁rest- ▁floor- ▁ice- ▁bottom- ▁single- ▁complain- ▁cut- ▁almost- ▁stupid- ▁crazy- ▁sitting- ▁cute- ▁favorite- ▁E- ▁forgot- ▁asking- ▁pink- D- ▁hope- ▁agree- R- ▁below- ▁reason- ▁risk- ▁shirt- ▁stress- ▁under- ly- ▁dinner- ▁unless- ▁percent- ▁deal- ▁goes- ▁trip- ▁hello- i- ▁nobody- ▁H- ▁coffee- ▁prefer- ▁taking- ▁months- ▁perfect- ▁instead- ▁pet- ▁biggest- ▁anyone- ▁fifteen- ▁circle- ▁clean- ▁poor- ▁D- ▁stand- ▁found- ▁yesterday- ▁games- ▁points- ▁cold- ▁poly- ▁students- ▁realise- ▁clothes- ▁heart- ▁god- ▁Malaysia- ▁grey- ▁comes- ▁seen- ▁taxi- ▁song- ▁thank- ▁push- ▁obviously- ▁team- ▁write- ▁somewhere- ▁t- ▁girlfriend- ▁younger- ▁tea- ▁head- ▁sounds- one- ▁reading- ▁student- ▁hawker- ▁middle- ▁line- ▁durian- ▁wake- ▁shopping- ▁towards- ▁body- h- ▁fail- ▁sing- ▁boring- ▁legit- ▁hold- ▁win- ▁test- ▁gone- ▁girls- ▁watching- ▁local- ▁paid- ▁marriage- ▁normally- ▁road- ▁third- ▁bucket- ▁cafe- I- ▁hungry- U- ▁worth- ▁bag- ▁older- ▁knew- ▁Singlish- ▁sweet- ▁train- ▁throw- ▁dark- ▁education- ▁early- ▁toilet- ▁simple- ▁uni- ▁tuition- ▁air- ▁restaurant- ▁honest- ▁living- ▁telling- ▁p- ▁price- ▁per- ▁Japan- ▁paper- ▁uncle- ▁minute- ▁itself- ▁terms- ▁overseas- hor- ▁driver- ▁o- ▁F- ▁set- ▁childhood- ▁words- G- ▁cards- ▁hmm- ▁brand- ▁grow- ▁reach- ▁choice- V- b- ▁scary- ▁main- ▁birthday- huh- ▁China- ▁cat- ▁career- ▁somebody- ▁along- O- ▁extra- u- ▁lunch- ▁hit- ▁lost- ▁subject- ▁exercise- ▁Korea- ▁hey- ▁parent- ▁add- ▁straight- E- ▁window- right- ▁chair- ▁explain- ▁sound- ▁soccer- ▁c- ▁online- ▁drama- ▁making- ▁culture- ▁fight- ▁k- ▁literally- ▁related- ▁latest- ▁interest- ▁felt- ▁human- ▁blah- ▁cream- ▁apparently- ▁G- er- ▁tired- ▁kinda- ▁studying- ▁earn- ▁suppose- ▁bird- ▁drop- ▁fried- ▁count- ▁holding- ▁m- ▁recess- ▁dating- ▁n- ▁forget- ▁sixty- ▁movies- ▁R- ▁catch- ▁baby- ▁color- ▁smart- ▁shoe- v- ▁teh- ▁success- ▁fact- ▁embarrassing- ▁pants- ▁countries- ▁dish- ▁Indian- ▁sports- ▁shows- ▁egg- ▁mostly- ▁rich- ▁chance- ▁Korean- ▁piece- ▁truly- ▁elderly- ▁soon- ▁social- ▁Singaporeans- ▁sort- ▁meaningful- ▁general- ▁angry- ▁shack- ▁club- ▁cooking- ▁seat- ▁clear- ▁lose- ▁photo- ▁hi- ▁busy- ▁period- ▁non- ▁fair- ▁dude- ▁questions- ▁running- ▁memorable- ▁holiday- ▁item- ▁leg- ▁system- ▁un- ▁bar- ▁interested- ▁touch- ▁sea- ▁couple- ▁zero- ▁self- ▁planning- ▁post- ▁video- ▁dead- ▁ex- ▁park- ▁totally- ▁hall- ▁store- ▁weekend- ▁building- ▁loud- ▁happiest- ▁milk- ▁trust- ▁chill- ▁lobang- L- ▁common- ▁fit- ▁board- ▁cost- ▁brought- ▁case- ▁laugh- ▁situation- ▁skin- ▁power- ▁re- ▁friendship- ▁f- ▁consider- ▁fat- ▁wish- ▁fall- ▁wash- ▁event- ▁soup- ▁woman- ▁willing- ▁sec- gosh- ▁Grab- ▁faster- ▁voice- ▁L- ▁trait- ▁dance- ▁differences- ▁entire- ▁effort- ▁science- ▁waste- ▁strong- ▁meat- ▁awkward- ▁specific- ▁exam- ▁current- ▁husband- ▁son- ▁seems- ▁visit- F- ▁box- ▁centre- ▁skip- ▁expect- ▁fire- ▁draw- ▁hero- ▁teachers- ▁whenever- ▁amount- ▁often- ▁kill- ▁Japanese- ▁boyfriend- ▁space- ▁support- ▁wise- ▁kay- ▁army- ▁ready- ▁giving- ▁tree- ▁art- ▁hobby- ▁swimming- ▁shoot- ▁football- ▁comfortable- ▁jump- ▁easier- ▁control- ▁public- ▁cake- ▁low- ▁spot- ▁gym- ▁search- ▁weeks- ▁walking- ▁lazy- ▁learning- ▁speaking- ▁carry- ▁orange- ▁similar- ▁soft- ▁pets- ▁seriously- ▁health- ▁World- ▁standing- ▁compared- ▁gave- ▁bake- ▁anywhere- ▁ninety- ▁ate- ▁Friday- l- ▁New- ▁Paul- ▁socks- ▁facing- ▁view- g- ▁worry- ▁apply- ▁ability- ▁based- ▁message- ▁fly- ▁huge- ▁season- ▁bed- ▁taken- ▁lucky- ▁freaking- ▁return- ▁hell- ▁computer- ▁tend- ▁smoke- ▁others- ▁aiyo- ▁relax- ▁energy- ▁hub- ▁waiting- ▁mix- ▁daughter- ▁bottle- ▁meaning- ▁corner- ▁sick- ▁office- ▁term- f- ▁sheep- ▁sauce- ▁size- ▁city- ▁driving- ▁currently- ▁cheaper- ▁eyes- ▁crab- ▁boss- wah- ▁hang- ▁safe- ▁step- ▁advice- ▁eighty- ▁happened- ▁match- ▁deep- ▁particular- ▁impression- ▁shall- ▁pull- ▁bread- ▁possible- ▁round- ▁comfort- ▁blind- ▁ride- ▁kampung- ▁meeting- ▁wine- ▁staying- ▁internship- ▁seventeen- ▁stall- ▁longer- ▁watched- al- ▁higher- ▁training- ▁remembered- ▁Sunday- ▁signboard- ▁closest- ▁wonder- ▁project- ▁fan- ▁caught- ▁government- ▁form- ▁tough- ▁Google- ▁everywhere- ▁healthy- ▁build- ▁trend- ▁cheese- ▁hat- uh- ▁vegetable- nah- ▁within- ▁slowly- ▁market- ▁block- ▁Saturday- ▁hotel- ▁technology- ▁machine- ▁craziest- ▁whereby- ▁selling- ▁math- ▁Australia- ▁makeup- ▁sand- ▁although- ▁works- ▁mention- ▁weather- ▁Hong- ▁manage- ▁afraid- K- ▁bike- ▁easily- ▁above- ▁alive- ▁listening- ▁respect- ▁mouth- ▁eventually- ▁feelings- ▁worse- ▁smell- ▁dress- ▁party- ▁language- ▁quiet- ▁chocolate- ▁possession- ▁seventy- ▁exams- ▁tray- ▁sun- ▁amazing- ▁mom- ▁e- ▁basic- ▁songs- ▁forward- ▁cap- ▁rock- ▁splurge- ▁stick- ▁busybody- ▁define- ▁woah- ▁act- ▁b- ▁contact- ▁issue- ▁potato- ▁studies- ▁fishing- ▁empty- ▁treat- ▁sleeping- ▁decide- ▁grandfather- ▁bigger- ▁previous- ▁asked- ▁cover- ▁classes- ▁d- ▁jobs- ▁kidding- ▁slow- ▁properly- ▁con- ▁laptop- ▁balance- ▁shark- ▁everytime- ▁X- ▁met- ▁base- ▁opposite- ▁canteen- ▁design- ▁random- ▁cousin- ▁happens- ▁hands- ▁given- ▁w- ▁pain- ▁focus- ▁proper- ▁y- ▁travelling- ▁degree- ▁flying- ▁missing- ▁police- ▁total- ▁j- ▁fourteen- ▁hated- ▁chores- ▁acronym- ▁accept- ▁dry- ▁transport- ▁Taiwan- ▁stage- and- ▁Facebook- ▁h- ▁center- ▁neighbours- ▁further- ▁breakfast- ▁doctor- ▁mic- ▁band- ▁cars- ▁Monday- ▁walao- ▁nearby- ▁decided- J- ▁siblings- ▁standard- ▁except- ▁activity- ▁quality- ▁themselves- ▁romantic- ▁spicy- ▁till- ▁ghost- ▁bank- ▁lie- ▁rent- ▁fake- ▁saddest- ▁stresses- ▁feels- ▁eye- ▁fear- ▁style- ▁text- ▁happening- ▁handle- ▁tiring- ▁considered- ▁wedding- ▁fresh- clock- ▁kopi- ▁eaten- ▁nope- ▁equal- ▁beautiful- ▁became- ▁bee- ▁environment- ▁inspiring- ▁history- ▁g- ▁shape- ▁maths- ▁escape- ▁purple- ▁annoying- ▁peach- ▁somehow- ▁pie- ▁drinking- ▁compare- ▁natural- ▁drinks- ▁names- ▁East- ▁motto- ▁dislike- ▁flat- ▁closer- ▁positive- ▁Instagram- ▁double- ▁sixteen- ▁concert- ▁Thailand- ▁paying- ▁seeing- ▁camp- ▁neighbour- ▁grandma- ▁boat- ha- ▁earlier- ▁private- ▁react- ▁gold- ▁interview- ▁express- ▁charge- ▁pictures- ▁auntie- ▁timing- ▁curry- ▁friendly- ▁aspect- ▁oil- ▁popular- ▁stories- ▁mee- ▁service- ▁nevermind- ▁growing- ▁mark- ▁learnt- ▁offer- ▁phrase- ▁brain- ▁talent- ▁nineteen- ▁eighteen- ▁cross- ▁field- ▁physical- ▁technically- ▁serve- ▁thirteen- ▁ma- ▁realize- ▁admire- ▁exchange- ▁born- ▁helping- ▁usual- ▁pool- ▁settle- ▁thanks- ▁played- ▁umbrella- ▁nature- ▁valued- ▁differently- ▁fault- ▁buffet- ▁sh- ▁position- ▁account- ▁u- ▁regret- ▁buying- ▁against- ▁laughing- ▁broke- ▁lame- ▁died- ▁noodles- ▁film- ▁YouTube- ▁iPhone- ▁news- ▁dogs- ▁pro- ▁agency- ▁library- ▁hopefully- levels- ▁sugar- ▁track- ▁radio- ▁North- ▁net- ▁negative- ▁horror- ▁kitchen- ▁society- ▁boys- ▁prata- ▁street- ▁problems- ▁reply- ▁l- ▁role- ▁session- ▁birds- ▁durians- ▁star- ▁action- ▁besides- ▁taught- ▁pair- ▁crowd- ▁grab- ▁wide- ▁starting- ▁noodle- ▁louder- ▁lower- ▁awhile- ▁sport- ▁scold- ▁appreciate- ▁ground- ▁recent- ▁Tom- ▁anybody- ▁generally- ▁shorts- ▁crowded- ▁irritates- ▁photos- ▁cents- ▁wall- ▁lives- ▁homework- ▁Cup- ▁actual- ▁female- ▁chore- ▁teaching- ▁quit- ▁himself- ▁twice- ▁pack- ▁lead- ▁enter- ▁neighbourhood- ▁notice- ▁anyways- ▁joke- ▁bear- ▁plastic- ▁license- ▁bowl- ▁stinge- ▁pop- ▁dare- ▁harder- ▁prepare- ▁legs- ▁kia- ▁finding- ▁research- ▁goal- ▁roll- ▁December- ▁tennis- ▁bin- ▁skills- ▁lessons- ▁Europe- ▁ahead- ▁product- ▁rude- ▁kept- ▁minus- ▁kena- ▁direction- ▁rate- ▁playground- ▁grandmother- ▁university- ▁Mister- ▁stuck- ▁personally- ▁pasta- ▁passed- ▁burn- ▁de- ▁survive- Kong- ▁rubbish- ▁beef- ▁Asian- ▁knowledge- ▁Hokkien- ▁gap- ▁achieve- ▁bo- ▁Orchard- ▁memory- ▁putting- es- ▁McDonald- ▁cup- ▁procrastinating- ▁version- ▁recording- 'on'- ▁create- ▁model- ▁force- ▁depend- ▁opportunity- ▁sushi- ▁swim- ▁station- ▁media- ▁dishes- ▁personality- ▁shut- ▁shift- k- ▁climb- ▁ways- ▁ha- ▁needs- ▁holidays- ▁plate- ▁bye- ▁topics- ▁nasi- ▁brands- level- ▁title- ▁blood- ▁successful- ▁afford- ▁basketball- ▁hurt- ▁across- ▁dirty- ▁forever- ▁none- ▁key- ▁invest- ▁opinion- ▁land- ▁accomplish- ▁aunty- ▁farm- ▁traditional- ▁toy- ▁snack- ▁ticket- ▁fruit- ▁financial- ▁dabao- ▁Thai- ▁peng- ▁improve- ▁Sentosa- ▁fell- ▁Netflix- ▁religion- ▁weight- ▁breaker- ▁background- ▁handphone- ▁inspire- in- ▁activities- ▁seafood- ▁bored- ▁finally- ▁pre- ▁loyal- ▁changing- ▁chilli- ▁trouble- ▁episode- ▁average- ▁terrible- ▁roof- ▁sem- ▁law- ▁glass- ▁heavy- ▁slightly- ▁fries- ▁town- ▁lines- N- ▁address- ▁rare- ▁animal- ▁chat- ▁lift- ▁Indonesia- ▁apart- ▁ulu- ▁bother- ▁press- ▁industry- ▁race- ▁cleaning- ▁present- ▁feet- ▁shine- ▁issues- ▁maker- ▁Bill- ▁process- ▁excuse- ▁honey- ▁pharmacy- ▁cried- ▁passion- ▁app- ▁island- ▁spending- ▁thick- ▁memories- ▁raw- ▁duck- ▁r- ▁ended- ▁V- ▁shuffle- ▁fashion- ▁suit- ▁Tai- ▁kick- ▁Tampines- ▁skincare- ▁mini- ▁burger- ▁allow- able- ▁cash- ▁airport- ▁Changi- ▁nickname- ▁chillax- ▁Bedok- ▁items- ▁shock- ▁divide- ▁writing- ▁mindset- ▁rain- ▁sale- Y- ▁devote- ▁dangerous- ▁bowling- ▁Wednesday- ▁purpose- ▁stun- ▁singing- ▁church- ▁salary- ▁supper- ▁aunties- ▁sian- ▁artist- ▁cycle- ▁explore- ▁changed- ▁India- ▁beer- ▁competition- ▁er- ▁tour- ▁maintain- ▁identify- ▁internet- ▁similarity- ▁mid- ▁throughout- ▁fruits- ▁com- ▁attention- ▁death- ▁aircon- ▁skill- ▁page- ▁goals- ▁trash- ▁volleyball- ▁split- ▁due- ▁stressful- ▁boxes- ▁remind- ▁dustbin- ▁deck- ▁actor- ▁known- up- ▁release- ▁Vietnam- ▁juice- ▁treasure- an- ▁Sue- ▁hanging- ▁catching- ▁ship- ▁bubble- ▁gain- ▁surprise- ▁record- ▁pizza- ▁speed- ▁sky- ▁tonight- ▁washing- H- ▁toys- ▁rush- ▁raise- ▁shared- the- ▁graduate- ▁fourth- ▁score- ▁lao- ▁pray- ▁co- ▁complete- ▁afternoon- ▁series- ▁sock- ▁knowing- ▁steak- ▁written- ▁dying- ▁hide- ▁north- ▁ye- ▁stripe- ▁sibling- ▁avoid- ▁mountain- ▁stable- ▁daily- ▁weekends- ▁grass- ▁Ah- ▁fix- or- ▁state- ▁cent- ▁politics- ▁flag- ▁Joe- ▁convenient- ▁speech- ▁assume- ▁ugh- ▁halfway- ▁surprised- ▁Tuesday- ▁beat- ▁horrible- ▁sandcastle- ▁perhaps- ▁ugly- ▁information- ▁pig- ▁grade- ▁closed- ▁relate- ▁Bangkok- ▁perspective- ▁golf- ▁Megan- ▁path- ▁judge- ▁accent- ▁stone- ▁bush- ▁events- ▁western- ▁videos- ▁fighting- ▁flight- ▁court- ▁sales- ▁Y- ic- ▁wave- ▁arts- ▁pronounce- ▁invite- ▁proud- ▁player- ▁allowed- ▁goodness- ▁mistake- ▁Ang- ▁scene- ▁note- God- ▁lamp- ▁ourselves- ▁yoga- ▁Harry- ▁wind- ▁heck- ▁cab- ▁master- ▁chiong- ▁pressure- ▁practice- ▁income- ▁Thursday- ▁Jurong- ▁testing- ▁attack- ▁pointing- ▁cats- ▁link- ▁Jack- ▁diploma- ▁worries- ▁semester- ▁safety- ▁woke- ▁Man- ▁shocked- ▁zoo- ▁th- ▁birth- ▁results- ▁tables- ▁development- ▁salt- ▁engineering- ▁fully- ▁letter- ▁bicycle- ▁concept- ▁camera- ▁strange- ▁understanding- ▁animals- ▁discuss- ▁typical- ▁Christmas- ▁unique- ▁condo- ▁yep- ▁Park- ▁parts- ▁onto- ▁products- ▁nose- ▁seem- ▁ring- ▁result- ▁stomach- ▁herself- ▁spent- ▁winter- ▁male- ▁jumping- ▁rocks- ▁grades- ▁flowers- ▁cuisine- ▁habit- ▁budget- ▁casino- ▁community- ▁Year- ar- ▁challenge- ▁feed- ▁Punggol- ▁nonsense- ▁distance- ▁baking- ▁realised- ▁players- en- ▁nicknames- ▁wood- ▁moral- ▁recommend- ▁mood- ▁destress- ▁hospital- ▁tall- ▁ending- ▁badly- ▁chairs- ▁calling- ness- ▁clique- ▁la- ▁click- ▁ideal- ▁porridge- ▁original- ▁Ben- ▁lesser- ▁mall- ▁restaurants- ▁material- ▁National- ▁bikini- ▁smoking- ▁pork- ▁pause- ▁cutting- ▁provide- ▁figure- ▁variety- ▁American- ▁afterwards- ▁donate- ▁preserve- ▁affect- ▁according- ▁London- ▁Yishun- ▁freedom- ▁sensitive- ▁women- ▁shiok- ▁entertainment- ▁disgusting- ▁slash- ▁charity- ▁cycling- ▁dumb- ▁John- ▁kaypoh- ▁obvious- ▁suck- ▁dramas- ▁talked- ▁cheat- ▁channel- ▁discipline- ▁kaypo- ▁transfer- ▁Batam- ▁grew- ▁location- ▁newspaper- ▁smaller- ▁guide- ▁strict- ▁badminton- ▁indeed- ▁mask- ▁loved- ▁plane- ▁Chinatown- ▁drunk- ▁seldom- ▁knock- ▁sweeping- ▁colleague- ▁lol- ▁Woodlands- ▁enroll- ▁major- ▁seahorse- ▁final- ▁tattoo- ▁nicer- ▁chemistry- ▁lying- ▁potatoes- ▁elaborate- ▁designer- ▁previously- ▁preserved- ▁adult- ▁following- ▁takes- ▁bite- ▁repeat- ▁contract- ▁attitude- ▁curious- ▁nua- ▁program- ▁values- ▁falling- ▁genre- ▁pear- ▁trees- ▁quick- ▁Marina- ▁data- ▁pee- ▁Lee- ▁crying- ▁uncles- Q- ▁stickers- ▁report- ▁aunt- ▁extent- ▁happiness- ▁lifestyle- ▁sharing- ▁plain- ▁slippers- ▁decision- ▁customer- ▁warm- ▁pushing- ▁ran- ▁flow- ▁screen- ▁celebrate- ▁smile- ▁vision- ▁marry- ▁anyhow- ▁completely- ▁acting- ▁yay- ▁balls- ▁national- ▁Toa- ▁satay- ▁seesaw- ▁volunteer- ▁concern- ▁shower- ▁sticker- ▁shot- ▁direct- ▁swear- ▁cage- ▁Bali- ▁quickly- ▁physics- ▁square- ▁wheel- ▁areas- ▁intern- ▁gai- est- ▁luck- ▁confident- ▁security- ▁property- ▁useful- ▁received- ▁mainly- ▁raining- ▁stressed- ▁finished- ▁modern- ▁stamps- ▁batch- ▁America- ▁schedule- ▁bench- ▁hobbies- ▁literary- ▁noisy- ▁banana- ▁losing- ▁excited- ▁wallet- ▁suay- ▁dear- ▁salted- ▁stack- ▁maid- ▁se- ▁heng- ▁helps- ▁perform- ▁bringing- ▁exact- ▁alamak- ▁available- ▁gaming- ▁wooden- ▁management- ▁destresses- ▁Kim- ▁managed- ▁exist- ▁sack- ▁arm- ▁cooked- ▁courses- w- ▁lock- ▁blame- ▁practical- ▁truth- ▁Science- ▁uniform- ▁manager- ▁liked- ▁module- ▁receive- ▁recall- ▁sucks- ▁staff- ▁worried- ▁mummy- ▁characters- ▁solve- ▁buddy- Guni- mee- ▁Asia- ▁lecture- ▁tourist- ▁members- ▁grand- Bay- ▁Karang- Cup- ▁blonde- ▁strength- la- ▁disturb- ▁deserve- ▁South- ▁opening- ▁milo- ▁shore- ▁tower- ▁ear- ▁stayed- ▁accident- ▁dessert- ▁saving- ▁singer- ▁mala- W- Payoh- ▁familiar- ▁significant- ▁Pokemon- ▁thin- ▁jio- ▁fitness- ▁among- ▁king- ▁investment- ▁member- ▁influence- ▁needed- ▁shout- ion- ▁wrote- ▁filled- ▁pure- ▁covered- ▁mess- ▁butter- ▁plans- ▁cloth- ▁fill- ▁necessary- ▁skirt- ▁Day- ▁limit- ▁benefit- ▁fella- ▁email- ▁pin- ▁copy- ▁impact- ▁political- ▁emotional- ▁powder- ▁shovel- j- ▁Starbucks- ▁becomes- ▁spirit- ▁flavour- ▁cheek- ▁patient- ▁finger- ▁poster- ▁cloud- ▁develop- ▁progress- ▁remove- ▁auto- ▁guest- ▁useless- ▁whereas- ▁bags- ▁sold- ▁theory- ▁packet- ▁album- ▁arrow- ▁Mee- ▁significance- ▁earth- ▁cher- ▁gotta- ▁limited- ▁shy- ▁whose- le- ▁carrying- ▁war- ya- ▁mo- ▁magic- Seng- ▁stopped- ▁diving- ▁prepared- ▁kicking- ▁rose- ▁apple- ▁lobster- ▁flower- ▁wheels- ▁dreams- ▁shelter- ▁religious- ▁Hougang- ▁humble- ▁bunch- ▁medical- ▁gotten- ▁showing- Mo- ▁lights- ▁prawn- ▁seats- ▁paste- ▁frame- ▁uncomfortable- ▁responsibility- ▁Milo- ▁menu- ▁tank- ▁roller- ▁ok- ▁barbecue- ▁sent- ▁grandparents- ▁tight- ▁tiger- ▁prison- ▁range- ▁creative- ▁Serangoon- ▁valuable- ▁ramen- ▁dragon- ▁tickets- ▁mode- ▁aside- ▁performance- ▁pieces- ▁secret- ▁download- ▁target- Coast- ▁doubt- ▁peace- ▁salmon- ▁communicate- ▁lab- ▁Nasi- ▁gross- ▁whoever- ▁otherwise- ▁marketing- ▁guitar- ▁windows- ▁flip- ▁code- ▁drawing- ▁comment- ▁foot- ▁careful- ▁sambal- ▁massage- ▁piano- ▁mentioned- ▁marks- ▁shooting- ▁collected- ▁clearing- ▁gift- ▁commitment- ▁robot- ▁option- ▁hole- ▁carrot- ▁switch- ▁Western- ▁musical- ▁minimum- ▁vegetarian- ▁fellow- ▁Teddy- ▁zone- ▁holy- ▁extend- ting- ▁changes- ▁individual- ish- ra- ▁senior- ▁men- Park- ▁ridiculous- ▁controversial- ▁attached- ▁collection- ▁anytime- ▁October- ▁moments- ▁doors- ▁heat- ▁da- ▁dates- ▁visitors- ▁spoil- ▁vegetables- ▁yo- ▁ignore- ▁approach- ▁independent- ▁quarter- ▁chase- ▁rabbit- ▁tractor- ▁wh- ▁eggs- ▁setting- ▁row- ▁gossip- ▁introduce- ▁karang- ▁Kallang- ▁Tinder- ▁companies- ▁jacket- ▁handsome- ▁sake- ▁immediately- ▁annoyed- ▁upset- ▁owner- ▁wasted- ▁bucks- ▁towel- ▁dialect- ▁aware- ▁traffic- ▁families- ▁portion- ▁playlist- ▁rarely- ▁mad- ▁char- ▁Malaysian- ▁thingy- ▁pins- ▁rank- ▁interact- ▁mature- ▁bonus- ▁cancel- ▁leaving- ▁fifth- ▁Bukit- ▁pole- ation- ▁speaker- ▁coach- ▁kindergarten- ▁tongue- ▁peaches- ▁delivery- ▁salty- ▁caring- ie- ▁expected- ▁weak- ies- ▁attend- ▁fry- Kio- ▁sex- ▁September- ▁sergeant- ▁basis- ▁evil- ▁signage- ▁highest- ▁wherever- ▁James- of- ▁soul- ▁oral- ▁downstairs- ▁tap- ▁nicely- ▁notes- ▁W- ▁firstly- ▁enjoying- ▁website- ▁snake- ▁seagull- ▁sweat- ▁App- ▁competitive- ▁maintenance- ▁Geylang- ▁summer- ▁liao- ▁foundation- ▁bio- ▁clearly- ▁nearer- ▁wa- goodness- ▁mental- ▁regular- ▁karaoke- ▁passport- ▁medicine- ▁Club- ▁hiking- ▁ego- ▁reality- ▁bright- man- ▁sat- ▁humans- ▁touching- ▁discount- ers- ▁gay- ▁tissue- ▁loan- ▁quarrel- ▁separate- lemak- Mee- ▁asleep- ▁celebrity- ▁exciting- ▁literature- ▁Pasir- ▁nearest- ▁snacks- ▁complaining- ▁dive- ▁erm- ▁hire- ▁matters- ▁crash- time- ▁pot- ▁sentence- ▁promotion- ▁drool- ▁chop- ▁French- ▁village- ▁depression- ▁priority- ▁Tamil- ▁scenery- ▁dropping- ▁Shore- ▁chips- ▁active- ▁inspired- ▁gosh- ▁phones- ▁moved- ▁instructor- ▁Muslim- ▁Africa- ▁Bear- ▁spice- ▁exhibition- ▁bak- ▁shellfish- ▁affordable- ▁Poly- ▁Joel- ▁rental- ka- ▁noise- ▁gun- ▁sleeve- ▁essay- ▁lack- ▁large- ▁Bugis- ▁exercising- ▁fantastic- ▁facial- ▁chef- ▁cartoon- ▁enjoyable- ▁ee- ▁tag- ▁mixed- ▁tone- ▁broken- ▁pearl- ▁button- ▁flags- ▁origin- ▁keeping- ▁mod- ▁aren- ▁spread- ▁teleport- ▁package- ▁bets- ▁context- ▁mutton- ▁river- ▁tech- ▁Bishan- ▁specifically- ▁painful- ▁earning- ▁drag- ▁incident- ▁condition- ▁stretch- ▁screw- ▁leader- ▁credit- ▁extreme- ▁dancing- ▁journey- ▁neighborhood- ▁involved- ▁City- ▁jam- ▁oily- ▁painting- ▁smelly- ▁failed- ▁commit- ▁floors- ▁apps- ▁display- ▁paint- ▁upgrade- ▁pace- ▁increase- ▁enrichment- ▁Apple- ▁travelled- ▁vehicle- ▁naturally- ▁shouting- ▁content- ▁kiss- ▁reasons- ▁magical- ▁metal- ▁colleagues- ▁castle- ▁borrow- ▁route- ▁shake- ▁volume- ▁sir- ▁jeans- ▁counted- ▁ch- ▁hardly- ▁cert- ▁starts- ▁dis- ▁print- ▁tax- ▁garden- ▁looked- ▁bond- ▁max- ▁access- ▁Uniqlo- ▁definition- ▁delicious- ▁glad- ▁versus- ▁booth- ▁presentation- ▁Germany- ▁built- ▁festival- ▁symbol- ▁sum- ▁ideas- ▁sells- ▁Jia- ▁evening- ▁snow- ▁technical- ▁Paris- ▁beauty- ▁medium- ▁naughty- ▁physically- ▁failure- ▁elder- ▁slide- ▁hunt- ▁bean- ▁pour- Potter- ▁department- ▁alcohol- ▁bridge- ▁inner- ▁purposely- ▁affected- ▁upper- ▁sacrifice- ▁tie- ▁label- ▁theme- ▁ka- ▁pill- ▁lit- ▁ne- ▁retire- ▁international- ▁lonely- ▁unbelievable- ▁routine- ▁precisely- ▁section- ▁boil- ▁selfish- ▁directly- ▁bao- ▁Kai- ▁financially- ▁fishes- ▁swing- ▁solo- ▁conversations- ▁symbols- ▁suffer- ▁scream- ▁pretend- ▁keeps- ▁relationships- ▁structure- ▁prevent- ▁east- ▁shops- ▁WhatsApp- ▁argue- ▁craving- ▁irritating- ▁resume- ▁studied- ▁cruise- ▁initially- ▁pocket- ▁lean- ▁promise- ▁remain- ▁communication- ▁height- ▁cigarette- ▁options- ▁grown- ▁plum- all- guni- ▁tick- ▁bomb- ▁cancer- ▁Sembawang- ▁casual- ▁potential- ▁stunned- ▁skinny- ▁anime- ▁joy- ▁host- ri- ▁trade- ▁hamster- ▁wondering- ▁map- ▁pen- ▁modules- ▁crowds- ▁scratch- ▁Malacca- ▁impossible- ▁insurance- ▁lamb- ▁multiple- ▁ladies- ▁France- ▁horse- ▁types- ▁stock- ▁belt- ▁sis- ▁source- ▁Math- ▁stamp- ▁bill- ▁worked- ▁sheet- ▁upon- ▁Philippines- ▁answered- ▁lip- ▁resources- ▁actors- ▁stars- ment- ▁reject- ▁contribute- ▁manual- ▁Marvel- ▁insane- ▁opportunities- ▁picnic- ▁upgrading- ▁psychology- ▁industrial- ▁betting- ▁peak- ▁forced- ▁sour- ▁intrigues- to- ▁steam- ▁preference- ▁mooncake- ▁mobile- ▁oven- ▁House- ▁messy- ▁bonding- ma- ▁Kong- ▁depending- ▁steps- ▁cinema- ▁scare- ▁recipe- ▁turns- ▁enjoyed- ▁drives- ▁minded- ▁exercises- ▁forest- ▁pills- ▁cousins- ▁cockroach- ▁Adam- ▁November- ▁awesome- ▁forecast- ▁January- ▁fierce- ▁simply- ▁nowhere- ▁giam- ▁Jay- ry- ▁academic- ▁outdoor- ▁rule- ▁calm- ▁ingredients- ▁strike- ▁including- ▁phase- ▁vending- ▁fridge- ▁confidence- ▁daddy- ▁fixed- ▁counter- ▁rushing- ▁connect- ▁appear- ▁yeap- ▁groups- ▁sandals- ▁savings- ▁aim- ▁stare- ▁float- ▁foreign- ▁Crazy- ▁wrap- ▁jialat- ▁unhealthy- ▁banner- ▁chalet- ▁platform- ▁mentality- ▁toxic- ▁mountains- ▁argument- ▁crap- ▁buildings- ▁woo- ▁wing- ▁stairs- ▁prove- ▁considering- ▁carrots- ▁meals- na- ▁plant- ▁dig- ▁likely- ▁fans- ▁spell- ▁Liverpool- ▁assuming- ▁mystery- ▁necessarily- ▁dealbreaker- ▁Chicken- ▁Uber- ▁winning- is- ▁scissors- ▁di- ▁shade- us- ▁influencer- ▁factor- ▁al- te- Yi- ▁monitor- ▁fuck- ▁loving- ▁maximum- ▁smiling- ▁classroom- ▁briyani- ▁glasses- ▁moon- ▁details- ▁climbing- ▁letters- ▁wipe- ▁museum- ▁seashell- ▁adults- ▁freak- ▁steal- ▁smooth- ▁introvert- ▁brush- ▁beyond- ▁laundry- ▁pepper- ▁podcast- ▁WiFi- ▁applied- ▁hardworking- ▁roughly- ▁golden- ▁studio- ▁tiny- ▁van- ▁mop- ▁status- ▁tent- ▁added- shirt- ▁estate- ▁panel- ▁bone- ▁gas- ▁tips- ▁sweep- ▁encourage- ng- teow- ▁decent- ▁strawberry- ▁therefore- ▁watermelon- ▁Kampung- ▁edition- ▁shag- ▁curly- ▁scan- ▁emotionally- ▁expecting- ▁Sam- ▁magazine- ▁musician- ▁clothing- ▁iron- ▁wings- ▁Sing- ▁li- ▁valid- ▁basket- ▁intense- ▁plot- ▁welcome- ▁fence- ▁laksa- ▁romance- ▁Spirit- ▁slept- ▁loyalty- ▁surprisingly- ▁bang- ▁string- ▁bitter- ▁numbers- ▁atas- ▁capital- ▁bottles- ▁flats- ▁straw- ▁quote- ▁stripes- ▁picking- ▁colours- ▁grill- ▁spoke- ▁shell- th- ▁advance- goreng- ▁Venom- ▁silent- ▁surgery- ▁kiasu- ▁apartment- ▁suitable- ▁landed- ▁seconds- ▁honesty- Gates- ▁knee- ▁finance- ▁fee- ▁shoulder- ▁produce- ▁recognise- ▁joking- ▁instant- ▁Dubai- ▁enemy- ▁queuing- ▁Pasar- ▁gender- ▁Paya- ▁disappointed- ▁herbal- ▁formal- ▁chili- ▁scolded- ▁drugs- ▁throwing- ▁Christian- ▁drivers- ▁assignment- ▁director- ▁vibe- ▁collecting- ▁peeve- ▁specs- ▁wasting- ▁rules- ▁professional- ▁actress- ▁conscious- ▁neutral- ▁burden- ▁silence- ▁troublesome- ▁south- ▁toothpaste- ▁halal- ▁accidentally- ▁reaction- pop- ▁gate- ▁clock- el- ▁ang- ▁kai- ▁folks- ▁supermarket- ▁task- ▁hearing- ▁equipment- ▁classmate- ▁subjects- ▁degrees- Ma- ▁crush- ▁migrate- ▁divorce- ▁efficient- ▁sudden- ▁Agnes- ▁drove- ▁threw- ▁responsible- ▁wild- ▁workplace- ▁era- ▁One- ▁chain- ▁wonderful- ▁dust- ▁graduated- ▁created- ▁sofa- ▁stream- ▁crime- ▁experiment- ▁article- ▁Mac- ▁legal- ▁en- ▁deliver- ▁le- ▁heartlands- ▁Phuket- ▁burst- ▁combination- ▁hopscotch- ▁procrastinate- ▁survey- ▁hurry- ▁beginning- ▁warehouse- ▁logo- ▁West- ▁invisible- ▁becoming- ▁toner- ▁toes- ▁protect- ▁Hari- ▁advise- ▁seek- ▁lane- ▁benefits- ▁outlet- ▁fees- ▁pe- ▁intend- ▁adopt- ▁chose- ▁promote- ▁nah- ▁squeeze- ▁jealous- ▁jungle- ▁submit- ▁motorbike- ▁silver- ▁welfare- ▁babe- ▁bungee- ▁teeth- ▁pail- ▁European- ▁helpful- ▁convert- ▁comedy- ▁randomly- ▁overall- ▁west- ▁relaxing- ▁missed- ▁fin- ▁kite- ▁fats- by- ▁Jun- ▁genres- ▁vacuum- ▁bully- ▁peas- Lemak- Bahru- ▁toast- ▁Mandarin- ▁leisure- ▁lousy- ▁Italy- ▁multi- ▁tail- ▁angmoh- ▁crispy- ▁confused- ▁blender- ▁assistant- ▁mass- ▁branded- ▁Char- ▁wording- ▁ordered- ▁fetch- ▁centres- ▁waves- ▁clouds- ▁sponsor- ▁learned- ▁involve- ▁houses- ▁turned- ▁wanting- li- ▁pursue- ▁succeed- four- ▁additional- ▁motivation- ▁Saint- ▁Singtel- ▁mutant- ▁population- ▁knitting- ▁British- ▁luckily- ▁Raffles- ▁converse- ▁makan- ▁siew- ▁barely- ▁application- ▁prof- ▁agent- ▁riding- ▁hoping- ▁Gai- ▁youngest- ▁Ma- ▁longest- ▁bun- ▁Indonesian- ▁followed- hoon- ▁expectations- me- ▁concerts- ▁ho- ▁triangle- ▁showed- ▁fishball- ▁brothers- ▁engage- ▁smoothie- ▁helped- ▁jun- ▁ca- ▁replace- ▁adjust- ▁memorise- ▁suggest- ▁spring- ▁minor- ▁Italian- ▁serving- ▁yogurt- ▁innocence- ▁midnight- ▁lemon- ▁Hello- ▁production- ▁pissed- ▁episodes- ▁trips- ▁recommended- ▁seagulls- ▁experiences- ▁bathe- ▁soya- ▁guard- ▁mushroom- ▁review- ▁payment- ▁effect- ▁sisters- ▁hug- ▁Hai- ▁weekdays- ▁fa- ▁challenging- ▁luggage- ▁multiply- ▁staircase- ▁maroon- ▁admin- ▁drank- ▁Ikea- ▁neck- ▁regardless- ▁passionate- ▁unfortunately- ▁gang- ▁constantly- ▁ultimately- ▁anti- ▁dump- ▁extremely- ▁mate- ▁equally- ▁dining- ▁realized- at- ▁lighter- Lin- ▁neighbors- ▁mirror- ▁temple- ▁connection- ▁tear- ▁angel- ce- ▁cleaner- ne- ▁spin- East- ▁Book- ▁Canada- ▁iPad- ▁alternative- ▁destination- ▁response- ▁coffeeshop- ▁Johor- ▁embarrassed- ▁shorter- ▁volunteering- ▁core- ▁din- ▁captain- ▁relative- ▁signs- ▁lecturer- ▁Long- ▁plants- ▁punch- ▁combine- ▁register- ▁heaven- ▁breathe- ▁breast- ▁spaghetti- ▁assessment- ▁solid- ▁blanket- ▁Nike- ▁satisfied- ▁scooter- ▁bono- ▁household- ▁rackets- ▁Zealand- ▁Hui- ▁scam- ▁spare- ▁lyrics- ▁bout- ▁scolding- ▁baked- ▁difficulty- ▁joined- ▁ba- ▁pa- ▁traveled- ▁triple- ▁experienced- ▁turning- ▁sub- ▁gear- ▁advertisement- ▁cable- ▁include- ▁lies- ▁necklace- ▁collector- ▁actions- less- ▁ties- ▁grad- ▁refuse- ▁fiction- ▁author- ▁Disney- ▁easiest- ▁length- ▁Mark- ▁leaf- ▁pilot- ▁trading- ▁guilty- ▁eww- ▁Boon- ▁carpark- ▁larger- ▁mango- ▁Coast- ▁wore- ▁posted- ch- ro- ▁walked- ▁views- ▁passenger- ▁arms- ▁biscuit- ▁tape- som- ▁reflect- ▁jail- Lebar- ▁oops- ▁German- ▁blend- ▁surprising- ▁Big- ▁butterfly- ▁dropped- ▁entrance- ▁lipstick- ▁neither- ▁patience- ▁ringgit- ▁skydiving- ▁Mount- ▁scale- ▁inspiration- ▁Pete- ▁connected- ▁developed- two- ▁gen- chor- Chu- ▁staring- ▁texting- ▁Z- ▁pies- ▁temperature- ▁slice- ▁ribbon- ▁hint- ▁decisions- ▁rod- ▁Q- it- ▁fold- ▁respond- ▁encounter- ▁freeze- ▁lepak- ▁mutual- ▁recycling- ▁suicide- ▁whatsoever- ▁Mobile- ▁balik- ▁Holland- ▁irritated- ▁cheapest- ▁ends- ▁buses- ▁choices- ▁cockles- ▁workers- ▁parking- ▁languages- ▁salad- ▁motor- ▁blank- ▁Gardens- ▁lawyer- ▁butcher- ▁expectation- ▁May- ▁slack- ▁pump- ▁arrange- ▁Air- ▁rubber- ▁hook- Ris- ▁Adidas- ▁fertility- ▁Halloween- ▁profile- ▁crew- ▁truck- ▁Line- ▁God- um- ▁killed- ▁beard- mo- ▁mistakes- ▁pan- ▁pit- ▁joining- ▁sa- ▁seashells- ▁odd- ▁voucher- ▁require- ▁hay- ▁flaw- ▁neighbor- ▁cow- Z- q- il- cream- ▁stalls- ▁Manchester- ▁cereal- ▁crisis- ▁ensure- ▁happily- ▁illegal- ▁naked- ▁racist- ▁seaweed- ▁Fandi- ▁dunno- ▁jogging- ▁audition- ▁breed- ▁quiz- ▁rise- ▁calculated- ▁surfing- ▁anger- ▁held- ▁ban- ▁Anna- ling- ▁sleepy- ▁tofu- ▁econs- ▁bees- ▁hill- ▁seed- ▁passing- ▁papers- ▁traveling- ▁crack- ▁engineer- ▁owe- ▁layer- ▁irritate- ▁muscle- ▁programme- ▁drug- lo- ▁gather- ▁rap- Kang- ▁disagree- ▁Mercedes- ▁Samsung- ▁ocean- ▁oyster- ▁unfair- ▁England- ▁babies- ▁grail- ▁housing- ▁Seoul- ▁aww- ▁Carousell- ▁chasing- ▁effective- ▁pastime- ▁allowance- ▁stingy- ▁siao- ▁adventurous- ▁acceptable- ▁chem- ▁prize- ▁provided- ▁darker- ▁belly- ▁wrongly- ▁sight- ▁goats- ▁pulling- ▁agreed- ▁guessing- ▁Shi- ▁trigger- ▁unit- ▁method- ▁lips- ▁School- ▁drain- ▁sink- ▁reduce- ▁translate- ▁accurate- ▁peaceful- ▁trail- ▁stubborn- ▁Miss- ▁Tokyo- ▁nervous- ▁policy- ▁sashimi- ▁liquid- ▁petrol- ▁satisfaction- ▁depth- ▁legend- ▁void- City- ▁po- ▁origins- ▁na- ▁hike- ▁stated- ▁candy- ▁bu- ▁models- ▁seeds- ▁trays- ▁chit- ▁expenses- ▁soap- ▁computers- ▁somewhat- ▁v- gai- ▁attract- ▁pattern- ▁claim- ▁begin- ▁tier- ▁cakes- ▁officer- ty- ▁projects- ▁Su- ▁edit- ▁nurse- ▁complicated- ▁knife- ▁typhoon- ▁Iceland- ▁relevant- ▁Joyce- ▁Genting- ▁fancy- ▁thriller- ▁liking- ▁Newton- ▁planned- ▁Nun- ▁June- ▁blur- ▁rely- ▁goat- ▁holes- ▁fart- ▁nation- ssed- ▁scenario- ▁struggle- ▁image- ▁solution- ▁customers- ▁intention- ▁surrounding- ▁clip- ally- ▁abuse- ▁adapt- ▁understood- Rich- ▁answers- ▁genuine- ▁honeymoon- ▁overcome- ▁impressive- ▁queen- ▁raising- ▁Little- ▁Black- ▁clockwise- ▁mama- ▁creepy- ▁Wave- ▁housework- ate- ▁curve- ▁answering- ▁exposed- ▁Ryan- kway- ▁recorded- ▁marker- ▁coins- ▁visited- ▁watches- ▁accounting- oo- ▁counting- ▁comments- ▁diet- z- ▁bell- ▁lover- ▁script- Garden- ▁si- ▁attraction- ▁trainer- ▁chew- ▁belong- ▁delay- ▁shells- ▁pioneer- ▁calculate- ▁sharp- ▁criteria- ▁emergency- ▁precious- ▁pregnant- ▁president- ▁microphone- ▁mosque- ▁keyboard- ▁spade- ▁absolutely- ▁subjective- ▁expression- ▁capable- ▁Road- ▁kway- ▁loss- ▁bare- ▁kicked- ▁port- ▁correction- ▁plates- ▁worker- ▁cares- ▁checking- ▁jokes- ▁par- ▁chances- age- ▁handbag- ▁advantage- ▁stranger- ▁filter- ▁diff- ▁unlike- ▁flour- ▁Tiong- ▁convenience- ▁cultural- ▁flexible- ▁judging- ▁awake- ▁innocent- ▁stingray- ▁duty- ▁headache- ▁clubbing- ▁granted- ▁Star- ▁frozen- ▁overnight- ▁regarding- ▁Yew- ▁however- ▁bow- ▁sentimental- ▁malls- ▁site- ▁oi- ▁cheating- ▁sincere- ▁shed- ▁rat- ▁sustain- ur- ▁relatives- ▁oo- ▁cookies- ▁pad- ▁measure- ▁corn- ▁wire- ▁tutor- ▁acronyms- ▁perfume- ▁aeroplane- ▁idiot- ▁motivate- ▁trick- ▁weapon- ▁detail- ▁coin- ▁classic- ity- ▁surf- ▁bless- ▁stalk- ▁cough- ▁permanent- ▁rough- ▁beneath- ▁category- ▁licence- ▁nursing- ▁surface- ▁fusion- ▁steamboat- ▁texture- ▁chest- ▁educated- ▁mentally- ▁Wei- ▁motivated- ▁curse- ▁fork- ▁stronger- ▁filling- ▁monthly- ▁cons- ▁speakers- ▁picked- ▁killing- ▁onion- ▁Chris- ▁youth- ▁interests- ▁stands- ▁sending- ▁ti- ▁tin- ▁refer- ▁zip- ▁dots- ▁professor- ▁operation- ▁coaster- ▁cheer- ▁client- ▁recover- ▁purchase- ▁reveal- ▁organise- ▁freelance- ▁electric- ▁admit- ▁entry- ▁sarcastic- ▁supervisor- ▁bullshit- ▁garlic- ▁identity- ▁prank- ▁Pulau- ▁Switzerland- ▁automatically- ▁realistic- ▁theatre- ▁cha- ▁trailer- ▁sickness- ▁Maldives- ▁reasonable- ▁rejected- ▁buttons- ▁gathering- ▁packed- ▁sticky- ▁texted- ▁mu- ▁lo- ▁sheng- ia- ▁playful- ▁brings- ▁helper- ▁inter- ▁outing- ▁Si- ▁pros- ▁spoon- ▁update- ▁represent- ▁organisation- ▁attachment- ▁discover- ▁vote- Road- Zealand- three- ▁logic- ▁superhero- ▁attractive- ▁MacPherson- ▁currency- ▁elephant- ▁facilities- ▁initiative- ▁nephew- ▁thirsty- ▁Johnny- ▁itinerary- ▁desk- ▁Stella- ▁spray- ▁cope- ▁Kuan- ▁lend- ▁pity- ▁fund- ▁bloody- ▁screaming- ▁reached- ▁Ban- ▁heels- ▁chip- ▁insects- ▁schooling- ▁vibes- se- ian- ▁prices- ▁Mo- ▁foreigners- ▁disappear- ▁instrument- ▁slipper- ▁pitch- ▁participate- ▁marble- ▁polite- ▁Gerald- ▁Subway- ▁aquarium- ▁software- ▁tingling- ▁Jalan- ▁shelf- ▁puppy- ▁pluck- ▁cheesecake- ▁terminal- ▁entitled- ▁profit- ▁Rice- ▁depressing- ▁lowest- ▁princess- ▁taller- ▁mustard- ▁roomie- ▁panda- ▁suffering- ▁loudly- ▁harm- ▁accepted- ▁stores- ▁puff- ▁angle- ▁burning- ▁Art- ▁hurts- ▁semi- ▁surely- as- ▁breaking- ▁Li- ▁bla- ▁squares- sh- ▁af- ▁sawing- ▁blow- ent- ▁opponent- ▁visual- ▁dim- ▁entertain- ▁Ubi- ▁manner- ▁nail- ▁spider- ▁edge- ▁damage- ▁recycle- ▁behave- ▁delete- ▁racket- ▁audience- ▁childcare- ▁funeral- ▁generous- ▁grateful- ▁kopitiam- ▁mookata- ▁ourself- ▁prefect- ▁scope- ▁stadium- ▁straightforward- ▁throat- ▁venom- ▁cowboy- ▁ginger- ▁truffle- ▁bullied- ▁cheesy- ▁conclusion- ▁fuel- ▁strap- ▁feedback- ▁ferry- ▁portable- ▁roti- ▁sightseeing- ▁mail- ▁screwed- rice- ▁palm- ▁bothered- ▁talented- Again- ▁offered- ▁bind- ▁dai- beh- ▁scenes- ▁Jing- ▁jog- ▁har- ▁emotions- ▁commercial- ▁claw- ▁proceed- ▁twist- ▁hype- ▁veg- ▁capture- ▁expose- ▁interaction- ▁monkey- ▁boost- ▁nap- ▁companion- ▁Jolene- ▁Shanghai- ▁accommodation- ▁accompany- ▁crayfish- ▁eldest- ▁principal- ▁reservist- ▁rural- ▁barbeque- ▁fantasy- ▁Daniel- ▁Guang- ▁nanny- ▁leadership- ▁junior- ▁battery- ▁powerful- ▁committed- ▁cockroaches- ▁Parish- ▁ingredient- ▁aspiration- ▁eighties- ▁cheated- ▁counts- ▁olden- Teow- ▁loser- ▁breaks- ▁praying- X- Man- ▁boot- ▁dialects- ▁muscles- ▁consequences- ▁function- ▁hive- ▁panic- ▁traits- ▁seasons- ▁peeves- ▁poke- ▁pea- ▁formula- ▁hm- ▁rec- ▁teache- ▁enrol- ▁reward- ▁portray- ▁bias- ▁determine- ▁extrovert- ▁Maggi- ▁observe- ▁adventure- ▁superficial- Han- ▁corridor- ▁false- ▁furniture- ▁hidden- ▁ownself- ▁rectangle- ▁strategy- ▁unhappy- ▁cardio- ▁anniversary- ▁elite- ▁Spiderman- ▁popcorn- ▁lottery- ▁struggling- ▁hostel- ▁Grey- ▁bloomer- ▁Siri- ▁awareness- ▁steering- ▁spotted- ▁basement- ▁Plaza- ▁stove- ▁Haw- ▁chemical- ▁movement- ▁War- ▁childish- ▁tyre- ▁weekday- ▁fate- ▁seater- ▁waited- ▁ev- ▁risks- ▁log- ▁lor- ▁runs- ▁ears- ▁su- ▁walls- do- ine- ay- ge- ▁cases- ▁confess- ▁Yi- ▁Uni- ▁scar- law- ▁cock- John- ▁global- ▁thankful- ▁tomato- ▁Toto- ▁slap- ▁Honda- ▁ambitious- ▁geography- ▁healthcare- ▁lmao- ▁luxury- ▁nasty- ▁possibly- ▁rebellious- ▁tournament- ▁Penang- ▁stood- ▁Chelsea- ▁silly- ▁Disneyland- ▁brake- ▁referring- ▁majority- ▁teleportation- ▁statement- ▁hiding- ▁cabin- ▁roasted- ▁sniffing- ▁relatively- ▁consideration- ▁satisfying- ▁custom- ▁firm- ▁advanced- ▁Tan- ▁eraser- ▁hao- ▁turtle- ▁lizard- ▁heartland- ▁niece- ▁container- ▁workshop- ▁electronic- ▁brave- ▁cameras- ▁aspects- ▁onwards- ▁spoilt- ▁tasted- ▁robots- ton- ▁whoa- ▁Bio- ▁Al- ▁levels- ▁rub- ▁region- ▁suits- ▁tradition- ▁tip- ▁privilege- ▁request- Timah- Raya- ▁nerd- ▁teenage- ▁authentic- ▁thumb- ▁alternate- ▁broad- ▁compulsory- ▁essence- ▁furthest- ▁graduation- ▁imagination- ▁intelligent- ▁philosophy- ▁tasty- ▁Sengkang- ▁appointment- ▁jelly- ▁council- ▁frequency- ▁rooftop- ▁Perth- ▁savoury- ▁beehive- ▁tahan- ▁Audrey- ▁digital- ▁rooms- ▁retirement- ▁Mother- ▁chey- ▁dragging- ▁brownish- ▁dip- ▁particularly- ▁completed- ▁Physics- ▁intake- ▁MacDonald- ▁flash- ▁antique- ▁feeding- ▁parks- ▁jet- ▁opinions- ▁circumstances- ▁sadly- ▁aye- ▁signal- ▁timer- ▁searching- go- ▁saved- ▁shirts- ▁failing- ▁tube- ▁plank- ▁lived- ▁ta- ▁prep- ▁mac- ▁internal- ▁named- ▁hor- ▁sides- ▁antiques- ▁Da- ▁tune- ▁reserve- ▁drill- ▁ac- Yew- ▁March- Kway- ▁Night- ▁Great- ▁Esplanade- ▁Greece- ▁encouraging- ▁frustrated- ▁pavement- ▁preparing- ▁upbringing- ▁August- ▁Jesus- ▁scroll- ▁Cantonese- ▁udon- ▁Seven- ▁patch- ▁healthier- ▁harsh- ▁oya- ▁regularly- ▁bosses- ▁purely- ▁triggered- ▁retired- ▁materials- ▁matured- ▁rainy- ▁sector- ▁invited- ▁olive- ▁comic- ▁leading- ▁tire- ▁secondly- ▁couples- Di- ▁scramble- ▁roads- ism- de- ▁mates- ▁playgrounds- ▁forth- ▁coloured- ▁features- ▁fam- out- ▁pok- ▁hack- gi- ▁breath- ▁Cambodia- ▁vomit- ▁stunt- ▁Lin- Quay- Xiang- Sands- Mian- ▁logical- ▁slip- ▁April- ▁ankle- ▁economy- ▁hokkien- ▁privacy- ▁surname- ▁Brunei- ▁trolley- ▁despite- ▁pride- ▁surfboard- ▁unlucky- ▁visa- ▁Michael- ▁tourism- ▁Andrew- ▁pond- ▁located- ▁photography- ▁Xiao- ▁Cafe- ▁bushes- Par- ▁deeper- ▁mat- ance- ▁fed- ▁performing- ▁treated- ▁scoop- ▁monster- ▁challenges- ▁tender- ▁whale- ▁strangers- ▁lay- ▁talents- ▁services- am- ▁kindness- ▁supporting- ▁Ted- ▁hitch- ▁downwards- ▁Yan- ▁fingers- ▁Ali- ▁musicians- ong- ▁blocks- ▁stir- ize- ▁ill- ▁demand- ni- han- Villa- liao- ▁cast- ▁singapore- ▁bunk- ▁You- ▁Innisfree- ▁escalator- ▁mixture- ▁parcel- ▁repair- ▁sausage- ▁supply- ▁Taobao- ▁corporate- ▁hindsight- ▁scholarship- ▁atmosphere- ▁protein- ▁closing- ▁mouse- ▁electricity- ▁audio- ▁matchmade- ▁tango- ▁pineapple- ▁pile- ▁vest- ▁manga- ow- ▁hardest- ous- ▁interior- ▁focused- ▁campaign- ▁lifetime- ▁occasion- ▁supposedly- ▁relation- ▁waffle- ▁Wen- ▁calories- ted- ▁McDonalds- ▁secrets- ▁sets- ▁opened- ▁classmates- ▁central- ▁span- ▁bath- ▁factors- ▁headphones- ▁youngsters- ▁pairs- ▁partners- ▁ducks- ▁faith- ▁trains- ▁distress- ▁select- Kuan- ▁maggi- ▁bark- ▁exit- ▁external- ▁Causeway- ▁algorithm- ▁choosing- ▁describing- ▁heritage- ▁kosong- ▁military- ▁organic- ▁resort- ▁seatbelt- ▁stereotype- ▁wheelbarrow- ▁earpiece- ▁martial- ▁various- ▁alarm- ▁sexuality- ▁aggressive- ▁matchmake- ▁mopping- ▁universe- ▁breakdown- ▁whack- ▁injured- ▁cabby- ▁Yong- ▁Wild- ▁mods- ▁pioneering- ▁spa- ▁beaches- ▁safer- ▁exhibitions- ▁acknowledge- ▁disturbing- ▁spill- ▁frog- ▁tutorial- ▁cone- ▁workout- ▁foreigner- ▁et- ▁melt- aking- ▁peel- ▁snap- ▁tan- ▁Div- ▁aha- ▁fi- ▁ants- ▁debts- ise- ▁situations- ▁allows- ▁hop- ▁regrets- ▁races- ▁fur- ▁destroy- ▁load- ▁embarrass- ▁murder- ▁network- ▁concentrate- United- ▁desperate- ▁arrogant- ▁immediate- ▁object- ▁Batman- ▁Myanmar- ▁Sephora- ▁Suntec- ▁certificate- ▁cliche- ▁coconut- ▁dealmaker- ▁diabetes- ▁exposure- ▁marathon- ▁pencil- ▁thief- ▁unnecessary- ▁vintage- ▁outcome- ▁Telok- ▁fisherman- ▁importance- ▁Alvin- ▁giant- ▁gangster- ▁cupboard- ▁straightaway- ▁bunny- ▁college- ▁sunset- ▁waving- ▁paiseh- ▁abilities- ▁Ayam- ▁plug- ▁dependent- ▁mince- ▁sunny- ▁Service- ▁Burger- ▁York- co- ▁nails- ▁blessed- ▁factory- ▁shave- ▁aiyah- ▁compromise- ▁chick- ▁diamond- ▁producer- ▁textbook- ▁pancake- ▁error- ▁subscribe- ▁assignments- ▁circles- ▁wha- ▁Wan- ▁Play- ▁panels- ▁pears- ▁bound- ▁Wi- ▁predict- ▁conduct- ▁annoy- et- ▁bump- ▁puke- Point- Wei- ▁engine- Lay- ▁agencies- ▁airplane- ▁chendol- ▁concrete- ▁controversy- ▁excellent- ▁gravy- ▁hashtag- ▁helmet- ▁remote- ▁renovation- ▁tampines- ▁vessel- ▁yolk- ▁Dhoby- ▁choir- ▁improving- ▁virus- ▁Timothy- ▁hipster- ▁itchy- ▁Vietnamese- ▁shuttle- ▁netball- ▁perception- ▁pillow- ▁omelette- ▁slang- ▁shipping- ▁obsessed- ▁Force- ▁equality- ▁fictional- ▁Chong- ▁Dance- ▁storyline- ▁combing- ▁install- ▁matches- ▁Seng- ▁cure- ▁locked- ▁concerned- ▁rides- ▁spoken- ▁served- ▁perfectly- ▁Mall- ▁lately- ▁highly- ▁fired- ▁trained- King- ▁veggie- ▁oversea- da- ▁visiting- ▁peer- ▁chilling- ▁glitters- ▁wei- ▁sticks- ▁rid- ▁burnt- ▁propose- ▁speaks- ▁correctly- ive- ▁cells- ▁artists- ▁compete- ▁meter- ▁economics- ▁blog- ik- ▁films- ak- ▁highlight- ▁retail- ▁retain- ▁command- ▁psych- ▁official- ▁jia- ▁Vivo- ▁Power- ▁Kopitiam- ▁Krabi- ▁advertising- ▁animation- ▁bungalow- ▁comparison- ▁description- ▁hygiene- ▁intelligence- ▁introduction- ▁qualify- ▁qualities- ▁rojak- ▁strawberries- ▁technician- ▁upstairs- ▁practise- ▁orientation- ▁McSpicy- ▁Taipei- ▁vacation- ▁Golf- ▁Pizza- ▁beige- ▁judgement- ▁Pub- ▁vase- ▁Choa- ▁retake- ▁grandpa- ▁craft- ▁cherry- ▁skipping- ▁promo- ▁balloon- ▁laughter- ▁micro- ▁whichever- ▁treatment- ▁transportation- ▁pampered- ▁kana- ▁nun- ▁practically- ▁impatient- ▁fulfilling- ▁Jie- ▁Bak- ▁generic- ▁anchor- ▁aiming- ▁kin- ▁fairy- ▁Malam- ▁Gen- ▁wo- ▁tub- Legend- ▁instruction- ▁boxing- ▁economic- ▁motorcycle- ▁file- ▁requires- ▁debt- ▁reaching- ▁shocking- ▁documents- ▁smoothies- he- ▁clubs- ▁fare- ▁bears- ▁bones- Ting- line- ▁sue- ▁streets- ▁programs- ▁sail- ▁recognize- ▁secure- Chou- Airport- Ubin- Wen- ▁fortunate- ▁consistent- ▁ultimate- ▁gentle- ▁forgive- ▁Robin- ▁Middle- ▁Contest- ▁Filipino- ▁Hokkaido- ▁MacRitchie- ▁Turkey- ▁forehead- ▁garbage- ▁juicy- ▁Melvin- ▁racial- ▁accessible- ▁foam- ▁confusing- ▁materialistic- ▁Golden- ▁pasar- ▁ouch- ▁distresses- ▁productive- ▁Old- ▁distracted- ▁rack- ▁discussion- ▁keen- ▁gao- ▁Square- ▁percentage- ▁stepping- ▁hitting- ▁possess- ▁Bean- ▁attended- ▁bi- ▁Qing- ▁spices- ▁meetings- ▁rolling- ▁pimple- ▁checked- ▁ruin- ▁ra- ▁eyebrow- ▁cafes- ▁Lim- ▁necklaces- ▁ver- ▁spectacles- ai- ▁pounds- ▁Ba- iness- ▁sp- 'no'- ▁cigarettes- ▁comm- ▁slim- ▁fulfill- ▁Mala- ▁Ha- ▁vertical- ▁constant- ▁Botanic- ▁branch- ▁journal- ▁Circle- ▁Downtown- ▁Jeju- ▁Khatib- ▁Norway- ▁circular- ▁evidence- ▁excluding- ▁grammar- ▁insecure- ▁procrastination- ▁segment- ▁sword- ▁syllabus- ▁flew- ▁happier- ▁oxygen- ▁Huawei- ▁twenties- ▁Spotify- ▁documentary- ▁applicable- ▁independence- ▁outfit- ▁vice- ▁Clarke- ▁haunted- ▁Four- ▁motion- ▁chess- ▁tries- ▁Lion- ▁Cai- pa- ▁actively- ▁Rich- ▁difficulties- ▁sailing- ▁slower- ▁hoon- ▁softer- ▁bullying- ▁ironing- ▁oldest- ▁repeating- ▁meme- ▁farming- ▁emotion- ▁mannequin- ▁pub- ▁improvement- ▁posting- ▁hardship- ▁flaws- ▁footballer- ▁locals- ▁Yu- ▁flavours- ris- math- ▁cooling- ▁prompts- ▁dirt- ▁standards- ▁sessions- ter- ▁waffles- ▁pant- ▁taxis- ▁groom- ▁exclude- ▁renew- ▁aspirations- '['- Pop- ▁loose- ▁Insta- ▁courage- ▁compliment- ▁Arnold- ▁Earth- ▁Eatigo- ▁Energ- ▁FIFA- ▁Melbourne- ▁commission- ▁cushion- ▁fool- ▁frappe- ▁funniest- ▁gambling- ▁pleasant- ▁presence- ▁puddle- ▁recognition- ▁squad- ▁goodbye- ▁pronunciation- ▁priorities- ▁Michelle- ▁Deepavali- ▁applies- ▁Social- ▁construction- ▁operating- ▁sentosa- ▁cemetery- ▁Nicholas- ▁balcony- ▁Food- ▁clay- ▁tentage- ▁trial- ▁Earl- ▁Briyani- ▁July- ▁icon- ▁lime- ▁secondhand- ▁Beach- ▁cleanser- ▁Theme- ▁demon- ▁leftover- ▁growth- ▁sang- ▁pinkish- ▁mud- ▁historical- ▁rating- ▁someday- ▁trousers- ▁poop- ▁medication- ▁smarter- ▁stretching- ▁raised- ▁Avengers- ▁understandable- ▁sweating- ▁prawning- ▁debate- ▁specially- ran- ▁gig- ▁accepting- ▁bend- ▁pale- ▁venture- ▁procedure- ▁mission- ▁border- ▁blessing- ▁requirement- ▁chapter- ▁mile- ▁tr- ▁ski- ▁heal- ▁prawns- ▁honours- ▁rates- ▁lovely- ▁dated- ▁fame- ▁praise- tic- ▁bat- ▁pointed- ▁readings- ▁eyebrows- ▁Sun- ▁Indians- ▁mis- ▁haste- ▁slides- ▁King- ▁backpack- ▁guarantee- ▁initiate- ▁expand- Hui- ▁labour- ▁unexpected- Lao- Lee- ▁sandwich- ▁mosquito- ▁affects- ▁fever- ▁FaceBook- ▁Sweden- ▁antenna- ▁barrier- ▁behaviour- ▁caramel- ▁empathy- ▁fibre- ▁franchise- ▁lantern- ▁offence- ▁password- ▁stamina- ▁twentieth- ▁underneath- ▁humour- ▁managing- ▁February- ▁Rachel- ▁narrow- ▁concealer- ▁attempt- ▁celebration- ▁sunglasses- ▁Pills- ▁programming- ▁convo- ▁unagi- ▁Claire- ▁overrated- ▁Two- ▁greedy- ▁moisturiser- ▁depressed- ▁festive- ▁indie- ▁Victoria- ▁seventies- ▁Simon- ▁attracted- ▁duh- ▁organize- ▁catalyst- ▁booking- ▁educational- ▁separated- ▁parties- ▁reminded- ▁blowing- ▁operate- ee- ▁spit- ▁ethics- ▁seller- ▁focusing- ▁covering- ▁hearted- ▁sticking- ▁quest- bah- ▁pol- ▁Din- ▁lion- ▁coat- ▁disease- ▁ad- ▁award- ▁idol- ▁slot- ▁prompt- ▁headphone- ▁youngster- ▁Woodland- ▁stones- Asians- ▁analyse- ▁Asians- ▁lectures- ▁Vans- ▁wanton- ▁hu- ▁sting- ▁intro- ▁stays- ki- ▁Shop- ▁motorcycles- ▁bills- ▁centers- ca- ▁costs- ▁festivals- ▁jack- ▁deduct- ▁tai- World- Village- ▁essential- ▁excel- ▁Aaron- ▁Mediacorp- ▁Peggy- ▁Scotland- ▁Texas- ▁allergic- ▁avocado- ▁banquet- ▁ceiling- ▁concession- ▁monetary- ▁shampoo- ▁cliff- ▁complex- ▁hometown- ▁roommate- ▁drew- ▁kimchi- ▁bounce- ▁lens- ▁appropriate- ▁Xavier- ▁swimsuit- ▁Zara- ▁punishment- ▁appearance- ▁waterfall- ▁pathway- ▁occasionally- ▁magician- ▁similarities- ▁polar- responsibilities- ▁forcing- ▁addicted- ▁Jane- ▁equivalent- ▁stopping- ▁Point- ▁tricky- ▁detailed- ▁included- ▁combined- ▁Island- ▁extended- ▁erase- ▁greenish- ▁Bay- ▁strongly- ▁shifted- ▁gel- ▁transparent- ▁clients- ▁Me- ▁certainly- ▁lau- ▁camping- ▁worrying- ▁genes- ▁objective- ▁seniors- ▁superpower- ▁inform- ▁elective- way- ▁prayer- ▁Garden- ▁conflict- bu- ▁Pet- ▁leaves- ▁cleaners- ▁chi- ▁marking- ▁ve- ang- tending- ▁stages- ▁hats- ap- ▁bra- ▁environmental- long- ▁faint- ▁donation- ▁rescue- ▁skate- Eleven- Island- ▁gamble- ▁frequent- ▁humid- ▁confront- ▁Bintan- ▁Cheryl- ▁Nutella- ▁Southeast- ▁comparing- ▁devil- ▁gloss- ▁grocery- ▁integrity- ▁zombie- ▁curriculum- ▁thigh- ▁Candy- ▁Good- ▁creating- ▁millionaire- ▁humor- ▁rendang- ▁Jordan- ▁wreck- ▁granny- ▁transition- ▁academically- ▁cities- ▁consist- ▁trap- ▁scheme- ▁controlling- ▁dedicated- ▁crave- ▁Koi- ▁colourful- ▁greyish- ▁shitty- ▁grilled- ▁breathing- ▁mild- ▁spoiled- ▁folding- ▁relieve- ▁pho- son- ▁Pro- ▁overtime- ▁celebrated- ▁chin- Cha- ▁dreamt- ▁packing- ▁Courts- ▁nicest- ▁newer- chat- ▁My- ▁theater- ▁stops- ex- Lim- ▁pleasure- ose- ▁reference- ▁disaster- ▁slave- ▁pound- ▁politic- ▁toward- yum- ▁cell- ▁keeper- ▁reviews- led- ▁adding- men- ▁seal- ▁articles- ▁emails- ▁finances- ▁nuts- ▁shown- cu- ▁tab- ▁upload- ▁im- ▁literal- ▁purposes- Fi- ▁Maths- ary- ▁Van- ▁She- ▁Jo- ical- ▁facts- ung- ▁Russia- ▁satisfy- ▁detect- ▁threaten- ▁thir- ▁dimension- ▁civil- ▁Joseph- ▁Ferrari- ▁Pavilion- ▁Twitter- ▁anxiety- ▁blouse- ▁clever- ▁conservative- ▁elderlies- ▁groceries- ▁jeep- ▁lesbian- ▁possibility- ▁Econs- ▁Northern- ▁beneficial- ▁holistic- ▁justify- ▁foresee- ▁phobia- ▁mainstream- ▁flies- ▁wolf- ▁Crystal- ▁countdown- ▁deny- ▁battle- ▁lake- ▁weakness- ▁University- ▁billion- ▁supportive- ▁combo- ▁inspirational- ▁inclined- ▁essentially- ▁Sheng- kong- ▁emo- ▁impressed- ▁Jimmy- ▁selected- ning- ▁handling- ▁fif- uhI- ▁engaged- ▁laws- ▁guni- ▁sadness- ▁coma- ▁mole- ▁spelling- ▁hip- ▁ranking- ▁developing- ▁greater- Ning- ga- ▁chim- ▁forms- ▁Red- ▁attractions- ▁Bar- red- ▁mathematics- ▁bitch- ▁Rui- ▁towels- ▁bars- ▁desire- ▁ju- ▁slope- ▁brick- ▁cups- ▁artiste- ▁resting- ok- ▁nag- ut- ▁nut- ▁booked- ▁messages- ▁desserts- ▁Zi- ▁drums- ▁abs- ▁La- ▁pages- ver- ▁driven- maths- ▁outdoors- ▁powers- ▁burgers- ▁doll- ▁input- ▁piss- ▁Ka- ▁refresh- ▁draft- York- like- India- Kitty- ▁sexual- Gai- ▁recruit- ▁Android- ▁PayLah- ▁PayNow- ▁detention- ▁flirt- ▁french- ▁graduating- ▁horizontal- ▁relatable- ▁turkey- ▁Tekka- ▁rainbow- ▁sesame- ▁scrub- ▁filial- ▁sunblock- ▁computing- ▁several- ▁pram- ▁sunrise- ▁Festival- ▁membership- ▁bedroom- ▁therapy- ▁Merlion- ▁pageant- ▁Katong- ▁Museum- ▁pian- ▁disk- ▁Gong- ▁destroyed- ▁unable- ▁sponsored- ▁greatest- ▁enjoyment- ▁heaty- ▁boom- Chan- ▁pandan- ▁Fort- ▁matcha- ▁tricks- ▁strands- ho- hi- ▁risky- ▁picky- ▁applying- ig- ▁sc- ▁generations- fi- ▁includes- ▁fr- ▁danger- ▁flavor- ▁peanut- ▁supplement- ▁achievement- ▁vendor- ▁feature- ▁tears- ▁novel- ▁drum- ▁resource- ▁states- ▁engages- ▁piranhas- ▁signed- ▁albums- ▁Teh- ▁bikes- ▁worms- ▁needy- ▁norm- ▁finishing- un- ping- ▁friendships- ▁recipes- ▁liver- ▁heights- ▁Malays- ▁trends- x- ▁info- ▁absorb- ▁stole- ▁bald- ▁consume- ▁convince- ▁cramp- Plaza- New- ▁mash- ▁vague- nua- ▁merge- ▁Eddie- ▁Labrador- ▁Argus- ▁circuit- ▁explanation- ▁fountain- ▁helicopter- ▁matchmaking- ▁mischievous- ▁necessity- ▁polytechnic- ▁rectangular- ▁squash- ▁surgeon- ▁wavelength- ▁desktop- ▁orchard- ▁spouse- ▁biology- ▁rugby- ▁squiggly- ▁Finland- ▁Justin- ▁furthermore- ▁retarded- ▁sufficient- ▁assist- ▁William- ▁posture- ▁Pearlyn- ▁stroller- ▁flu- One- ▁River- ▁cashless- ▁Central- ▁canvas- ▁tide- ▁Iron- ▁Sushi- ▁frequently- ▁Street- ▁chio- ▁Siew- ▁genuinely- ▁authority- ▁Singa- ▁reserved- ▁goreng- ▁horn- ▁nest- ▁existed- kan- ▁charger- ▁entered- ▁noises- ▁noticed- ard- ▁balanced- ▁Men- ▁mice- ▁rep- ▁crossing- ▁rings- ▁em- ▁Maya- ▁archetypes- As- ▁Kay- ▁Clementi- ▁cu- ▁aging- ▁Don- ▁pose- ▁regards- ▁mint- ▁nightmare- ▁organization- ▁mi- ▁spec- ▁Swensen- ▁indoor- ▁effects- ▁nugget- ▁citizen- ▁buck- ▁Hua- ▁sia- ▁voices- pe- ▁x- ▁sided- ▁banks- ▁Far- ▁We- ▁vi- ▁doctors- ▁tracks- ▁hates- ▁sup- ▁comics- ▁teams- kut- ▁planet- be- ▁cos- ▁chee- ▁prince- ▁resolve- ▁associate- eight- ▁arrive- ▁abandon- Ahmad- ▁Alex- ▁cringe- ▁artificial- ▁Rome- ▁economical- ▁Arab- ▁volcano- ▁graph- ▁cheerful- ▁transit- ▁Charmaine- ▁Chemistry- ▁Eurasian- ▁Hindu- ▁History- ▁Literature- ▁ancient- ▁bluff- ▁continuing- ▁courtesy- ▁deposit- ▁heavily- ▁hilarious- ▁irrelevant- ▁ketchup- ▁mahjong- ▁oriented- ▁poverty- ▁premium- ▁sponge- ▁spontaneous- ▁superior- ▁suspicious- ▁swallow- ▁thieves- ▁varieties- ▁wheelchair- ▁ignorant- ▁Tekong- ▁thirties- box- ▁Universal- ▁fiber- ▁boundaries- ▁Michelin- ▁scoreboard- ▁sensor- ▁subway- ▁dread- ▁league- ▁Giant- ▁Busan- ▁Autumn- ▁tuna- ▁reflection- ▁Snow- ▁humanities- ▁mister- ▁electrical- ▁nineties- ▁dried- ▁highway- ▁Nex- ▁yummy- ▁bakery- ▁splash- ▁politically- five- ▁talkative- ▁appeared- ▁selfie- ▁op- ▁sixth- ▁internships- ▁fucking- ▁el- ▁striped- ▁chosen- ju- ▁Ya- ▁settled- ▁killer- ▁attacking- ▁grave- ▁str- ▁touched- ▁spam- ▁ri- ▁interpret- bao- ▁banking- ▁weekly- ▁ding- ▁Sha- ▁dolls- ▁abit- ▁partly- ▁butchers- ▁dr- Foo- ▁mentor- ▁dinosaur- ▁strip- ▁technique- ▁cabinet- ▁alien- ▁cultures- Jun- ▁gu- ▁eco- ▁millennials- ▁Ru- ▁Sim- ▁sorts- ▁tastes- har- ▁ni- ier- En- ▁whales- ▁finals- ▁vehicles- ▁pi- ▁condemn- ▁suspect- League- Wave- Wild- ▁impress- Wan- ▁insist- ▁urgent- ▁clinic- ▁saliva- ▁champion- ▁Excel- ▁Geography- ▁Spencer- ▁armpit- ▁aspire- ▁capacity- ▁carefree- ▁classify- ▁english- ▁existence- ▁leather- ▁lounge- ▁portfolio- ▁refill- ▁replied- ▁sarcasm- ▁scenic- ▁scientific- ▁specify- ▁television- ▁underground- ▁wrestling- ▁skating- ▁mineral- ▁Head- ▁macaroni- ▁vulgarities- ▁junction- ▁companionship- ▁vulgar- ▁papaya- ▁Sylvia- ▁marine- ▁bodies- ▁moisturizer- cuba- ▁subsequently- ▁Zoo- ▁miserly- ▁replacement- ▁bruh- ▁digest- ▁insert- ▁suggestion- ▁Kovan- ▁roadside- Tai- ▁alert- ▁Coke- ▁cherish- ▁Feng- ▁manpower- ▁beast- ▁Hub- ▁Hotel- ▁hong- ▁contractor- ▁considerate- ▁shaking- ▁proof- ▁dye- ▁conditions- ▁How- Shan- ▁Taylor- ▁maggie- ▁sweater- ▁associated- ▁United- ▁strongest- ▁twen- ▁ballet- chi- ▁Dion- ▁determined- ▁Lay- ▁swap- ▁teen- ▁contented- ▁shitting- ▁richer- ▁cave- ▁entirely- ▁costly- ▁outline- ▁sim- ▁dressed- ▁Ho- ▁wished- ▁pricey- ▁rational- ▁alias- ▁stats- ag- ▁neat- ▁han- ▁needle- ▁officers- ized- ▁crabs- ▁layers- ▁contacts- wan- ▁inch- ▁foodie- ▁kit- ▁jo- ▁Chan- ▁dealing- ▁bullet- ▁spike- ▁aesthetic- ▁sole- ▁costume- ▁squat- ▁farmer- ▁goodie- ▁audit- ful- light- ▁accumulate- ▁citizens- ▁tourists- ▁slots- ▁owl- ▁kor- ▁academics- ▁gr- ▁meters- ▁pancakes- ▁tho- Wet- ▁electronics- ▁publish- ▁brief- ▁consult- ▁poison- link- Penyet- ▁wealth- Malam- ▁absolute- ▁initial- ▁spiritual- ▁pau- ▁boots- ▁crawl- ▁villa- ▁tragic- ▁automatic- ▁Ganesh- ▁Jollibee- ▁MacBook- ▁Police- ▁Spain- ▁Spanish- ▁Toyota- ▁apron- ▁bastard- ▁cabbage- ▁carnival- ▁defense- ▁disabled- ▁dungeon- ▁elsewhere- ▁metaphor- ▁monsoon- ▁octopus- ▁parallel- ▁philosophical- ▁reputation- ▁technologies- ▁thirtieth- ▁Bandung- ▁Potong- ▁coding- ▁favour- ▁kanchiong- ▁Laneige- ▁Nanyang- ▁autistic- ▁counselling- ▁decorative- ▁shortcut- ▁trekking- ▁tummy- ▁turquoise- ▁Jason- ▁translation- ▁Temasek- ▁carpet- ▁Winnie- ▁ceremony- ▁Hollywood- ▁shield- ▁waist- ▁executive- ▁Arsenal- ▁spinning- ▁partially- ▁priest- ▁fluffy- Batok- ▁Audi- ▁steady- ▁speechless- ▁David- ▁racing- ▁nick- ▁cutlet- ▁strive- ▁shallow- ▁rebel- ▁offended- ▁condensed- ▁takeaway- ▁Romeo- ▁timetable- ▁Yuan- ▁Joy- ▁fryer- ▁warning- ▁temper- ▁rallying- ▁heavier- ▁haha- ▁cai- ▁heroes- ▁hunter- ▁spiders- ▁required- ▁loop- ▁fastest- ▁bathing- ▁Xin- ey- ▁ongoing- ▁instruments- ▁tied- ▁toddler- ist- ▁incorporate- ▁Ray- ▁Chi- ▁led- ▁lied- ned- ▁tooth- ▁cooler- ▁habits- ▁tested- ▁pushed- ▁Shu- ▁concepts- ▁lotion- ▁eve- dy- ▁Tim- ▁urban- ▁figurines- ad- ant- ▁bl- ▁redo- ▁trunks- ▁Egypt- ▁beliefs- ▁Jian- ▁lecturers- ▁beats- ▁root- ▁poem- rry- ▁contain- ▁pigeon- ▁scholar- ▁twin- ▁logistic- ▁described- ▁novels- ▁magazines- ▁fo- ▁practic- ▁museums- ▁stab- ▁soil- ▁instructions- ▁roles- ▁ji- ▁pr- ▁rag- king- cause- pan- ▁pun- ▁accounts- ▁nor- ▁drown- ▁reverse- ▁assess- ▁drift- ▁desert- ▁punish- ▁millions- ▁bulk- ▁intellectual- ▁frank- ineapple- Tau- ▁prime- ▁advertise- ▁Beijing- ▁BreadTalk- ▁Koufu- ▁Mookata- ▁Telegram- ▁alpha- ▁dialysis- ▁embrace- ▁heirloom- ▁irresponsible- ▁navy- ▁nuisance- ▁exclusive- ▁genius- ▁hardcore- ▁swipe- ▁faux- ▁Suzuki- ▁Superga- ▁diverse- ▁spectrum- ▁reliable- ▁Sharon- ▁assistance- ▁hopping- ▁pinpoint- ▁bacon- ▁macam- ▁mingle- ▁ordinary- ▁distinction- ▁tendency- ▁Coffee- ▁Sierra- ▁oval- ▁nursery- ▁cashier- ▁underwear- ▁coke- ▁simi- ▁cardboard- ▁regretted- ▁fatter- ▁rape- ▁memorize- ▁Airport- ▁beforehand- ▁individually- ▁folded- ▁malay- ▁bonded- ▁touristy- ▁mold- ▁delaying- ▁pinch- ▁released- ▁scored- ▁frying- rs- ▁attachments- ▁graded- ▁cl- ▁African- ▁storey- ▁gum- ▁worthy- ▁rounds- ▁rats- Gardens- ▁backup- ▁Lei- dai- ▁seasoning- ▁Mel- per- ▁treats- ▁prob- saw- ko- ▁noted- ▁Le- ▁dreaming- ▁winner- ▁recommendation- ▁criminal- ▁classical- ▁lap- ▁pamper- ▁employee- ▁tarts- ▁millennial- ▁differ- ▁worm- ▁logistics- ▁queueing- ▁pas- ▁st- ▁knees- ▁equals- ▁starter- ▁nuggets- ze- ▁whe- cy- ▁Ping- ▁outer- ▁scares- ▁stocks- ▁ooh- ba- ▁olives- ▁beans- ▁tattoos- ▁biting- ▁defend- ▁shoots- ▁imp- ▁whoo- ▁vege- ▁appeal- ▁tolerate- ▁renovate- ▁confuse- ▁implement- ▁invent- Silver- Bean- <- ▁newspapers- ▁stain- ▁overlook- ▁latte- ▁bronze- ▁unfortunate- ▁critical- ▁buff- ▁juniors- oreal- ▁Jonathan- ▁Microsoft- ▁Nokia- ▁Okinawa- ▁Starhub- ▁asthma- ▁cholesterol- ▁conducive- ▁contributing- ▁differentiate- ▁distant- ▁division- ▁duration- ▁emperor- ▁enemies- ▁exotic- ▁immature- ▁investigate- ▁jersey- ▁piercing- ▁prioritise- ▁sardine- ▁tolerance- ▁Buddhist- ▁Doctor- ▁Prime- ▁hammer- ▁reddish- ▁subscription- ▁terrorist- ▁venue- ▁wrist- ▁Osaka- ▁compound- ▁niche- ▁Duel- ▁defence- ▁unicycle- ▁Puma- ▁indecisive- ▁Lisa- ▁Bollywood- ▁Macau- ▁Oreo- ▁numb- ▁comfortably- ▁recap- ▁Geraldine- ▁fought- ▁amazed- ▁apologise- ▁Spine- ▁wireless- ▁Jessie- ▁dairy- ▁stability- ▁promoting- ▁mechanic- ▁shiny- ▁photographer- ▁slight- ▁hotter- Panther- ▁League- ▁tilted- ▁Gold- ▁lian- ▁Mary- ▁alot- ▁agreement- ▁requested- ▁poker- ▁torn- ▁Kitty- ▁carefully- ▁thicker- ▁ranger- ▁campus- ▁herring- ▁spine- ▁entertaining- ▁paddle- ▁chewing- ▁shouted- ▁supplies- ▁vacuuming- ▁sporty- ▁ticking- ▁accomplished- ▁expressed- ▁appreciated- ▁sharks- ▁pressing- ▁import- Fung- ▁lotus- ▁torture- ▁treating- ▁te- ▁rage- ▁obstacles- ▁deeds- ▁tilt- ▁parenting- ▁caps- ▁courts- ▁ow- ▁Ku- Wong- ▁bug- ▁placed- having- ▁hut- ▁owning- ▁lighting- ▁lag- ▁elements- ▁spark- ▁ponytail- ▁clue- ▁crocodile- ▁composition- ▁deadline- ▁bundle- ▁qualification- ▁sample- ▁dolphin- ▁Lao- ui- ▁fasting- ▁Uh- ▁singers- va- ▁minimal- ▁tart- nce- ei- ▁chart- ▁ke- cted- ▁swee- day- ▁peers- ▁pic- ▁De- ated- ke- ▁Sec- ▁indicate- ▁witness- ▁roast- ▁neglect- ▁tee- Ghaut- Simon- ▁distinct- ▁expert- ▁Ngee- ▁Adobe- ▁Amsterdam- ▁California- ▁Dakota- ▁Teochew- ▁Vegas- ▁acapella- ▁agenda- ▁altogether- ▁arguing- ▁dementia- ▁experiencing- ▁horoscope- ▁housewife- ▁immune- ▁injury- ▁pincer- ▁preparation- ▁protagonist- ▁remedial- ▁supernatural- ▁underrated- ▁viral- ▁wisdom- ▁withdraw- ▁yishun- ▁abroad- ▁committee- ▁hectic- ▁microwave- ▁stagnant- ▁tactic- ▁Tanglin- ▁orphanage- ▁vanilla- ▁railway- ▁Phantom- ▁interchange- ▁pasir- ▁stewardess- ▁parade- ▁Islam- ▁Somerset- ▁blade- ▁visible- ▁Thomson- ▁temporary- ▁animate- ▁Cube- ▁cruel- ▁Prison- ▁speechlessness- ▁monk- ▁villain- ▁du- ▁iconic- ▁medal- ▁overhead- ▁assembly- ▁naan- ▁Studies- ▁tete- ▁Lady- ▁kidney- ▁Kelly- ▁compo- ▁freezing- ▁binge- ▁humanity- ▁surrounded- ▁polo- ▁chatting- ▁passive- ▁bumper- ▁sci- ▁peo- ▁Song- ▁fallen- ▁biased- ▁Peter- ▁bid- ▁promoter- ▁privileged- ▁Steven- ▁remem- ▁broth- ▁Dan- ▁asset- ▁Russian- ▁flavoured- ▁weaker- ▁Sarah- ▁smallest- ▁ethical- ▁softly- ▁judged- ▁gardening- ▁lacking- ▁divided- ▁guessed- ▁weights- ▁soci- ▁attending- ▁dressing- ▁backwards- ▁nat- ▁confirmed- ▁followers- ▁methods- uhthe- ▁bass- ised- ▁masters- ▁stigma- ▁Re- ▁web- ▁overly- ▁qua- ▁camps- ster- ▁stations- ▁commitments- ▁soak- ▁gi- ▁ab- ▁tablet- ao- Yai- ▁Fa- bi- ▁fundamental- ▁bins- ▁characteristic- ▁candle- ▁element- bo- ▁insect- ▁intrigue- ▁nowaday- yu- ▁cookie- ▁aliens- ▁Go- ▁accidents- ▁ships- ▁ki- ▁Hill- ▁weddings- ial- ▁ro- land- ▁weigh- yo- ▁Lit- ▁bands- ying- ▁shots- ▁flop- ▁ga- di- iest- ▁gana- ▁ed- ▁chemicals- ▁resign- made- ▁thread- ▁brows- ▁polish- ▁Chu- ▁profession- Barrage- prata- ▁staple- Hong- ▁coast- ▁Captain- ▁Channel- ▁Adventure- ▁Bitcoin- ▁Claudia- ▁Ernest- ▁Internet- ▁Kanken- ▁Nintendo- ▁Standard- ▁alumni- ▁anxious- ▁automated- ▁calendar- ▁celebrities- ▁creativity- ▁cubicle- ▁facility- ▁gesture- ▁hummus- ▁mandatory- ▁parasol- ▁rewind- ▁rinse- ▁shadow- ▁tertiary- ▁unknown- ▁vampire- ▁Belgium- ▁Benjamin- ▁hotpot- ▁psychological- ▁abusive- ▁maturity- ▁tedious- ▁Friends- ▁fifties- ▁Thomas- ▁crystal- ▁scientist- ▁Anonymous- ▁juggle- ▁tempted- ▁Genki- ▁laser- ▁acne- ▁selection- ▁species- ▁static- ▁stationary- ▁litter- ▁protection- ▁sustainable- ▁hangout- ▁hind- ▁carbs- ▁Story- ▁fatty- ▁Silver- ▁cutter- ▁wana- ▁Five- Ann- ▁Village- ▁standby- ▁mock- ▁outfield- ▁credits- ▁kayaking- ▁lull- ▁Bank- ▁pointless- Yum- ▁trans- ▁wisely- ▁invested- ▁tryna- ▁represents- ▁achieved- ▁proven- ▁alley- ▁safest- ▁noob- ▁kaya- ▁creamy- ▁lifting- ▁Care- ▁inspires- ▁Bo- ▁thousands- ▁drying- ▁wat- ▁bull- ▁comp- ▁mixing- ▁turner- ▁Jen- ▁continued- ▁importantly- ▁explaining- ▁blast- ▁user- ▁gifts- ▁sin- ▁The- ▁mon- ban- ▁smells- Ming- book- ▁warrior- ▁examination- ▁Game- ▁affair- ▁device- ▁rhyme- ▁earring- ▁Pa- ▁piranha- ▁En- ▁prayers- ▁des- ▁tele- ▁falls- ▁chapters- ▁compet- ▁machines- ber- ▁mug- ▁hotels- ▁Ris- ▁aid- ▁Xi- lly- ▁zi- ▁sacrifices- ▁kan- ana- ji- ▁linked- ul- ▁gem- ▁temp- ▁grind- ▁greet- ▁rail- ▁align- ▁defeat- ▁strain- Loong- Heng- Yuan- ▁creep- ▁definite- Long- ▁fond- ▁Stephen- ▁Zouk- ▁Bhutan- ▁Khao- ▁Kosong- ▁Lazada- ▁Messi- ▁Pakistan- ▁Tribute- ▁Uncle- ▁ambiguous- ▁ambulance- ▁asshole- ▁assumption- ▁categories- ▁century- ▁cleanliness- ▁climate- ▁cluster- ▁disadvantage- ▁earthquake- ▁fattening- ▁foresight- ▁gigantic- ▁haystack- ▁inflation- ▁libraries- ▁milkshake- ▁multitask- ▁paragraph- ▁plenty- ▁reservoir- ▁seminar- ▁syrup- ▁themself- ▁transaction- ▁transcript- ▁wardrobe- ▁Samuel- ▁boast- ▁clap- ▁gauge- ▁granddaughter- ▁trimming- ▁unsure- ▁Skype- ▁Tony- ▁brunch- ▁relief- ▁unemployed- ▁receptionist- ▁stiff- ▁Bayfront- ▁harmony- ▁meditation- ▁analysis- ▁muddy- ▁obligation- ▁popiah- ▁scariest- ▁cohort- ▁illness- ▁prior- ▁rising- ▁Wanton- ▁cancelled- ▁zao- ▁Beauty- ▁Keith- ▁preferably- ▁recce- ▁serial- ▁Alice- ▁console- ▁dual- ▁personalities- ▁peop- ▁Angel- deciding- ▁pillar- ▁Cold- ▁Xuan- ▁Parade- ▁merit- ▁prone- ▁Wang- ▁overthinking- ▁tension- ▁doggo- ▁Dota- ▁Tru- ▁discovered- ▁secretly- ▁outgoing- ▁jealousy- ▁Raya- ▁suggested- ▁converted- rilyn- ▁sexy- ▁barking- ▁upside- ▁stem- ▁stalking- ▁positively- ▁hired- ▁pipe- Rangers- ▁announce- ▁floating- ▁cartoons- ▁existing- ▁warming- ▁marinate- ▁respectful- ▁shaped- ▁rounded- La- ▁advocate- ▁hence- ily- ▁seated- ▁mistaken- lin- ▁Bu- ▁returning- ▁ted- ▁glue- ▁cows- ▁prelims- if- ▁Girls- char- ▁listeners- ▁creatures- ▁tu- ▁handed- ▁charm- ▁believed- ▁Eve- ▁forum- ▁penguins- ▁lasted- ▁gong- ▁beg- ▁careless- ization- ▁zoom- ▁directions- ▁digg- ▁posters- ▁apa- ▁squirrel- ▁tale- ▁beginner- ▁drone- ▁aged- ▁kitten- ▁ambition- ▁honour- ▁folk- ▁Philippine- ▁YouTuber- tion- ide- ▁visitor- op- Ho- ▁Or- ▁dancer- ▁gram- ▁Las- ▁packs- ▁tool- Pa- ▁ko- ▁miles- peh- eo- ▁cam- ▁format- ▁concerns- cha- fun- ▁ty- rebus- ▁pri- ▁Glen- ▁z- park- ▁emphasize- Clinton- ▁flesh- Parade- Square- English- Year- Master- ▁Premier- Lian- ▁stitch- ▁Hawaii- ▁dang- ▁contest- ▁Amanda- ▁Lamborghini- ▁Marsiling- ▁Mooncake- ▁Munafik- ▁Vivian- ▁blossom- ▁breeze- ▁broccoli- ▁charcoal- ▁dictionary- ▁exploring- ▁extension- ▁google- ▁grandchildren- ▁hierarchy- ▁invisibility- ▁kallang- ▁lettuce- ▁outstanding- ▁palace- ▁principle- ▁savvy- ▁trombone- ▁unlimited- ▁virtual- ▁whisper- ▁workload- ▁Pacific- ▁Robert- ▁Taurus- ▁luxurious- ▁northern- ▁Alicia- ▁Sony- ▁architecture- ▁ninth- ▁padlock- ▁probability- ▁StarHub- ▁tekan- ▁Mexican- ▁rollercoaster- ▁identified- ▁batak- ▁certification- ▁miserable- ▁vocabulary- ▁Marine- ▁Novena- ▁dwell- ▁storage- ▁Tanjong- ▁impactful- ▁landmark- ▁Kimchi- ▁mike- ▁Jerome- ▁attendance- ▁Primary- ▁spiderman- ▁Ocean- ▁pax- ▁wiping- ▁yolo- ▁caption- ▁Emma- ▁Mission- ▁Royal- ▁bleeding- ▁Jenny- ▁vegan- ▁Poke- ▁Prata- ▁overwhelming- ▁Light- ▁forgotten- ▁Jerry- ▁frankly- ▁accomplishment- ▁tuck- ▁Goreng- ▁preferred- ▁employed- ▁barefooted- ▁handmade- ▁bulky- ▁Cher- ▁malaysia- ▁artistic- ▁abandoned- ▁renovated- ▁Marche- ▁reciprocate- ▁expired- ▁Nine- ▁disappeared- ▁Mao- ▁combat- ▁darkness- ▁cargo- ▁backside- ▁signing- Men- ▁Appa- ▁lemak- ▁recognised- ▁compensate- ▁Shen- ▁manners- ▁weirdest- ▁seventh- ▁epic- Glory- ▁Kang- ▁Po- ied- ▁catcher- ▁fighter- ▁heater- ▁Sri- ▁improved- ▁Bob- ▁drawer- ▁spy- ▁estimate- ▁charged- ▁wi- ▁rim- ▁relaxed- ack- ▁siam- ▁Lau- Ying- ▁timeline- ac- ▁cater- ▁generate- ▁sneakers- ▁belongs- ▁gloves- ▁trainers- ger- ▁Ross- ▁Australian- ▁ironic- mi- ▁jars- ▁Jan- ▁flights- gong- ▁collectors- ir- ▁Ro- ▁acts- ▁gadgets- ▁malam- ▁pigs- cal- ries- ye- ating- ▁Cha- ▁thr- ▁stake- ▁storybook- ▁puzzle- ▁passage- ▁employer- ▁kaki- ▁grape- ▁belonging- ▁spectacle- ▁misunderstand- Asian- ▁alter- ▁hah- ities- ▁pla- ▁caused- ▁Sal- ach- ▁gamer- ▁carbo- war- ▁melts- ▁Kit- sha- ▁swings- ▁elders- ▁sip- ▁hap- ▁shame- ▁fits- lu- ▁colors- ▁expir- ▁surround- ▁Leo- ▁tidy- ▁emcee- ▁rally- ▁Tang- ▁attach- ▁educate- cetera- Jackson- Junior- Xuan- Chong- Zhi- Poly- ▁Nepal- peng- ▁continent- ▁wok- ▁Swee- ▁excess- ▁neuro- ▁Airbnb- ▁Annabelle- ▁Argentina- ▁Fila- ▁GoPro- ▁Marcus- ▁Neopets- ▁Rihanna- ▁Sanchez- ▁Seletar- ▁Volkswagen- ▁adorable- ▁aerospace- ▁avenue- ▁bargain- ▁bathtub- ▁behavior- ▁cocoa- ▁comprehension- ▁diarrhoea- ▁energetic- ▁kiosk- ▁multiracial- ▁negativity- ▁puberty- ▁pyramid- ▁receipt- ▁repetitive- ▁reunion- ▁singlish- ▁testimonial- ▁trampoline- ▁tribute- ▁unreasonable- ▁unstable- ▁vinegar- ▁Chope- ▁Silat- ▁Zalora- ▁floral- ▁nuclear- ▁scanner- ▁Safra- ▁consistency- ▁Greek- ▁haircut- ▁riot- ▁steel- ▁Akash- ▁Grace- ▁Queen- ▁cumin- ▁laziness- ▁serum- ▁Scandinavia- ▁survival- ▁Lorong- ▁Running- ▁tinder- ▁detective- ▁restart- ▁savory- ▁bojio- ▁Shakespeare- ▁stray- ▁naive- ▁Taiwanese- ▁couch- ▁lump- ▁woohoo- ▁legitimate- ▁cotton- ▁lava- ▁xiao- ▁Ralph- ▁qualified- ▁fox- ▁bible- ▁Sonia- ▁skyline- ▁hiring- ▁Republic- ▁Kids- ▁hassle- ▁epok- ▁bathroom- ▁ashes- Panjang- ▁clan- ▁hugging- ▁Wall- ▁Market- ▁classified- ▁parasailing- ▁Fei- ▁motivational- ▁thankfully- ▁catered- ▁remembering- ▁Mid- ▁deserted- ▁Yang- ▁Wee- ▁upcoming- ▁mage- ▁convinced- ▁fulfilled- ▁Fish- ▁pastry- mail- ▁Hip- ▁organised- ▁accordingly- ▁porn- ▁introverted- ▁kiap- ▁topless- ▁breakup- ▁union- ray- ▁businesses- ▁editing- Tan- ▁Joey- ▁introduced- ▁punching- ▁blindly- ▁stealing- ▁Mile- ▁guns- ▁comb- ▁swinging- ▁Americans- ▁fairly- ▁colder- ▁coaching- mack- ▁targeting- ▁rented- ▁solar- ▁jumped- ▁pon- ▁sized- ▁filming- ▁Fai- ▁prim- wa- ▁fields- ▁br- ▁regional- ▁eighth- ▁brains- der- ▁disc- ▁chao- ▁rows- ▁diagnose- ▁cupcakes- ▁beng- ▁earphones- ▁Gu- ▁metres- ▁units- ▁codes- ▁sheeps- ▁Min- ▁smokers- ▁basics- ▁plump- ▁tools- ▁Sea- kio- ▁complaints- ▁earrings- ci- ▁outlets- ley- ▁Be- ▁investments- ▁scout- ▁curtain- ▁decoration- ▁negotiable- ▁document- ▁gadget- ▁penguin- ▁Boy- ick- ▁expense- ▁joker- ▁clo- ▁smoker- ▁idols- ▁pat- ▁requirements- ina- ▁entrepreneur- istic- ▁acquire- ▁Do- gu- master- ▁blond- ▁MacDonalds- ▁heel- ▁eater- Li- ▁toilets- ▁bonds- ▁sentiment- ▁interrupt- ▁Steve- ▁Shaw- ▁demolish- ▁compose- food- ▁kayak- ▁emphasis- ▁assign- ▁launch- ▁barefoot- Smith- Stadium- Goreng- Street- ▁Grand- Hill- ▁crunch- ▁Latin- padi- Dai- ▁steep- Link- ▁witch- ▁confide- ▁Super- ▁ethnic- ▁Alaska- ▁Avenue- ▁Croatia- ▁Eunos- ▁Joshua- ▁Mecca- ▁Sabrina- ▁Samantha- ▁Takoyaki- ▁Water- ▁aluminium- ▁arcade- ▁bacteria- ▁bazaar- ▁billionaire- ▁capsule- ▁caravan- ▁controversies- ▁deodorant- ▁domestic- ▁engaging- ▁escort- ▁eyeliner- ▁fraud- ▁frisbee- ▁impromptu- ▁inclusive- ▁instagram- ▁jurong- ▁messaging- ▁modify- ▁motive- ▁nevertheless- ▁occupation- ▁possibilities- ▁pretentious- ▁receiving- ▁reservation- ▁showcase- ▁stereotypical- ▁substitute- ▁tempura- ▁therapeutic- ▁timid- ▁unusual- ▁versatile- ▁comedian- ▁dialogue- ▁earliest- ▁summon- ▁attire- ▁Blackshot- ▁Blue- ▁clown- ▁kiwi- ▁virgin- ▁Andy- ▁plaster- ▁Jakarta- ▁bankrupt- ▁compile- ▁Coca- ▁election- ▁bluish- ▁lucid- ▁Nicole- ▁Venice- ▁aloe- ▁Charlie- ▁Wendy- ▁capabilities- ▁modified- ▁Charles- ▁banned- ▁favor- ▁urine- ▁layout- ▁Henry- ▁legacy- ▁mocha- ▁laid- ▁Superman- ▁washroom- ▁overpriced- ▁ease- ▁Halal- kali- ▁wax- ▁Missus- ▁Mitch- ▁capability- ▁sleeveless- ▁floorball- ▁blink- ▁Tiger- ▁pores- ▁rejection- ▁flush- ▁Trump- ▁Siti- ▁progression- ▁assam- ▁retriever- ▁consistently- ▁Cheng- ▁hai- ▁bookshop- ▁wealthy- ▁cui- ▁visually- ▁Forty- ▁naps- ▁obedient- wen- ▁Eleven- ▁hyper- ▁Sang- ▁mindful- ▁Bang- ▁bitten- ▁separately- ▁dresses- ▁Val- ▁pao- ▁delayed- ▁Bad- ▁deleted- ▁registered- ▁pastel- ▁bay- ▁yellowish- ▁arranged- ▁promoted- ▁migrated- ▁Land- ▁contributed- ▁downloaded- ▁directed- ▁windy- ▁solved- au- ▁cease- ou- ged- ▁calming- ▁ob- ▁wasabi- ▁designs- ▁lu- ▁contacted- ita- ▁Bears- ▁supporter- ▁investing- ▁cleared- ▁Nan- siew- ▁ancestors- ▁tackle- fan- ▁renting- ▁smelling- ▁Per- six- ▁def- ▁begins- ▁circled- ata- ▁ram- ▁glu- mation- ▁boarding- ▁tiles- Asia- ability- dey- bit- les- Pok- ▁revis- ▁biscuits- ten- ▁heading- ▁rappers- ▁Boys- her- ▁Han- ▁storm- zz- ▁Qi- ▁involves- tro- ▁candles- ▁vet- ▁holds- ▁efforts- ▁Ed- ▁originate- ▁limits- ▁Bel- our- ▁vera- ▁fe- ▁tease- ▁expire- ▁vendors- ▁milestone- ▁landscape- ▁ano- side- ▁Master- ice- ▁alphabet- ▁statue- ▁minister- ▁Legend- ▁airline- ▁consumer- ▁lastly- ▁rapper- ▁teenager- ▁belief- ▁Tu- ging- ▁downstair- ▁occur- ▁shades- ku- ▁Christ- ▁backstab- ▁defer- mai- ▁arguments- ▁writer- ▁flap- while- ▁memes- cai- ▁He- use- ▁sigh- fe- ▁volunteers- ▁sources- ▁San- ▁dri- ification- ship- ▁Mos- ▁Co- ▁tunnel- ▁Break- ▁employ- ▁choke- ▁explode- ▁perceive- ▁conquer- ▁discard- ▁approve- ▁manipulate- Pooh- ▁transcribe- ▁disrespectful- Kee- ▁shove- ▁trauma- Kai- ▁addition- ▁athletic- ▁Admiralty- ▁Digimon- ▁Eighteen- ▁Eminem- ▁President- ▁Sydney- ▁WeChat- ▁accommodate- ▁aglio- ▁attentive- ▁coleslaw- ▁congrats- ▁consumption- ▁cringy- ▁deaf- ▁district- ▁drumstick- ▁evaporate- ▁expenditure- ▁gantry- ▁hummingbird- ▁hypocrite- ▁inconvenient- ▁instinct- ▁intuition- ▁irrational- ▁policies- ▁pricing- ▁purplish- ▁servant- ▁skeptical- ▁surviving- ▁syndrome- ▁terrace- ▁turret- ▁wedges- ▁Angkor- ▁Ellen- ▁Hanoi- ▁Ofo- ▁Rebecca- ▁increasing- ▁outdated- ▁pursuit- ▁Heartland- ▁association- ▁psychologist- ▁unpredictable- ▁Yates- ▁manufacturing- ▁index- ▁botak- ▁quantity- ▁Marco- ▁runner- ▁memorising- ▁obsession- ▁ferment- ▁lamppost- ▁balm- ▁Tuas- ▁Frank- ▁announcement- ▁penalty- ▁Nyonya- ▁leverage- ▁Monkey- ▁stroke- ▁font- ▁token- ▁massive- ▁chopping- ▁wheat- ▁kiasi- ▁optimistic- ▁mochi- ▁subtle- ▁embarrassment- ▁secretary- ▁smartphone- ▁wives- ▁Arabic- ▁bold- ▁popping- ▁sync- ▁curb- ▁summary- ▁kacang- ▁Catholic- ▁continuously- ▁Mio- ▁reuse- ▁colorful- ▁problematic- ▁Tower- Centre- ▁Hsien- ▁Jackie- ▁fussy- ▁counsellor- ▁koi- ▁wastage- ▁countryside- ▁worn- ▁longkang- ▁Junior- ▁Clinton- ▁revolve- ▁cetera- ▁Rong- ▁Eastern- Schooling- Tong- ▁quitting- ▁handful- ▁Eric- ▁sewing- ▁knowledgeable- Tay- ▁walkway- ▁petty- ▁outlook- ▁disappointing- ▁monkeys- ▁Mama- ▁instantly- ▁Breaking- ▁Maggie- ▁smoothly- ▁Pong- ▁tailor- ▁Lord- ▁payout- ▁encountered- ▁updated- ▁refreshing- ▁typically- ▁warmer- ▁intended- ▁protected- ▁Potter- ▁ideally- ite- ▁shorten- ▁dull- ▁checkup- ▁borrowed- ▁tougher- ▁sheltered- ▁reported- ▁tau- ▁removed- ▁hoop- ▁tenth- ▁prisoner- pped- ▁pearls- ▁dough- Hut- ▁placement- ▁figures- ▁chewy- ▁dash- ▁coasters- tuk- ▁hurting- ▁sentences- ▁promotions- ▁lorh- ▁undergo- let- ▁loans- ▁expressing- ▁opt- ▁cult- ▁pest- ▁meow- ▁Ar- ▁cuisines- ▁mentioning- ▁fireworks- ▁teammates- ▁shi- ▁epi- ▁kang- ▁claims- ▁patterns- ▁programmes- ▁Got- ▁engineers- ▁props- ▁donut- iel- ▁vouchers- ▁overload- ▁watery- ue- ▁interviews- iao- ▁rea- lan- ▁owners- ▁extract- ▁So- ome- ▁systems- ▁faced- ara- ▁metre- can- ▁yearly- ▁terminate- ▁connections- ▁joint- ▁exception- ▁drip- ▁scrape- ▁cre- ▁listing- ▁Fun- ▁scrap- ▁lan- ▁questioning- ▁Mar- ythic- ▁scholars- hipped- hu- ▁reader- ▁col- ▁quotes- ▁strengths- ery- ▁calculation- ▁feather- ▁muffin- ▁restriction- ▁slaves- ▁downward- ▁Bun- ▁handles- ▁sandal- ▁shoulders- ▁exists- od- ▁lac- ▁que- ec- ▁Wu- ▁Ice- ring- ▁Dad- ▁ter- id- ▁Fat- ▁rob- ▁pointer- ▁min- ▁wan- ▁sy- ▁Roman- ▁sua- tai- ▁gut- ▁nieces- uhyou- ▁hun- School- ▁overthink- ▁execute- scape- ▁pierce- Kayu- ▁Louis- America- club- House- ▁rotate- Hao- ▁singlet- ▁gracious- ▁Taufik- ▁Mickey- ▁Beyblade- ▁Clara- ▁Donald- ▁Drake- ▁Eiffel- ▁Kelvin- ▁Natalie- ▁Nigel- ▁PlayStation- ▁Porsche- ▁Sundram- ▁Tamarind- ▁Tamiya- ▁Watson- ▁Zumba- ▁allergy- ▁ambience- ▁balancing- ▁belacan- ▁bimbo- ▁bisque- ▁bouncy- ▁carried- ▁clarify- ▁climax- ▁condominium- ▁decrease- ▁diversity- ▁efficiency- ▁eyelid- ▁fascinate- ▁feast- ▁fickle- ▁filtration- ▁forklift- ▁fortune- ▁increment- ▁infrastructure- ▁mattress- ▁nostalgic- ▁packaging- ▁pollution- ▁pregnancy- ▁prominent- ▁redundant- ▁revenge- ▁scandal- ▁shrink- ▁sneeze- ▁violent- ▁welcoming- ▁Avatar- ▁George- ▁Harvey- ▁Shakti- ▁cyber- ▁enforce- ▁palette- ▁shelves- ▁thinner- ▁vulnerable- ▁Conan- ▁Shangri- ▁creator- ▁Langkawi- ▁cosplay- ▁farewell- ▁literacy- ▁annual- ▁eczema- ▁Simei- ▁typing- ▁collar- ▁variation- ▁impose- ▁miracle- ▁sojourn- ▁hairstyle- ▁journalist- ▁snowball- ▁theories- ▁bedsheet- ▁lasting- ▁digit- ▁injection- ▁foil- ▁supplier- ▁charging- ▁prioritize- ▁refund- ▁gassy- ▁spur- ▁reception- ▁nagging- ▁vain- ▁occupied- ▁revision- ▁signature- ▁flute- ▁cancerous- ▁papa- ▁Harley- ▁squatting- ▁grandson- ▁pathetic- ▁measurement- ▁Melaka- ▁Hitch- ▁subconsciously- ▁ladder- ▁footage- ▁Bible- ▁consecutively- ▁hung- ▁fishcake- ▁Baby- ▁retrenched- Ondeh- anakan- ▁Jeremy- ▁patches- ▁Mario- ▁bookstore- ▁mangoes- ▁Scrabble- ▁affection- ▁investigation- ▁Tsum- ▁snorkeling- ▁relive- ▁restricted- ▁officially- Hall- ▁ballad- ▁cosy- ▁underage- ▁publication- ▁fainted- ▁pang- ▁possessed- ▁Abu- ▁Bao- ▁catering- ▁jie- ▁buyer- mark- ▁ramp- ▁poisoning- ▁dusty- ▁marvel- ▁carton- ▁setup- ▁adopted- ▁shaker- ▁hose- ▁sweaty- ▁vine- ▁pastor- ▁cheering- ▁repeated- ▁pumping- ▁Dim- ▁passes- city- ▁tearing- ure- ▁sooner- Balance- ▁figured- ▁lifted- ▁commonly- ▁printing- ▁Arts- ▁oppose- ▁retrieve- ▁Sundays- ▁caus- ▁essays- ▁organisations- ▁moderate- ▁tri- ▁camel- ▁funds- ▁warn- ▁para- ▁Muslims- ▁wool- ▁statistics- ▁shooter- ▁subtitles- ▁motivates- ▁alpacas- ▁Ji- ▁sounded- ▁morals- ▁tissues- ▁saver- ▁mart- ative- ▁Hall- ug- ▁intentions- ▁lively- ▁comforting- ▁matching- ▁Ne- ▁arc- ▁Chin- ▁covers- ake- ew- ▁Ja- ▁thi- ▁Hwa- ▁mute- ▁mar- ▁sam- ▁reasoning- ▁forces- ▁rot- ▁grapes- ▁dancers- ▁tha- ▁ordering- ▁Tuesdays- ▁devices- ▁rhymes- ▁coun- ▁chocolates- ▁Dee- ▁vo- ▁wordings- ▁dolphins- ▁packets- ▁rebu- ▁pigeons- vert- ▁pl- ▁fellas- ase- ▁whi- sion- po- den- ▁lar- wi- hai- ▁bowls- ▁clothings- con- ▁clam- ▁Scoot- ▁chunk- ▁incentive- ▁rope- ▁attribute- ▁Caucasian- ▁Alia- ▁bud- ▁acquaintance- ▁participant- ▁graphic- ▁electives- ▁earphone- ▁creature- ▁trunk- ▁females- ▁grandparent- ▁flyer- ▁awards- ▁sl- ▁instance- ▁nutrition- don- ▁tra- ▁prom- ▁Sa- ala- ▁tons- ▁Lu- ▁hamsters- ▁touche- chu- ▁swan- ▁relations- ▁via- ▁monsters- lie- ▁poo- ▁Teo- ▁ir- min- ▁hoo- ▁nets- ▁Pin- ▁High- ▁containers- ▁dan- ▁ratio- ▁disappoint- ▁Panda- wood- ▁distribute- ▁cultivate- ▁sneak- ▁exceed- Faber- McCartney- Fingers- Padang- tarik- Hotel- screen- centre- ▁dense- wei- Gaga- ▁swam- ▁fade- Wang- ▁underline- ▁interfere- ▁Sherlock- Soto- ▁Alibaba- ▁Benedict- ▁Cambridge- ▁Dylan- ▁Eunice- ▁Florence- ▁Gordon- ▁Kraken- ▁Kranji- ▁Oliver- ▁Rolex- ▁alarum- ▁autumn- ▁backyard- ▁beancurd- ▁brisk- ▁burrito- ▁butterflies- ▁collaboration- ▁concubine- ▁denim- ▁envelope- ▁esteem- ▁eyesight- ▁frivolous- ▁guidance- ▁heartbroken- ▁intensive- ▁kettle- ▁khaki- ▁lemonade- ▁liberal- ▁magenta- ▁mousse- ▁mundane- ▁muscular- ▁necessities- ▁negotiate- ▁obsolete- ▁prejudice- ▁providing- ▁raccoon- ▁resolution- ▁rhythm- ▁scotch- ▁sequence- ▁slaughter- ▁snail- ▁snatch- ▁staycation- ▁victim- ▁violin- ▁vocab- ▁abnormal- ▁collab- ▁dribble- ▁export- ▁hardware- ▁hollow- ▁jackfruit- ▁permission- ▁royal- ▁unconscious- ▁Brooklyn- ▁Hindi- ▁bouncing- ▁communicating- ▁kebab- ▁romcom- ▁Gucci- ▁Roti- ▁armrest- ▁carbonara- ▁Harbourfront- ▁Kuala- ▁inspect- ▁excitement- ▁Amazon- ▁Coney- ▁convertible- ▁grace- ▁beware- ▁biological- ▁saint- ▁galaxy- ▁inequality- ▁jewelry- ▁proposal- ▁Laksa- ▁Shopee- ▁cement- ▁disappointment- ility- Blyton- ▁Alps- ▁lobby- ▁planner- ▁disability- tinous- ▁chainsaw- ▁paragliding- ▁rapping- ▁Morrie- ▁craze- ▁relating- ▁conventional- ▁Lego- ▁Zul- ▁bullies- ▁impaired- ▁thoroughly- ▁Waterway- ▁unlock- ▁Jess- ▁q- ▁techno- ▁diary- ▁underwater- ▁opinionated- ▁engagement- ▁whine- ▁meditate- ▁specialise- ▁encouragement- ▁bride- ▁Haji- ▁institution- ▁seaside- ▁agar- ▁teamwork- ▁singaporean- ▁conductor- ▁vanish- ▁Loreal- ▁macaroon- ▁Secondary- ▁checkpoint- ▁acceptance- ▁marksman- ▁clingy- ▁eastern- ▁judgemental- ▁popularity- ▁Safari- ▁pastries- ▁brighten- ▁established- ▁intellectually- ▁amuse- ▁dramatic- ▁Holy- ▁Stadium- ▁grasp- ▁becau- ▁mono- ▁policeman- ▁tribe- ▁Rose- ▁Ahmad- ▁carries- ▁Tay- ▁fireman- ▁Lily- ▁mansion- ▁peeping- ▁peep- ▁manageable- ▁expresses- ▁guaranteed- ▁Mike- ▁interactions- ▁drowning- ▁briefing- ▁momentum- ▁trader- ▁consulting- ▁begging- ▁Shawn- ▁captured- ▁herbs- ▁strictly- ▁Kok- ▁fullest- ▁circl- ▁stolen- ▁Ash- ▁successfully- ▁painted- ▁commented- ▁impacted- ▁usage- ▁wider- outhern- ▁leaders- ▁delivering- ▁gown- ▁deeply- ▁safely- ▁positions- ▁disciplined- ▁scratching- ▁Ubin- ▁pronounced- you- ▁freshie- ▁socially- ▁timers- ▁spoiling- ▁siap- ▁tickle- ▁locally- ▁orangey- ▁paints- ▁viewers- ▁Ju- Mall- ▁simpler- ▁forties- ump- ▁Ki- ▁stepp- ▁braces- ▁seeking- ▁processing- ▁laughed- ▁cheapo- ▁boxer- ▁Home- lian- ▁simplest- ▁rumours- ▁dope- mian- ▁darts- ▁Xing- ▁serves- ▁mommy- ▁struggles- ▁Mu- ▁cracks- ▁stinks- ▁Maps- ▁branding- ▁weed- ▁graphics- ▁hints- ▁ribbons- ▁slices- Nila- ▁musicals- ▁alight- nia- Xue- ▁homely- ▁Mer- ▁apologize- fa- ▁chun- ▁sha- halia- ble- ▁kenn- ▁kites- fu- ▁Kan- ▁Na- ▁pampers- ▁differs- ▁decorate- ▁nan- ▁pu- ▁Sum- ▁twins- ▁experiments- ▁scores- nine- ▁Kat- ▁directors- ▁ration- ▁sons- com- Go- ▁estates- ▁crow- ▁notebook- ▁worksheet- ▁Guardian- ▁contribution- ▁Olympic- ▁hotdog- ▁cocktail- ▁regard- ▁headlight- ▁cupcake- ▁ray- ▁filler- ▁Girl- ▁chu- ▁influencers- ▁afterward- ▁jar- ▁tablets- ▁va- ▁appears- ▁listener- ▁realis- ▁fl- ▁Mr- ▁ache- ▁rains- ▁maps- ▁Eni- ▁trades- ▁Harri- aga- oon- ▁markets- ▁cen- ▁communications- ▁econ- Xin- ▁Ring- ▁hits- lving- ▁fro- ▁islands- ▁lizards- ▁turtles- house- ▁sen- point- Jia- ▁convey- ▁lick- ▁allocate- ▁evolve- ▁tangle- ▁dedicate- ▁disrespect- Kiat- ▁addict- carte- Theme- ▁excessive- ▁Sakura- ▁diagonal- Ayer- Xian- Siew- ▁truthful- Your- ▁vocation- ▁Spider- ▁rash- ▁proportion- ▁Carol- Hawk- ▁smash- ▁Alexandra- ▁Antarctica- ▁Balestier- ▁Barcelona- ▁Bryan- ▁Davon- ▁Domino- ▁Elizabeth- ▁Madinah- ▁Maplestory- ▁Mitsubishi- ▁Mountbatten- ▁Odac- ▁Ovaltine- ▁Pioneer- ▁Qatar- ▁Shazlin- ▁Siloso- ▁Spurs- ▁Takashimaya- ▁Under- ▁Uzbek- ▁athlete- ▁bachelor- ▁baggage- ▁beggar- ▁believing- ▁bridesmaid- ▁brilliant- ▁bursary- ▁caffeine- ▁candidate- ▁churros- ▁column- ▁culinary- ▁curfew- ▁curiosity- ▁deviate- ▁diabetic- ▁distinguish- ▁dormitory- ▁grasshopper- ▁handwriting- ▁invitation- ▁jalebi- ▁mandarin- ▁overweight- ▁portrait- ▁premier- ▁producing- ▁pursuing- ▁reputable- ▁sacrificing- ▁shredded- ▁skydive- ▁slanted- ▁societal- ▁spiciness- ▁steroid- ▁stool- ▁superstitious- ▁survivor- ▁syntax- ▁transcribing- ▁transgender- ▁tteokbokki- ▁uncultured- ▁uneasy- ▁unnatural- ▁Valentine- ▁coincidence- ▁eligib- ▁multiplication- ▁outward- ▁starving- ▁Ariana- ▁Jessica- ▁brim- ▁pronouncing- ▁redeem- ▁undeveloped- ▁Chingay- ▁FoodPanda- ▁duties- ▁merchandise- ▁excla- ▁grid- ▁coordination- ▁dynasty- ▁conversion- ▁enthusiastic- ▁flashback- ▁Catherine- ▁Kolo- ▁Samyang- ▁Cameron- ▁consultant- ▁pharmaceutical- ▁Quran- ▁Subaru- ▁Tori- ▁pumpkin- ▁representative- ▁screenshot- ▁Lush- ▁stew- ▁tropical- ▁Xiaomi- ▁cursing- ▁jamming- ▁mysterious- ▁patty- ▁slam- ▁acid- ▁coupon- ▁Karen- ▁daring- ▁permit- ▁voluntary- ▁Cherry- ▁philo- ▁armour- ▁Wicked- ▁bugis- ▁narrative- ▁foster- ▁aircraft- ▁grain- ▁admitted- ▁interpretation- ▁sceneries- ▁Jean- ▁Etude- ▁Hawaiian- ▁flick- ▁progressive- ▁arrangement- ▁indirectly- ▁lorry- ▁dispenser- ▁confession- ▁torturing- ▁wander- ▁Obama- ▁Ramly- ▁explicitly- ▁advancement- ▁Nathan- ▁workforce- ▁Lola- ▁adoption- Yan- ▁weightage- ▁warmth- ▁brag- ▁fuss- ▁Jayden- ▁White- ▁alcoholic- ▁achieving- Day- ▁laze- ▁Padang- ▁tarik- ▁specialist- ▁lightning- ▁flame- Hua- ▁sotong- ▁sixties- ▁presentable- ▁implemented- ▁Heng- ▁punished- ▁relaxation- Simpson- ▁Pris- ▁Nick- ▁hopeless- ▁cleanse- ▁freezer- ▁cop- ▁Chuan- ▁Your- ▁downside- ▁hoc- ▁vomited- front- ▁fling- Jin- ▁businessman- ▁lord- ▁preach- ▁missus- ▁wishes- ound- ▁struggled- ▁postpon- abi- ▁divorced- ▁superman- ▁sling- ▁crashed- ▁coolest- ▁funding- ▁switched- ▁draining- ▁artsy- Highland- ▁donkey- ▁former- ▁tense- ▁blown- ▁Fen- ▁fourty- ▁server- ▁cur- ▁suited- ▁tuk- ▁poorer- ▁Kate- ▁pur- ▁interacting- ▁gossiping- ▁copying- ▁survived- ▁Ann- ▁swearing- ▁screening- ▁verbal- ▁congratulations- ▁regulations- ▁sleeves- ▁blocked- ▁milky- uhso- ▁supported- ath- ▁shifting- ▁weapons- ▁cooker- mun- ▁earned- ▁tracking- ▁hanger- ▁competitors- ▁laptops- ▁Mc- ▁carbon- ▁brownies- ▁tak- ile- ▁shred- ▁baller- ▁neh- ▁trending- ▁crane- ▁solutions- ▁surroundings- ▁snakes- ▁hatch- lon- ▁listed- truck- ▁freely- ▁clash- ▁Ling- ▁phrases- ▁organs- ▁keys- ▁newly- ▁Times- ▁Malaysians- ▁shook- ▁instances- ▁participants- ties- ▁bing- ▁drawn- ▁laz- ▁perm- ▁individuals- ▁brat- ▁cal- ▁captains- ▁stressing- kar- ▁barb- ▁Lan- ▁grams- An- ▁mushrooms- ock- fish- ▁ce- ob- jo- ▁corners- ky- ▁fights- ▁rela- ell- ister- ▁Exo- ▁squats- ▁med- ▁Des- ▁complaint- rus- ▁pal- fault- izing- ▁shapes- ▁functional- tered- ▁emoji- ▁kilo- ▁vlog- ▁pudding- ▁liar- ▁highlighter- ▁prelim- ▁glitter- shit- ▁stink- ▁Map- ▁Hi- ugh- ▁ea- urf- ▁An- ▁dia- ▁deed- over- read- Legends- ▁upright- isation- vin- ▁textbooks- za- ▁cul- ▁pens- ▁lunche- ox- ▁occasions- ▁promises- Sing- ▁yum- ishan- Fu- ▁tires- ▁ov- uhbut- work- Co- ▁rum- ▁sto- sum- ▁El- ▁beak- ▁insta- back- hur- ▁excuses- ▁medic- ▁tram- ▁kindly- ▁burp- ▁flood- school- ▁analyze- ▁Yue- ▁restrict- ▁rewatch- ▁invade- Serai- padang- Bond- Express- Hsien- ▁verse- bean- Star- Canning- Yong- Kun- ▁bloom- Nine- Shop- Cola- ▁dispos- Yang- Chang- ▁Walk- ▁urge- ▁quirk- ▁Sports- ▁Buona- ▁Wolf- ▁Buangkok- ▁Dorcas- ▁Dutch- ▁Encik- ▁Eugene- ▁Farrer- ▁Fedex- ▁Gallery- ▁Giselle- ▁Gossip- ▁Israel- ▁Liechtenstein- ▁Malcolm- ▁Mustafa- ▁Northshore- ▁Phyllis- ▁Pokka- ▁Predator- ▁Pringles- ▁Sarawak- ▁Sepak- ▁Tioman- ▁Turkish- ▁Ustad- ▁absence- ▁appraisal- ▁asterisk- ▁beachcombing- ▁bluetooth- ▁calculative- ▁choosy- ▁civic- ▁claypot- ▁clutch- ▁crucial- ▁darling- ▁declare- ▁fairytale- ▁footstep- ▁fracture- ▁futsal- ▁haywire- ▁hypebeast- ▁inconsiderate- ▁invalid- ▁jewellery- ▁karma- ▁karung- ▁lanyard- ▁mayonnaise- ▁paranoid- ▁phantom- ▁placing- ▁poetry- ▁pokemon- ▁positivity- ▁replies- ▁reshuffle- ▁rooster- ▁satellite- ▁treadmill- ▁tuxedo- ▁undergrad- ▁universities- ▁unsafe- ▁yoghurt- ▁BoJack- ▁Brandon- ▁Queenstown- ▁abstract- ▁mould- ▁parrot- ▁wagyu- ▁Pontianak- ▁Stitch- ▁ZoukOut- ▁hustle- ▁vacant- ▁valley- ▁conversing- ▁crop- ▁dentist- ▁discrimination- ▁residential- ▁sperm- ▁whiny- ▁Redhill- ▁barrel- ▁distilled- ▁koala- ▁soothing- ▁recreate- ▁sauna- ▁innovation- ▁chincai- ▁citizenship- ▁keychain- ▁Melissa- ▁bubbly- ▁indicator- ▁reckless- ▁translator- ▁Nightcrawler- ▁Rudy- ▁polyclinic- ▁Christine- ▁Kenya- ▁etcetera- ▁sensible- ▁Meetings- ▁platoon- ▁Richard- ▁Chiang- ▁purse- ▁abang- ▁ledge- ▁intensity- Horror- ▁vulgarity- ▁Ramen- ▁Keaton- ▁Josh- ▁Friza- ▁blusher- ▁Joanne- ▁pantry- ▁fulfillment- ▁capitalism- ▁Saudi- ▁Sabah- ▁bloated- ▁interactive- ▁buried- ▁incredible- ▁reborn- ▁madam- ▁Martin- ▁repay- ▁Ninja- ▁accountant- ▁jalan- ▁nationality- ▁retro- ▁Body- ▁archery- ▁thrice- ▁ballroom- ▁conjur- ▁Gina- ▁Yusof- ▁biz- ▁recited- ▁maple- ▁misery- ▁traveller- ▁barbie- ▁Lynn- ▁trace- ▁sprint- ▁Way- ▁junk- ▁Angmoh- ▁Place- ▁Anne- ▁waterfront- ▁stating- ▁entertainer- ▁evolved- ▁fortunately- ▁assigned- ▁acad- ▁arrogantly- ▁latch- ▁benches- ▁commando- Chai- ▁cringey- ▁lining- ▁emphasise- ▁Love- ▁drifted- ▁Yio- ▁greenery- ▁tempered- ▁commander- ▁primer- ▁growling- ▁adrenaline- ▁decently- ▁eel- ▁Hor- ▁feeder- ▁padi- ▁tenant- ▁recorder- ▁irony- ▁freaky- ▁wired- ▁shortest- ▁healing- ▁chope- ▁united- ▁Skin- ▁reaches- ▁loading- ▁provider- ▁Mian- ▁conditioned- ▁negatively- ▁Qua- ▁approached- ▁structured- Sat- ▁coughing- ▁Kway- ▁onboard- ▁Jin- ▁bento- ▁pilates- ▁utensils- ▁Ron- ▁States- ▁otah- Hop- ▁spoiler- kueh- ▁edges- ▁protecting- ▁Jim- ▁aw- atic- ▁pressured- ▁Juliet- ▁fave- ▁Mathematics- ▁Netherlands- ▁deer- ▁marbles- ▁farting- ▁photoshop- ▁Ven- ric- ▁interning- ▁boobs- kin- ▁willingly- ▁richest- ▁Farm- ▁duplicate- ▁shortly- ▁mayo- ▁operations- West- ny- ▁settl- ▁kim- ▁Nat- ▁researching- ▁mag- shop- ▁deco- ▁tutors- ▁holder- ▁offering- ▁yawn- ▁Zac- ▁tock- ▁Ren- Lanka- ▁opener- ▁headed- thing- ified- ▁Straits- ▁beating- ▁wahseh- bay- ▁upsize- ass- ▁genetics- ▁Incredibles- ▁images- ▁Time- ▁arch- ▁viewing- wor- ▁Pes- ▁moths- Ling- seng- ▁crackers- ology- gan- ▁leak- ld- ▁offers- ▁headlights- ▁anot- Yu- ▁sno- ▁ping- gen- ▁guts- Wat- ▁teenagers- ▁Cove- ▁sch- Bo- ▁temples- ▁accents- ▁affairs- ▁characteristics- nam- ▁ku- ▁Te- ▁Joo- ▁samples- ▁Fan- ▁Pop- ▁girly- ▁patients- yi- ▁Ming- ▁equipments- eng- bar- log- ▁tit- ▁ops- ▁stu- ▁socialise- ▁influences- ▁straws- ▁ge- econs- ▁ham- ▁indi- ▁hum- uck- ▁pirate- ▁meatball- Chef- ▁prospect- ▁sunflower- ▁cosmetic- ▁intimate- ▁Euro- ▁sitcom- ▁vocal- ▁dynamic- hand- ▁obstacle- ▁cracker- ▁figurine- ▁consequence- night- ▁organ- iz- ▁Ai- ▁prop- ▁stacks- ▁bob- Mai- ▁veggies- ▁ghosts- nna- ▁Mont- uhokay- ▁sheets- ▁tutorials- ani- ipping- ▁ja- Gi- bed- ▁Cola- ▁hacks- ▁sta- ▁traditions- pao- Xi- bing- ▁workshops- ▁customs- ▁erasers- ▁cri- ▁betray- ▁detox- ▁skateboard- ▁sniff- ▁Ye- ▁canoe- ▁buffer- ▁confine- born- ▁censor- Albom- cheong- ▁nurture- Place- ▁fidget- Beach- Burger- Service- hundred- Blangah- Neo- Town- ▁hypothetical- ▁technological- ▁continuous- ▁awful- ▁selective- tete- ▁Coop- ▁gentleman- Cheng- ▁portrays- ▁manifest- ▁fav- ▁offend- ▁inferior- ▁regime- ▁quota- ▁compassion- ▁architect- ▁prac- ▁Asean- ▁horizon- ▁persevere- ▁pivot- '0'- Civic- Rebus- ▁Amoy- ▁Brussels- ▁Canadian- ▁Converse- ▁Decathlon- ▁Deloitte- ▁Engineering- ▁Kindergarten- ▁Mongolia- ▁Norman- ▁Sophie- ▁SpongeBob- ▁Taichung- ▁Tumblr- ▁accessibility- ▁algebra- ▁bonnet- ▁buggy- ▁cheerleading- ▁critique- ▁deejay- ▁disguise- ▁faculty- ▁flexibility- ▁frustrating- ▁gimmick- ▁giraffe- ▁glimpse- ▁handicap- ▁housekeeping- ▁idiom- ▁injuries- ▁intangible- ▁intolerant- ▁intriguing- ▁jelak- ▁jovial- ▁kranji- ▁liquor- ▁lontong- ▁mediocre- ▁morbid- ▁offensive- ▁operator- ▁orchestra- ▁parachute- ▁rapport- ▁sengkang- ▁soggy- ▁striking- ▁supervise- ▁thunder- ▁tolerant- ▁ungrateful- ▁unhappiness- ▁upwards- ▁vibration- ▁worldwide- ▁Pikachu- ▁abort- ▁cheque- ▁compensation- ▁impart- ▁inbound- ▁invincible- ▁jagged- ▁rigid- ▁Maroon- ▁encik- ▁fascinating- ▁Biology- ▁attain- ▁crude- ▁edible- ▁jazz- ▁moderation- ▁trek- ▁Hawker- ▁isolated- ▁mechanism- ▁rotten- ▁Ethan- ▁blister- ▁expedition- ▁fondue- ▁humility- ▁motivating- ▁personnel- ▁Sivaya- ▁Omar- ▁accuse- ▁blazer- ▁database- ▁revive- ▁sew- ▁shaggy- ▁admirable- ▁chaotic- ▁fulfilment- ▁rust- ▁mumbling- ▁oats- ▁stomachache- ▁trivial- ▁Aljunied- ▁Nemo- ▁Sunway- ▁buzz- ▁confinement- ▁flea- ▁Canon- ▁borderline- ▁Maple- ▁swimmer- ▁Liho- ▁sideways- ▁echo- ▁Flame- ▁Lucky- ▁legendary- ▁Nakhon- ▁Pentagon- ▁observing- ▁Chanel- ▁swimwear- ▁Sein- ▁innate- ▁copper- ▁mount- ▁stout- ▁Sophia- ▁inherently- ▁respective- formed- ▁baseball- ▁Creed- ▁scatter- ▁charred- Thai- ▁properties- ▁casing- ▁arthritis- ▁glory- ▁artwork- ▁detector- ▁guideline- ▁Oppo- ▁consuming- ▁trance- ▁Hannah- ▁gaze- ▁Mirror- ▁weaknesses- ▁prolong- ▁biryani- ▁workaholic- ▁werewolf- ▁sunlight- ▁hunger- ▁bury- ▁stranded- ▁Shepherd- ▁manufacturer- ▁Perry- ▁kart- ▁thrifty- ▁Siglap- ▁tomatoes- ▁intentional- ▁Astro- ▁modelling- ▁flipped- ▁Dragon- ▁puncture- ▁yelling- ▁starch- ▁Muse- ▁whiteboard- ▁Kevin- ▁resell- ▁barber- ▁southern- ▁taxes- ▁saga- ▁stretches- ▁kith- ▁booster- ▁roaming- Jie- Zi- ▁hou- ▁pek- ▁logically- ▁formulas- ▁Meng- ▁priceless- ▁nev- ▁sincerely- ▁slimy- ▁Mei- ▁Jade- ▁chemo- ▁Chen- ▁brighter- ▁rationale- ▁transform- ▁slippery- ▁genie- Flyer- ▁loaded- ▁smartest- ▁sunk- ▁initiated- ▁charming- ▁largely- ▁striker- ▁twisted- ▁sumo- ▁Lebar- ▁concentrated- ▁sweetness- ▁participated- ▁unzip- ilda- ▁voted- ▁teow- ▁toasted- ▁delivered- ▁lessen- max- ▁interviewer- ▁Choon- ▁mai- ▁steamed- Five- ▁demanding- ja- ▁pickup- ▁vomiting- ▁recreational- hell- crabble- ▁discounted- ▁widely- ▁Chem- Kim- ▁gifted- ▁tutoring- ▁moody- ▁peck- ▁kueh- for- ▁paced- ▁Vibes- ▁freebies- ▁slacking- ▁fuse- ▁strangest- ▁chased- ory- ▁tally- ▁Jon- ▁pes- Teh- ▁adopting- ▁similarly- ▁challenged- ▁grant- ▁sweeter- ▁trim- ▁pouring- ▁kissing- ▁Shah- ▁quarreling- ▁thesis- ▁melon- ▁rider- ▁commenting- ▁marked- ▁trendy- anese- ▁slime- ▁designed- ▁Airlines- ▁Max- ▁cared- ▁updates- ▁bites- ▁reminding- ▁undo- ▁professors- ▁expen- ▁formation- ▁Ko- ▁rumors- ▁litre- ▁yu- esh- ▁superb- hal- tter- ▁orca- ▁loo- ▁weirdly- ▁chap- ▁fu- ▁tile- ▁Aisha- ftee- ▁starve- ▁linguistics- itty- Besar- ▁complained- ▁fishy- ▁handphones- ▁sites- ▁clips- ▁Shak- siam- ▁Popeyes- ▁attracts- pok- ▁lungs- unch- ▁indulge- Vinci- ▁earns- tary- ▁rem- ▁Shin- ▁soba- lyn- gie- ▁memori- ▁settings- ▁acquaintances- zi- ▁Hat- ▁Les- ▁restrictions- ▁stimulate- eth- ▁rev- ▁writers- ▁bot- ▁cr- ▁Nas- aving- ▁angels- ▁waiter- ▁ambitions- ▁hash- ▁cer- ▁payments- ▁div- fro- ▁Un- ▁Sat- ▁lobsters- buy- ▁Laos- ▁bundles- ▁qualifications- ▁employees- ▁amen- ▁decor- ▁contains- ▁Macs- ▁costumes- ▁fla- ▁strips- ▁Goh- ▁mal- ▁specialize- ▁supplements- ▁achievements- ▁Happ- ▁Mas- ▁Tri- ▁til- ith- ppl- ▁conflicts- ▁Car- ▁Shan- ▁certifi- ▁borders- ▁sacks- ▁cucumber- ▁rifle- ▁Ame- ▁photograph- ▁cube- ▁accelerat- ▁soldier- ▁chopstick- ▁interval- ▁moth- ▁physic- ▁pane- ▁bas- ▁competitions- ▁ph- ▁lung- ▁gene- ▁limb- ▁maids- ▁tours- ▁cinemas- ▁rip- ▁Wednesdays- ▁Hu- ▁influenc- ▁sk- ▁oth- ▁shu- zan- The- ▁remains- sided- ▁spil- ▁Di- ▁overlap- aw- ▁marina- ▁Cat- ▁liter- ▁Fri- ▁planks- ▁dine- ▁ala- ▁opera- Kut- ▁failures- ▁scor- Oh- ▁Zoey- ▁chai- ▁establish- ▁presentations- ▁broadcast- ▁gardens- ▁Mi- sale- ▁Tam- ▁contra- ▁condense- ▁blindfold- ▁construct- Lumpur- Bird- Opera- Minister- Safari- Tower- Market- Young- economics- Cafe- white- ▁Bangladesh- ▁incline- Khalifa- ▁lee- ▁charit- ▁builds- eteor- ▁suburb- ▁navigat- ▁exhibit- ▁jewel- ▁lang- ▁knit- ▁mortal- ▁charisma- ▁orphan- ▁humanitarian- ▁Jeff- ▁kidnap- ▁Class- ▁chalk- ▁Alexander- ▁Champion- ▁Isaac- ▁Jeffrey- ▁Swiss- ▁spiral- Rudolph- Siong- uhbecause- ▁Abby- ▁Adelaide- ▁Allied- ▁Amirul- ▁Dancing- ▁Doraemon- ▁Elaine- ▁Gundam- ▁Herschel- ▁Kenneth- ▁Kopi- ▁Louvre- ▁Neutrogena- ▁Saizeriya- ▁Sapporo- ▁SingPost- ▁SkillsFuture- ▁abrasion- ▁acoustic- ▁admission- ▁algae- ▁amateur- ▁antibiotic- ▁appetite- ▁bitcoin- ▁bruise- ▁chickpea- ▁clerk- ▁collaborate- ▁complement- ▁conform- ▁democracy- ▁descriptive- ▁despair- ▁diarrhea- ▁dignity- ▁exploit- ▁foremost- ▁frustration- ▁gallery- ▁grandkid- ▁handicapped- ▁improvise- ▁industries- ▁inefficient- ▁insomnia- ▁intestine- ▁jasmine- ▁keyword- ▁librarian- ▁loaf- ▁loophole- ▁lucrative- ▁manicure- ▁mascara- ▁mascot- ▁maternity- ▁mushy- ▁nostalgia- ▁offense- ▁outspoken- ▁paramedic- ▁partition- ▁paternal- ▁piggy- ▁pitiful- ▁pleasing- ▁prestigious- ▁primarily- ▁psychopath- ▁quinoa- ▁reducing- ▁registration- ▁reluctant- ▁sembawang- ▁spacious- ▁spectacular- ▁squarish- ▁strapped- ▁suitcase- ▁takoyaki- ▁tandoori- ▁trophy- ▁tsunami- ▁tumour- ▁ultra- ▁unnecessarily- ▁unwind- ▁Chendol- ▁Feb- ▁Lukaku- ▁Wisma- ▁WolfTeam- ▁dengue- ▁determination- ▁evolution- ▁geez- ▁observation- ▁raft- ▁aisle- ▁guiding- ▁inverted- ▁radiation- ambeng- ▁Coach- ▁Evelyn- ▁Greenland- ▁Monaco- ▁demographic- ▁masala- ▁quack- ▁Grail- ▁compatible- ▁Alfa- ▁compassionate- ▁dimsum- ▁fragrance- ▁gravity- ▁skipped- ▁Penguin- ▁appreciative- ▁dominant- ▁segregate- ▁Mattar- ▁splurging- ▁taiwan- ▁versa- ▁Sambal- ▁poisonous- ▁sociology- ▁dangling- ▁gentlemen- ▁Shakira- ▁Shilin- ▁firefighter- ▁Sherry- ▁communism- ▁Titanic- ▁goalkeeper- ▁ripped- ▁uneven- ▁napping- ▁dedication- urai- ▁comparable- ▁VivoCity- ▁remake- ▁savage- ▁cashback- ▁cozy- ▁gradually- ▁Chicago- ▁haiya- ▁Danish- ▁Liam- ▁victory- ▁multiplier- ▁zai- ▁Zhou- ▁Northpoint- ▁goldfish- ▁plateau- ▁addiction- Qian- ▁Zack- ▁tweet- ▁procreate- ▁villagers- ▁haji- ▁hoarder- ▁Polo- ▁Troy- ▁laonua- ▁pique- ▁severe- Bao- ▁overwhelmed- ▁Youth- ▁crust- ▁takraw- ▁blueberry- ▁fillet- ▁blackshot- ▁hover- ▁Terry- ▁fearful- ▁Cruise- ▁monopoly- ▁lenses- ▁mosquitoes- ▁knob- ▁Lauren- ▁Dory- ▁login- ▁Green- ▁diagonally- ▁adaptable- ▁Impossible- ▁Palace- ▁edu- ▁bodybuilding- ▁enlisted- ▁hopeful- ▁losses- ▁handball- ▁Minister- ▁endure- ▁tyres- ▁romantically- Pang- ▁briefly- ▁contrast- ▁solely- ▁labor- ▁trainee- ▁vaguely- ▁scribble- ▁Centre- ▁Tuk- ▁facebook- ▁meaningless- ▁Santa- ▁Zhi- ▁Balik- ▁psycho- ▁Liu- ▁neglected- ▁behalf- ▁hood- ▁driverless- ▁Jap- ▁dean- ▁unlikely- ▁wage- ▁approved- ▁ayam- ▁specialised- ▁pong- ▁accountancy- ▁Mong- ▁arrived- ▁featured- ▁crosses- ▁Pang- ▁cling- ▁eleventh- ▁comeback- ▁puked- ▁Pandan- ▁comma- ▁kao- ▁coldest- ▁Gates- ▁ashame- ▁Dai- ▁wand- ▁Maki- ▁infinity- ▁folder- ball- ▁conducting- ▁Job- ▁num- ▁raped- ▁jobless- ▁choreo- ▁disturbed- ▁sinking- ▁furious- ▁trashy- ▁quietly- ▁attacked- ▁stumble- ▁diam- ▁dryer- ▁presented- ▁seemed- Kosh- ▁leech- ▁grounded- ▁Daru- ▁incidents- ▁filmed- ▁Payoh- ▁lego- ▁mayb- ▁mil- ▁planting- ars- ▁planes- ▁rom- ler- ▁insult- ▁rated- ▁arise- ▁soupy- ▁noble- stop- ▁suite- ▁souffle- ▁baker- az- ▁Googled- ▁Nets- ▁Yum- ▁toggle- Theory- ▁heated- ▁boo- ▁Hut- ▁rounder- ▁rode- ▁onions- ▁jap- ▁interviewing- ▁constraints- Gate- ▁oldies- ▁mor- ▁advantages- ▁pots- ▁Sin- ▁discounts- ▁Vin- ▁Los- ▁Stan- ▁scripts- ▁likewise- ▁nam- ervin- ▁ble- hy- ▁openly- ▁beers- ▁hua- ▁dynamics- Qi- ▁bicycles- eries- ▁Ni- ▁hills- ▁Hot- ▁Ra- era- ▁beret- ▁Ga- ▁Mars- ▁Hal- Scooter- ▁airlines- ▁consumers- ▁widen- ▁advertisements- ▁cables- Pagar- shi- act- ▁coloni- ▁kakis- ▁informal- ▁exco- ney- ▁grabb- ▁Mari- ▁Games- ▁examinations- ▁tights- ▁tigers- ▁Phi- ▁gaps- Ping- ▁coordinate- ▁compositions- ▁crocodiles- ▁fins- ▁sca- ▁roots- lee- 'off'- eat- ▁cheeks- ▁Se- ▁exceptional- ▁Sims- reme- ▁pil- ▁professionals- ▁graduates- ▁indoors- ▁analys- ▁aft- ▁instill- pay- zing- ▁peanuts- ▁explains- ▁flavors- ▁critic- ▁insight- ▁owned- Mi- shirts- che- ▁wipes- ek- ▁Met- ▁stuffy- ▁fer- ▁hardships- ▁thrill- ▁politician- ▁Studio- ▁Popeye- ▁sailor- ada- ▁calorie- ▁scissor- ▁Clement- hill- ction- ▁diamonds- ▁bae- zone- ▁Mon- ▁sac- ▁pita- San- ▁Saturdays- wn- xi- Ki- ▁Par- ▁scoops- going- terior- ▁stuffed- uring- agon- erie- ▁signals- mor- xin- ▁Sem- ▁actua- ▁Ap- Merah- ▁mega- Korea- ▁tar- ▁distract- ▁contour- ▁simpl- ▁manipulat- ▁celebrat- ▁Chua- You- ▁arrest- ▁Zoe- flower- Cheong- Lagoon- Utama- Crab- Willows- Dragon- White- Light- Central- Club- ▁guilt- ▁batter- Hub- ▁rapid- ▁consecutive- ▁precise- Sushi- ▁fluent- ▁raisin- puteh- ▁inject- ▁drastic- ▁worship- migrating- ▁punctual- ▁empathi- ▁Fifty- ▁Fantastic- Kinabalu- fieri- thyroid- ▁Alpha- ▁Aurora- ▁Cathay- ▁Christopher- ▁Cineleisure- ▁Dunman- ▁Expo- ▁Heaven- ▁Hitler- ▁Kumon- ▁Kylie- ▁Kyoto- ▁Lavender- ▁Learn- ▁Major- ▁Maybelline- ▁Mentaiko- ▁Micheal- ▁Mitsuba- ▁Nescafe- ▁Orchestra- ▁Oscar- ▁Pablo- ▁Pepsi- ▁Punita- ▁Radiant- ▁Ramadan- ▁Smule- ▁Snape- ▁Snorlax- ▁Sperry- ▁Swedish- ▁Wolverine- ▁Wreck- ▁administrative- ▁autobiography- ▁bicep- ▁brinjal- ▁brulee- ▁calculating- ▁calculator- ▁chimpanzee- ▁cloudburst- ▁communal- ▁correlation- ▁cricket- ▁crypto- ▁daydream- ▁dilemma- ▁disclose- ▁dizzy- ▁enlighten- ▁epitaph- ▁excursion- ▁extinct- ▁facilitator- ▁fragrant- ▁gastric- ▁geog- ▁guppies- ▁handbrake- ▁hurricane- ▁hygienic- ▁imaginary- ▁imagining- ▁immunity- ▁inappropriate- ▁jigsaw- ▁kingdom- ▁knives- ▁migration- ▁mobility- ▁moustache- ▁obnoxious- ▁offshore- ▁offspring- ▁organising- ▁paradise- ▁pedestrian- ▁platonic- ▁practising- ▁rebond- ▁safari- ▁salaries- ▁shepherd- ▁shuffling- ▁somersault- ▁stereotyping- ▁subordinate- ▁subsidies- ▁subsidy- ▁superstition- ▁swollen- ▁tamarind- ▁telepathy- ▁tentacle- ▁testament- ▁thrash- ▁tricep- ▁trophies- ▁trustworthy- ▁vibrate- ▁vicinity- ▁violence- ▁volley- ▁zinc- Hartono- ▁Aisyah- ▁Beyonce- ▁Mazda- ▁Mongkok- ▁People- ▁Yoshi- ▁android- ▁bliss- ▁bracelet- ▁cabbie- ▁output- ▁sassy- ▁sensation- ▁signify- ▁terrifying- ▁translucent- ▁Arjun- ▁Discovery- ▁Faizal- ▁Fiona- ▁Hafiz- ▁Indie- ▁Volde- ▁bangkok- ▁circus- ▁doggy- ▁esophagus- ▁hockey- ▁overheat- ▁participation- ▁sliding- ▁ColourPop- ▁Denmark- ▁Oxley- ▁botox- ▁bunnies- ▁crappy- ▁interface- ▁Joker- ▁aroma- ▁downtown- ▁empathize- ▁exaggerating- ▁orchid- ▁pixel- ▁tasting- ▁thosai- ▁trapped- ▁whiskey- Khan- ▁Reyes- ▁corporation- ▁Madam- ▁eager- ▁mercury- Bieber- ▁potluck- ▁Agent- ▁Note- ▁newbie- ▁substance- ▁Gongcha- ▁Ariel- ▁International- ▁Polytechnic- ▁Vijay- ▁Yuji- ▁productivity- ▁subset- ▁Life- ▁bartender- ▁deem- ▁pardon- ▁Ezra- ▁mhm- ▁grammatical- ▁educator- ▁arrival- ▁judgmental- ▁scarier- ▁telemarketer- ▁Face- ▁humorous- ▁stale- ▁Haj- ▁baba- ▁Llao- ▁bakso- ▁clementi- ▁overturn- ▁referee- ▁Chucky- ▁haze- ▁roundabout- ▁sinus- ▁buoy- ▁evaluate- ▁immortal- Mile- ▁visualise- ▁voting- ▁divert- ▁shatter- ▁salon- ▁probation- ▁agitated- ▁cashew- ▁expelled- ▁realistically- ▁jetty- ▁lifespan- ▁trafficking- jio- ▁Jem- ▁competent- ▁Joanna- ▁goggles- ▁Canyon- ▁pouch- ▁roar- ▁Shafiq- ▁Andrea- ▁braised- ▁whoops- ▁minority- ▁Kaka- ▁wound- ▁Christianity- ▁softball- paid- chap- ▁Chew- ▁jaw- ▁bulb- ▁fringe- ▁minimize- ▁bait- ▁Jude- ▁Nerf- ▁Brun- ▁luge- ▁Boat- ▁Aldo- ▁gland- ▁Chomp- ▁sabo- ▁panicking- ▁Angsana- ▁dispute- ▁technologically- ▁twe- ▁Storage- ▁sharpen- ▁warranty- ▁skies- ▁Train- ▁barley- ▁Thrones- ▁editor- ▁paul- ▁Dick- ▁embarassing- ▁enriching- ▁pestering- ▁Willows- ▁Secret- ▁bland- ▁Princess- ▁bobo- ▁windsurfing- ele- ▁browse- ▁waitress- ▁cray- ▁actresses- ▁Sky- Bang- ▁Chef- ▁Fingers- ▁Gary- ▁scratches- ▁bingo- ▁crunchy- ▁Smith- ayam- ▁vertically- ▁sai- ▁Athen- ▁shining- ▁intent- ▁bitchy- ▁Uno- ▁gist- ▁faded- ▁optional- ▁rooted- Cove- rrow- ▁adventures- ▁churches- ▁movements- hristian- ▁bagel- otton- ▁deepest- Sheeran- ▁blackout- ▁nerdy- ▁Chai- ▁Tian- ▁specialty- ▁predicted- Fun- ▁emceeing- ▁yacht- ▁Er- ▁somemore- ▁Nai- ▁fitting- ▁Sir- ▁skid- ▁onsen- Armour- Jian- ious- ▁forgetting- ▁Transformers- ▁mannered- ▁appealing- ▁sparkle- ▁wiper- ▁rear- ▁raging- ▁lin- ▁gathered- ▁flawed- ▁hooked- ▁Tham- ▁hesitate- ▁purchased- olio- ▁conflicting- Ji- ▁strangely- ▁backpacking- ▁skiing- ▁bodoh- ▁Pan- ▁goodnight- ▁wink- ▁Tamp- ▁tame- ▁compartment- ▁crumble- ▁pager- ▁explorer- ▁lookout- win- ▁spirited- ▁phonics- ▁tykes- ▁upgraded- ▁Call- sua- ▁fright- ▁discussed- ▁feminist- Panda- ▁blueish- heck- rmit- ▁processed- ▁untangle- ▁inconvenience- ▁spreading- ▁grudges- ▁burned- ▁retirees- ▁cycled- ▁shuffled- ▁peed- ▁titled- ▁geographical- ▁Get- ▁daytime- ▁reporting- ▁shophouses- ▁meaty- ▁escaped- atch- ▁butler- Le- ▁Bea- ▁Bon- ese- ▁justice- ▁lifts- ▁washed- ▁chilled- ▁trusted- ▁motherly- ▁pains- ink- ▁provides- ill- ▁fated- ▁topping- ▁replying- ▁instructors- uk- ▁idiots- Boys- ▁beverages- ered- ▁weirdo- ▁Eli- person- ▁cliques- ▁contacting- ▁Ri- Wars- ▁gays- ▁ques- wear- ▁drops- ▁residents- ▁chomp- roll- Peach- ▁outsider- lisa- ▁Ros- ▁Maris- ▁backgrounds- ▁Pi- ▁chopsticks- ▁intervals- ▁photographs- ▁peek- ▁panes- ▁spaces- ▁saturat- ▁trusting- ▁ew- pong- ▁triggers- ▁sober- ▁vocals- ▁acc- ▁conclude- lick- ▁poles- ▁liars- ▁highlighters- ▁Pu- ▁endless- ▁cocktails- ▁occurr- how- ▁mover- ▁criticis- ▁lawyers- ▁clams- ▁Mal- rk- ▁gory- ▁practices- ▁passengers- ▁ec- ▁farms- kai- set- ▁negotiables- ▁curtains- ▁decorations- ▁chaos- ▁shifts- ▁flooring- ▁employers- ▁boats- ▁flipp- ▁buyers- ▁defines- ▁drawings- ▁mirrors- appy- books- ▁gra- ▁guards- ▁Link- ▁warriors- ▁judges- ▁creates- ▁ser- ▁fishballs- ▁gir- nan- ▁bre- ▁deadlines- ▁clues- ▁inculcate- ▁hon- ▁Den- anti- ▁criminals- Teng- ▁lanes- ▁rant- ▁gin- ▁users- ▁farmers- Lua- ▁tasks- ▁supermarkets- ▁cabinets- ▁techniques- ▁cor- ingly- ▁smokes- ▁Swensens- ix- ▁Mua- ▁grip- ▁norms- ▁hydra- ▁bou- ically- ▁mist- ▁systematic- ▁disasters- dding- ▁surprises- ▁sho- ▁superpowers- wal- ▁Eight- ▁cho- ▁decks- ▁diseases- ▁outright- ▁procedures- ▁Che- ▁managers- ▁rug- ▁Koreans- cou- ▁sculpture- ▁nerve- ▁Aston- ▁honor- ▁dumpling- ▁resident- War- ▁Incredible- ▁genetic- ▁teammate- ▁firework- ▁backward- ▁onward- ▁reminder- ▁Starbuck- ▁Roa- ▁strategi- ▁errors- ▁producers- ▁chicks- ▁audi- iff- eddy- ▁bestie- ▁workouts- ▁dorm- ▁follower- ▁ticks- ▁notification- wer- ▁fabric- Huan- lance- ham- board- ▁astro- cake- ▁sap- dication- rich- ▁Cheese- Story- soto- ▁Philip- ▁firms- wee- ▁pai- ▁duet- ▁hyp- Kart- ▁boulder- ▁Bra- print- ▁ignor- ▁exfoliat- ▁activate- ▁enhance- ▁spots- ▁customise- Chen- ▁deform- ▁derive- ▁Xia- ▁paralys- Everest- Vista- ▁speci- Talent- Impossible- Palace- ▁Pek- Trump- Studies- River- Force- Pasir- ▁thrift- ▁Jerem- ▁Farhan- ▁assembl- ▁fiance- wash- Jerry- ▁husk- eww- Born- Lane- ▁explicit- Teck- makase- onopoly- Sheng- erminal- ouble- Peng- ▁Steph- ▁damp- ▁oblig- ▁Thom- ▁rival- ▁Brazil- ▁inherit- ▁compress- ▁symbio- aneous- ▁Felicia- ▁Ajisen- ▁Phillip- ▁Upper- ▁dismantl- ▁occupy- ▁singular- Educators- ▁Adeline- ▁Andak- ▁Bizhub- ▁Brisbane- ▁Burmese- ▁Cisco- ▁Deadpool- ▁Deliveroo- ▁Edinburgh- ▁Giordano- ▁GrabHitch- ▁Hamilton- ▁Horlicks- ▁Hyuna- ▁Jaguar- ▁Jewish- ▁Kaohsiung- ▁Kembangan- ▁Kyushu- ▁Lisbon- ▁Lynette- ▁Migros- ▁Murtabak- ▁Outram- ▁Prawn- ▁Reddit- ▁Ritz- ▁Rosyth- ▁Timberland- ▁Vikram- ▁Yakult- ▁Yvonne- ▁afterlife- ▁ambassador- ▁appreciation- ▁aqua- ▁autograph- ▁bamboo- ▁bibimbap- ▁bolster- ▁botanic- ▁cactus- ▁carrier- ▁catapult- ▁ceramic- ▁chandelier- ▁clumsy- ▁cognitive- ▁conference- ▁continuation- ▁corporal- ▁cursive- ▁defensive- ▁delicacies- ▁delicacy- ▁detergent- ▁disastrous- ▁dissolve- ▁distribution- ▁elevator- ▁elitist- ▁endurance- ▁equator- ▁equipped- ▁excellence- ▁extravagant- ▁freestyle- ▁gerpe- ▁grumpy- ▁havoc- ▁heartbeat- ▁hybrid- ▁illusion- ▁inflatable- ▁insensitive- ▁institute- ▁interrogate- ▁intimidate- ▁liberty- ▁lodging- ▁mermaid- ▁metabolism- ▁minimise- ▁motivator- ▁muslim- ▁naval- ▁neigh- ▁nightlife- ▁obtain- ▁oxy- ▁pajamas- ▁paranormal- ▁parliament- ▁philosopher- ▁pontianak- ▁postcard- ▁protocol- ▁provision- ▁puppet- ▁puppies- ▁quadrant- ▁recyclable- ▁releasing- ▁resurrect- ▁sampling- ▁sepak- ▁skeleton- ▁snowskin- ▁spendthrift- ▁summit- ▁synopsis- ▁teriyaki- ▁ulcer- ▁underwhelming- ▁unglam- ▁untouch- ▁vicious- ▁violet- ▁wharf- ▁wrapped- ▁Clarence- ▁Eileen- ▁Football- ▁Oxford- ▁Tesla- ▁Twilight- ▁affiliation- ▁ample- ▁brunette- ▁hulk- ▁ninja- ▁oblivious- ▁skull- ▁soundtrack- ▁terrain- ▁twilight- ▁utility- ▁Regina- ▁Risotto- ▁Taxi- ▁empathetic- ▁hormone- ▁impulsive- ▁lodge- ▁pessimistic- ▁racism- ▁truant- ▁Adrian- ▁Civil- ▁fragment- ▁torchlight- ▁Daiso- ▁Maidy- ▁Midnight- ▁Spy- ▁vitamin- ▁digress- ▁robbed- ▁Celine- ▁Glasgow- ▁Java- ▁Jews- ▁entitlement- ▁ignorance- ▁taekwondo- ▁terrorism- ▁puking- ▁rabak- ▁Yole- ▁whining- ▁contestant- ▁organism- ▁pegro- ▁pedal- ▁Valak- ▁disruption- ▁shotgun- ▁tangible- ▁troubleshoot- ▁Government- ▁Hundred- ▁conscience- ▁feasible- ▁makcik- ▁thrive- ▁Howard- ▁bedridden- ▁expat- ▁soundproof- ▁swine- ▁Debra- ▁lawsuit- ▁Angeline- ▁establishment- ▁Zilong- ▁batteries- ▁candies- ▁debatable- ▁accessory- ▁distraction- ▁analytical- ▁siva- ▁Panic- ▁cruelty- ▁complication- ▁component- ▁photoshoot- ▁aura- ▁humidity- ▁treetop- ▁Faith- ▁Galaxy- ▁presume- ▁shady- ▁egoistic- ▁fellowship- ▁lighthearted- ▁Kiri- ▁suc- ▁waterproof- ▁Bangla- ▁surrender- ▁warden- ▁banter- ▁scanning- ▁bali- ▁coincidentally- ▁Totoro- ▁storeroom- ▁confidential- ▁squishy- ▁pension- ▁Danny- ▁diluted- ▁Asus- ▁stationery- ▁posh- ▁westernised- ▁Valley- ▁deprived- ▁Mandai- ▁Wanna- ▁gymming- ▁submitted- ▁secretive- ▁Shuan- ▁hangover- ▁Switch- ▁floss- ▁introducing- ▁Nancy- Mars- ▁autis- ▁Baba- ▁existent- ▁corgi- ▁Ireland- Shiong- ▁Amos- ▁Rover- ▁Suria- ▁punk- ▁spize- ▁paperwork- ▁Liao- ▁Liz- Meng- Out- ▁expressway- ▁sniper- ▁leap- ▁idiotic- ▁lingo- ▁dent- ▁clinical- ▁Sega- ▁elf- ▁Fuji- ▁Leona- ▁specialisation- ▁intentionally- ▁quitted- ▁Cody- ▁bedok- ▁chanting- ▁cyst- ▁decorating- ▁competitiveness- ▁Lok- ▁upsetting- ▁integrated- ▁transcriber- ▁gray- ▁censored- ▁munch- ▁portal- ▁vast- ▁budd- ▁sloth- ▁stopover- ▁publicity- ▁Music- ▁approachable- ▁strolling- ▁confined- ▁Jones- ▁Singap- ▁coaches- ▁allocated- ▁escalate- ▁backstage- ▁Opera- ▁Barrage- gro- ▁executed- ▁Jackson- ▁suppress- Musk- ▁labourer- ▁invented- ▁downhill- ▁replay- ▁bash- ▁ikan- ▁projection- ▁breakout- ▁accountable- ▁heavenly- ▁bumpy- ▁tortured- ▁mian- ▁merged- ▁projector- ▁raid- ▁discovery- ▁greeting- ▁crown- ▁Quay- ▁ruler- ▁legally- ▁quarterly- ody- ▁perfection- ▁router- ▁Yen- ▁combi- ▁Hell- ▁troll- ▁grooming- Mulan- ▁networking- ▁melting- ▁locker- ▁casting- ▁distinctive- Ishak- ▁encouraged- ▁printer- ▁farted- ▁wary- ▁promised- ▁sacrificed- ▁freshly- ▁Ram- ▁nutrients- ▁Ant- ▁Zai- ▁miser- ▁adjusting- ▁Pe- ▁Kar- ▁clearer- ▁homeless- ▁awfully- ota- ▁reset- ▁winded- ▁kno- ▁quant- ▁deter- ▁maintained- ▁openness- ▁steaming- ▁began- ▁rejecting- ▁faulty- ▁Arm- ▁cheater- ▁boomers- yer- ▁pisse- ▁wiser- ▁opponents- ▁performer- ▁taxing- ▁Out- ▁Sen- ▁causeway- ▁Taman- ▁delight- ▁boundar- ▁defin- Ru- seven- ▁guides- ▁procrasti- ▁directing- ▁greener- Brothers- ▁snoop- ▁ubi- ▁replac- ▁recommending- ▁lobangs- ▁touchy- ▁lightly- ▁wrinkles- ▁Ying- ▁fri- mort- ▁Mai- mary- ▁banker- ▁researchers- ▁Jolin- kuah- gate- ▁bothering- chan- ▁Timb- ▁smoked- ▁formed- ▁cheers- phy- nto- ▁Pai- ▁clogg- Studios- ▁kilometers- ▁syllables- ▁aeroplanes- ▁perfumes- ▁measures- ▁Pola- Got- ▁dragg- ▁lea- ▁beetles- source- ▁cuter- ▁handbags- ▁Timah- ▁founder- ▁partying- ▁Bras- ▁Nov- ▁donated- ▁thrills- ▁scenarios- ▁meantime- ency- ▁Lab- ▁soldiers- ▁tiers- Wala- ▁Poo- ▁cosmetics- ▁Euros- tory- ▁classy- ▁trib- ▁ming- ▁Kin- ▁Rim- ater- ▁loc- ▁lunches- ▁hotdogs- ▁rays- ▁fillers- ▁hays- ▁collapse- inda- 'On'- ching- Board- ▁shin- ▁rubb- ▁sys- ▁muffins- ique- gh- ette- ▁hais- ▁cabs- ator- ▁recon- ▁bef- ▁persuad- ▁gamers- ▁Ta- ▁Dal- ▁kn- ▁kittens- ▁guitars- lated- ▁faithful- end- ▁performances- chou- ▁Bing- ▁sponsors- ille- Del- ▁roses- que- ▁apples- ▁Lo- ▁Teen- ▁laps- ▁poems- ▁je- ▁sciences- ▁Bi- ▁aesthetics- ▁arrows- ▁streams- ▁crimes- ▁Ez- ▁Del- ▁hal- ▁advis- ▁Ting- ▁lis- ▁sw- ▁concentrat- ▁planets- ium- ▁sal- ▁bricks- ▁Maria- ▁Xu- lter- Ko- ▁controlle- ▁donations- ▁Pets- bell- ▁protecti- ▁balling- Basah- ▁Raj- ogging- este- stance- arry- pol- ▁Sh- ▁pom- dan- ▁footballers- ▁Ke- ▁ruins- ▁connects- wise- ▁lim- ▁san- ica- ▁limitation- ▁robotic- Time- ▁cyclist- ▁decade- ▁beetle- ▁rib- ▁linguistic- ▁Strait- ▁dart- ▁yuck- ▁glove- ▁archetype- ▁mathematic- ▁circumstance- ▁Court- ▁Lad- ▁cra- ck- ▁dick- Bell- ▁canal- uffle- ▁impor- ▁exp- ▁frogs- ▁belts- ▁Dog- ▁startup- ▁dep- ▁Cel- Kia- yang- lash- ▁flexi- ▁sectors- ▁Carl- eba- een- iding- sai- Tea- ▁jets- Bar- ▁gia- ▁reciproc- we- ▁depress- ▁sketch- ▁Indo- hold- ▁heartbreak- ▁march- ▁roam- ▁glow- ▁demo- phone- ▁whisk- down- ▁exaggerate- ▁customize- ▁integrate- ▁enlist- ▁scent- ▁considerations- ▁reclaim- ▁eliminate- lapis- Factor- iglap- Guan- Shui- Swift- Crush- High- puff- Plus- Secondary- Fuji- Premier- University- coaster- ▁manufacture- Bear- North- generation- briyani- ▁warrant- ▁matte- jiao- ▁Iraq- personal- ▁scoot- ▁indirect- ▁subsequent- ▁Leonard- ▁fulfil- utdoor- ommunity- ▁Carousel- Box- ▁Drag- ▁depict- ▁Fresh- ▁Hero- ▁absurd- ▁coop- ▁terror- ▁resist- quid- ▁proficien- ▁Heart- ▁Arctic- ▁Dempsey- ▁Jamie- ▁continual- ▁intellect- ▁prescripti- ▁render- ▁ulti- Anatomy- Azhar- Buffet- Dhabi- Holmes- Mirza- Ramsay- Takraw- tsuka- zealand- ▁Austria- ▁Barbecue- ▁Britney- ▁Caleb- ▁Chapteh- ▁Chihuahua- ▁Chivas- ▁Chloe- ▁Citibank- ▁Commonwealth- ▁Crescent- ▁Desmond- ▁Diwali- ▁EXO- ▁Exco- ▁FairPrice- ▁Freedom- ▁Grinch- ▁Hyundai- ▁Ibiza- ▁Illusion- ▁Jurassic- ▁Keppel- ▁Maniac- ▁Mauritius- ▁Minesweeper- ▁Mohammad- ▁Normal- ▁Olivia- ▁Photoshop- ▁Popular- ▁Queensway- ▁Ringgit- ▁Scarlet- ▁Serena- ▁Shirley- ▁Slurpee- ▁Snapchat- ▁Society- ▁Supper- ▁Tiffany- ▁Ultra- ▁Vasantham- ▁Vishnu- ▁Wales- ▁Wikipedia- ▁Zendaya- ▁abuden- ▁academy- ▁accustom- ▁affirmation- ▁altitude- ▁apocalypse- ▁apostrophe- ▁articulate- ▁assertive- ▁avatar- ▁beansprout- ▁bhutan- ▁bodyguard- ▁bollard- ▁calcium- ▁chapati- ▁colourblind- ▁comfy- ▁complacent- ▁connotation- ▁crumpled- ▁deluxe- ▁detriment- ▁duff- ▁dyslexic- ▁encyclopedia- ▁enthusiasm- ▁envision- ▁envy- ▁eternal- ▁eternity- ▁folklore- ▁foreground- ▁forgiving- ▁gecko- ▁gladiator- ▁glaring- ▁gratitude- ▁gullible- ▁handkerchief- ▁handshake- ▁hologra- ▁horrendous- ▁iKon- ▁inaccessible- ▁infection- ▁innuendo- ▁intimidating- ▁judgy- ▁loneliness- ▁macchiato- ▁mankind- ▁maternal- ▁mentaiko- ▁ministry- ▁misconception- ▁misunderstood- ▁moisturising- ▁nipple- ▁notorious- ▁nudge- ▁outskirt- ▁pavilion- ▁paycheck- ▁persistent- ▁pilgrimage- ▁pledge- ▁punggol- ▁reckon- ▁recluse- ▁reincarnation- ▁retreat- ▁risotto- ▁satisfactory- ▁scalp- ▁squeak- ▁suicidal- ▁threshold- ▁tobacco- ▁twelfth- ▁unattended- ▁unfollow- ▁verify- ▁vinyl- ▁waveform- ▁widow- ▁youself- ▁Azmi- ▁Becky- ▁Drive- ▁Javanese- ▁Khairul- ▁Monica- ▁Parkinson- ▁Pasta- ▁Skyview- ▁Wonder- ▁brutal- ▁flask- ▁glitch- ▁harvest- ▁loner- ▁psychiatrist- ▁smoky- ▁spelt- ▁superstar- ▁updating- mbian- ▁Coldplay- ▁Maxwell- ▁Sungei- ▁kampong- ▁slipped- ▁stern- ▁Belinda- ▁Casino- ▁Shenyang- ▁Urban- ▁astronaut- ▁canopy- ▁melody- ▁moisture- ▁sickening- ▁sidetrack- ▁unrealistic- ▁guacamole- ▁hereditary- ▁hougang- ▁teaspoon- kerang- ▁Sasi- ▁amenities- ▁garang- ▁platter- ▁Buddhism- ▁Jazz- ▁cino- ▁drizzle- ▁elevation- ▁implication- ▁plaza- ▁reliant- ▁carbonated- ▁Luke- ▁Taco- ▁disabilities- ▁steward- ▁twinkle- ▁Barbie- ▁shisha- ▁thumbprint- Ngah- ▁Infinity- ▁mediator- ▁Brian- ▁addictive- ▁Pawan- ▁Tarte- ▁completion- ▁barrow- ▁bobian- ▁jellyfish- ▁entice- ▁Code- ▁Mahathir- ▁adverse- ▁basil- ▁Jasper- ▁eff- ▁Bradley- ▁concede- ▁populated- ▁womb- ▁comparatively- ▁complimentary- ▁hoodie- ▁resistance- Piece- ▁chute- ▁spinach- ▁pinball- ▁astronomy- ▁rivalry- ▁employment- ▁Miya- ▁courageous- ▁clueless- Dahl- ▁journalism- ▁peacock- ▁Gardenia- ▁fartsy- ▁spear- ▁Fir- ▁liais- ▁demonstrate- ▁ironically- ▁Orto- ▁documentation- ▁lagging- ▁patronize- ▁Akshay- ▁Laura- ▁Virgin- Tuk- ▁Halong- ▁Santorini- ▁mannerism- ▁Bella- ▁styrofoam- ▁disposable- ▁deja- ▁iceberg- ▁salivate- ▁preschool- ▁cherries- ▁foie- ▁proportionate- ▁invention- ▁dental- ▁jumbled- ▁modernised- ▁glider- ▁tempting- ▁moist- ▁halfhearted- ▁sphere- ▁Business- ▁Halimah- ▁irri- ▁nuance- ▁batman- ▁punny- ▁symbolise- ▁empire- ▁deduction- ▁hardwork- ▁installation- ▁fanatic- ▁conceive- ▁layman- ▁Center- ▁stitches- ▁Dark- ▁Johnson- ▁broom- ▁codeine- ▁meteor- ▁disgusted- ▁faraway- ▁gelat- ▁maze- ▁Navy- ▁Scott- ▁Three- ▁Miller- ▁adjustment- Fong- ▁involvement- ▁jab- ▁Belle- ▁continental- ▁Fanny- ▁suspended- ▁brotherhood- ▁buttock- ▁setback- ▁harness- ▁collagen- ▁deliveries- ▁healthily- ▁hospitality- ▁Colo- ▁hypothetically- ▁branches- ▁bandung- ▁vaping- ▁Peru- ▁despi- ▁plantation- ▁disbanded- ▁disconnected- ▁husky- ▁Rosa- ▁Ronaldo- ▁consciousness- ▁Bread- ▁duckling- ▁Talent- ▁knots- ▁overflowing- ▁Deb- ▁superheroes- ▁controller- 'Off'- ▁Benga- ▁Bangladeshi- ▁forgetful- ▁Law- ▁chatty- ▁sane- ▁enable- ▁cries- ▁exaggerated- ▁padding- ▁runny- ▁overturned- ▁olio- seal- ▁handover- ▁scarf- ▁Express- ▁instrumental- ▁betrayed- ▁exhausting- ▁Bird- ▁duo- ▁conch- ▁kok- ▁neon- ▁Phu- ▁playboy- ▁thirteenth- ▁exfoliate- ▁dropout- ▁partnership- ford- ▁caf- ▁armor- ▁pirated- ▁Himalayan- ▁objectively- ▁dice- ▁heartbreaking- ▁glowing- ▁beaten- ▁remov- Pong- ▁stalker- ▁sadder- jie- ▁cultivated- ▁paru- ▁Arabian- ▁nurtured- ▁countless- ▁horny- ▁satire- ▁toaster- ▁puzzled- ▁childlike- ▁permanently- ▁Keat- ▁published- ▁skater- ▁mashed- ▁Kishan- diac- ▁fend- ▁Kaki- ▁Hap- ▁Forest- ▁spotting- ▁Mini- ▁coal- ▁regulate- ▁jerk- ▁copyright- ▁subconscious- ▁thou- irways- ▁Army- ▁Yuen- ▁extroverted- ▁recognized- ▁consensus- ▁confessed- ▁tightly- ▁replicate- ▁Tshirt- ▁Siam- ▁signifi- ▁Leon- ▁observed- ▁sq- Horseman- ▁Fave- ▁angst- ▁ple- ▁sibeh- ▁morally- ▁Gem- ▁successes- ▁abused- ▁Chun- ▁sliced- nk- ▁Miam- ▁eee- ▁destroying- ▁largest- ▁fresher- ▁suffered- iang- ▁Kio- ▁rudely- ▁functioning- ▁smiley- ▁Aus- ▁discovering- ▁revealing- ▁recovering- ▁footed- ▁criticism- indows- not- ▁Toast- Thrones- pek- ▁Shell- ▁comprises- ▁dimples- ▁functions- Glam- ▁To- ▁apparent- plan- ▁mari- ▁nominate- ▁claws- ▁avoided- ▁scheduled- ▁Yin- ▁crate- ▁flex- ▁Bin- ▁castles- ▁stocking- ▁crazie- ▁electro- ▁capsize- shall- ▁Yisha- ▁teleporting- ▁eyeballs- ▁closeness- ▁Ranger- ▁crashing- more- ▁Amy- ▁Merli- itch- ▁reconcile- ▁switching- ▁troubled- ▁dum- take- ▁progressing- Carlton- Chok- ▁lima- ▁smokey- Qing- Wenger- ▁whatnot- ▁analytics- store- ▁Winn- ▁sayang- ▁wondered- ▁Lot- ▁rotat- chang- yan- ▁Hop- ▁Thor- ▁presenting- ▁channels- ▁apt- ▁dra- ▁Chee- ▁midterms- ▁kilometres- ▁symptoms- ▁poll- oke- ▁misc- ▁Tommy- ▁Bro- ▁publicize- ▁merchants- ▁souvenirs- njuk- ▁fewer- ▁Du- ible- Times- ▁ribs- ▁cyclists- ▁decades- ▁lawn- ▁fishers- ▁gan- ▁notifications- ▁Idol- ▁syn- ▁lighted- ▁Yam- ▁sailors- ▁Pass- bin- lude- ▁cubes- ▁Jenn- ▁websites- ▁interestingly- ▁acai- ▁sitcoms- ▁Kinder- ▁seating- Pi- ▁che- ▁ci- ▁puddings- aj- here- ▁odds- ax- ▁margin- ▁Caucasians- ▁attributes- ▁Alias- ▁dreamer- ▁flyers- ▁Ze- ▁blanks- list- ▁temperatures- Chi- llao- ▁Meet- ▁alphabets- ▁ministers- ▁statues- ▁Legends- rou- ▁attacks- ▁notch- ▁pointers- ▁etc- ▁gears- ▁Zhuan- ault- ▁seize- ▁puzzles- layer- ▁mana- ▁tents- ▁directional- ▁dun- omo- ▁snapp- ▁del- ▁Angu- ▁aids- ▁Ch- ▁Tun- ▁Jac- ▁sins- aki- ▁Ver- ▁wou- ▁fundamentals- non- ▁triangles- ▁buns- ▁bugs- now- ▁ele- run- ▁integrati- ▁recommendations- ▁Pad- ▁gar- shao- ▁hol- ▁fisher- old- ▁Raja- ▁spikes- ▁mun- ▁dinosaurs- ▁mentors- ▁Har- ▁spirits- ▁organizations- zy- ▁Christians- Magic- ▁dangers- erry- oi- ▁dock- ▁slopes- ▁artistes- ▁ru- ▁references- ongs- ▁Wiz- ▁markings- very- eresa- ▁kam- ▁blessings- ▁gigs- gle- ▁improvements- ▁pubs- ▁sib- bel- ▁comms- ▁meta- ▁pimples- ▁stares- ▁pota- ▁Ken- ene- Xun- ggle- ▁paw- ▁threat- ▁resonate- ▁axe- ▁schoolmate- ▁emerge- Studio- ixes- ▁merchant- ▁souvenir- hop- ▁kilometer- ▁syllable- ▁beverage- Boy- ▁competitor- ▁rumour- ▁ancestor- ▁sneaker- verse- ▁compromises- ▁whip- low- ▁brownie- ▁notion- assim- then- ential- ▁tang- ▁campaigns- ▁constrain- ▁zha- ami- ▁Eu- bal- ched- ▁constraint- fron- ▁Col- ▁Sai- ▁nu- agar- ▁riches- minate- ▁chil- Chin- minating- boro- iously- ▁historic- lay- ▁Pay- ookie- ▁Tea- turn- imp- field- ▁chang- room- place- ▁blu- De- power- keeper- qi- ▁stroll- rick- ▁snorkel- ▁Tao- ▁discharge- breaker- ▁empower- ▁vari- charge- ▁obsess- ▁locate- ▁injure- ▁disband- ▁disconnect- provoking- ▁recharge- Talk- Cooper- pedas- Bowl- Arabia- Brown- Pool- Storage- Republic- Tiger- Andrew- Mother- heaven- regardless- Bukit- kampung- eleven- Briyani- bono- curry- ▁moisturise- cute- with- Jones- ierce- Fox- ▁ima- ▁sensi- ▁convention- ▁Port- Chiong- onesty- ▁equip- iculous- ▁eavesdrop- ▁descend- ▁Naomi- ▁Warner- ▁cigar- Carter- Ferguson- Lloyd- Miserables- Purcell- '`'- ligence- ▁Atlanti- ▁Azazel- ▁Bendemeer- ▁Berlin- ▁Bluetooth- ▁Chirashi- ▁Derrick- ▁Dhey- ▁Dropbox- ▁Farouk- ▁Fifa- ▁Fitness- ▁Fullerton- ▁Henderson- ▁Jacqueline- ▁Kentucky- ▁Kukup- ▁Kumar- ▁Manila- ▁McLaren- ▁Mediterranean- ▁Mendaki- ▁Myeongdong- ▁Nagoya- ▁Nickelodeon- ▁Nissan- ▁Norwegian- ▁Office- ▁Phillipines- ▁Pinoy- ▁PlayMade- ▁Promenade- ▁Scape- ▁Sheldon- ▁Shermaine- ▁Smallfoot- ▁Spitz- ▁Supreme- ▁Tamago- ▁Thanos- ▁Umrah- ▁Winx- ▁Wushu- ▁Yoogane- ▁accuracy- ▁acrylic- ▁aggregate- ▁almond- ▁alternating- ▁approximately- ▁backdrop- ▁brainstorm- ▁calculus- ▁cannibal- ▁cassette- ▁cautious- ▁centuries- ▁chlorine- ▁chrono- ▁cinnamon- ▁cipher- ▁closure- ▁cobra- ▁comprehend- ▁condiment- ▁confusion- ▁courier- ▁cradle- ▁cuddle- ▁debrief- ▁decathlon- ▁democratic- ▁disapprove- ▁distillat- ▁diversify- ▁documentaries- ▁eclipse- ▁empress- ▁enclosed- ▁encompass- ▁equation- ▁esplanade- ▁filthy- ▁frugal- ▁funfair- ▁gengar- ▁giddy- ▁headquarter- ▁hospitable- ▁hotplate- ▁iguana- ▁impulse- ▁incense- ▁inviting- ▁jelat- ▁karate- ▁krabi- ▁laundrette- ▁magnesium- ▁marshal- ▁microchip- ▁murtabak- ▁narcos- ▁nauseous- ▁netflix- ▁odour- ▁overdrive- ▁patriotic- ▁pelican- ▁perspire- ▁pertain- ▁pringle- ▁province- ▁radiant- ▁rebuild- ▁recount- ▁rephras- ▁residence- ▁resilience- ▁revamp- ▁rinsing- ▁robbery- ▁sakae- ▁salicylic- ▁seduce- ▁silicon- ▁silliest- ▁sincerity- ▁slogan- ▁soulmate- ▁stereo- ▁sunshine- ▁symphony- ▁synonym- ▁tchoukball- ▁territory- ▁thunderstorm- ▁tragedy- ▁troublemaker- ▁unethical- ▁unplanned- ▁unpleasant- ▁untidy- ▁unwilling- ▁urgency- ▁vanguard- ▁velvet- ▁vodka- ▁whitish- ▁wholeheartedly- ▁zumba- Gerrard- Kusama- ▁Aloy- ▁Bachelor- ▁Darren- ▁Dream- ▁Dumbledore- ▁Eugeo- ▁Fairprice- ▁Googling- ▁Hunger- ▁Khalid- ▁Manhattan- ▁Mystic- ▁Topshop- ▁cadet- ▁chemotherapy- ▁communities- ▁concise- ▁convincing- ▁diagram- ▁disintegrate- ▁fragile- ▁ideology- ▁irregular- ▁lavish- ▁narrator- ▁orangutan- ▁saikang- ▁triangular- ▁Cedar- ▁JetStar- ▁Laneway- ▁Persian- ▁Totally- ▁constitute- ▁delta- ▁eatigo- ▁emulate- ▁futuristic- ▁gulp- ▁immerse- ▁mercy- ▁monologue- ▁prosperity- ▁telegram- ▁trotter- ▁unreal- China- ▁Bartley- ▁Cartoon- ▁Coleen- ▁Tutu- ▁bilingual- ▁bulldog- ▁criticizing- ▁darn- ▁hesitation- ▁interim- viation- ▁GameBoy- ▁Nazi- ▁amusing- ▁bangtan- ▁descendant- ▁garland- ▁organizing- ▁Lipton- ▁PayWave- ▁bravo- ▁brillante- ▁embassy- ▁friction- ▁hijab- ▁snoring- Hanks- ▁Elisha- ▁Entertainment- ▁Warcraft- ▁cellphone- ▁harassment- ▁multilingual- Decay- ▁comedic- ▁copied- ▁inventory- ▁rabz- ▁telok- valent- ▁Charizard- ▁Sager- ▁depressive- ▁lagoon- ▁overspend- ▁primark- angoon- ▁Kobe- ▁protest- ▁Skyline- ▁charismatic- ▁cristofori- ▁Barbra- ▁Huda- ▁bragging- ▁chinese- ▁courteous- ▁criticize- ▁ruling- lihood- ▁Percy- ▁bulgogi- ▁blaming- ▁crepe- ▁frail- ▁genetically- ▁obey- ▁retrenchment- Ridge- ▁Sandra- ▁fondant- ▁optimisation- ▁Irfan- ▁civilization- ▁physiotherapy- arnia- ▁Direction- ▁Drama- ▁Hulk- ▁Restaurant- ▁Ultron- ▁electrons- ▁hazard- ▁icing- ▁snowboard- ▁width- ▁disciplinary- ▁flavorful- ▁speedboat- ▁baggy- ▁Nando- ▁preserving- ▁adulthood- ▁stepmother- ▁Congkak- ▁Fenty- ▁Geog- ▁ethnicity- ▁guai- ▁laminate- Fei- ▁Mersing- ▁Rosie- ▁snowflake- ▁sophisticated- Steak- ▁dumbbell- ▁penny- ▁variable- ▁convict- ▁infantry- ▁slapping- ▁evergreen- ▁Edna- ▁Josephine- ▁PowerPoint- ▁amoy- ▁tuas- ▁hummer- ▁taco- ▁sunken- quel- ▁Snoopy- ▁beekeeper- ▁creation- ▁varies- ▁blondie- ▁rustic- ▁Stamford- ▁Zheng- ▁stoic- ▁examiner- ▁interruption- ▁famine- ▁copies- ▁insecurity- ▁blob- ▁crooked- ▁erupt- ▁complian- ▁Juan- ▁fanta- ▁rotation- ▁fireplace- ▁rowdy- ▁managerial- ▁korea- ▁tinge- ▁nude- ▁Chung- ▁profanity- ▁unicorn- ▁tapping- Up- ▁Mourinho- ▁Simpang- ▁Roth- ▁crutch- ▁starring- ▁vividly- ▁flawless- ▁Escooter- ▁Genie- ▁lasagna- ▁Mandy- ▁witches- ▁haul- ▁mafan- ▁Zhong- ▁subsidised- Lok- ▁Bobby- ▁appointed- ▁hurtful- ▁forgiveness- ▁midway- Boon- ▁Sandy- ▁Noel- ▁adaptation- ▁stunning- ▁bail- Yee- ▁Leonardo- ▁tonne- ▁shaky- ▁headset- ▁oppa- ▁broaden- ▁revert- ▁Oral- ▁collectible- ▁metric- ▁mountainous- ▁catfish- ▁hideout- ▁Titans- ▁strategic- ▁labelled- ▁infant- Singh- ▁sandwiches- ▁chopper- ▁selectively- ▁sexist- ▁shivering- ▁exhausted- ▁steer- ▁travelator- ▁angsty- ▁fog- Air- ▁Albert- ▁Crush- ▁Arsen- ▁Plus- ▁Halo- ▁blackboard- ▁draggy- ▁Strike- ▁moderately- ▁swamp- ▁ballot- ▁contradicting- ▁Daily- ▁protector- ▁Ruth- ▁boar- ▁Julin- ▁rusty- icity- ▁Mona- Gong- ▁Chao- ▁kung- ▁archer- ▁tempo- ▁cord- Phi- Ray- ▁fitter- ▁qi- ▁spiritually- ▁Young- noodle- ▁Baha- ▁Roy- ▁Town- ▁bunker- ▁housekeeper- ▁Canning- ▁alighted- ▁stapler- ▁transformer- ▁spinal- ▁unexpectedly- ▁Once- ▁Fang- ▁inconsequential- ▁discarded- ▁Aden- ▁greenhouse- ▁gambler- ▁Loong- ▁Bose- ▁vac- ▁pierced- ▁Ghaut- ▁Ching- ▁departmental- ▁aligned- ▁Mind- ▁yard- ▁thrilling- ▁Bond- ▁regretting- ▁hangman- ▁Tung- ▁crank- Tang- ▁dependable- ▁tuner- ▁accurately- ▁Pig- ▁flooding- Met- ▁chic- ▁steamer- ▁freelancer- ▁licking- ▁postman- ▁Rock- ▁conditioner- ▁Keng- ▁fairies- ▁Jong- ▁badass- ▁Rahma- ▁Tyr- ▁Lian- ▁voter- ▁ruby- ▁bounded- ▁conducted- ▁Along- ▁Xiang- ▁yarn- ▁Eng- ▁internationally- ▁surfer- ▁Hao- ▁duel- ▁offline- ▁rubbery- ▁entertained- ▁secured- ▁represented- ▁recovered- ▁Fest- ▁thoughtful- ▁secon- ▁Satur- bee- ▁kap- ega- Technological- ▁cracked- ▁Sally- ▁recycled- ▁balding- Siam- ▁coldness- ▁belay- Upon- ▁volt- ▁succeeded- rine- ▁fad- ▁translated- ▁conveniently- ▁ironed- ▁refused- ▁teared- ▁tendon- ▁retailer- ▁hosted- ▁seriousness- ▁advisor- ▁wayang- ▁Dell- ▁rave- ▁shaded- ▁rewarding- hood- ▁coup- ▁ranked- lock- ▁Marriott- ▁traded- ▁impre- tree- ▁Aka- ▁neighbourly- ▁packaged- ▁triggering- ▁verb- ▁Hin- taker- ▁framed- ungee- ▁showered- ez- well- ▁Sar- Lang- ▁sapa- ▁pier- ▁rushed- ▁reporter- ▁lad- ▁shelving- empt- ▁sham- ▁fashioned- ▁bask- ▁remix- ▁snowing- ston- ▁Zak- ▁tester- ▁header- Girls- odium- ▁remarks- ▁premises- ▁streaks- ▁wolves- ▁flakes- Kids- ▁suan- ▁Pat- ▁harden- ▁Wing- ▁excused- ▁Biore- ▁pung- ▁reno- ▁quo- ▁crossed- ▁Seah- ▁accom- nea- ▁educat- ▁centered- rade- ▁justified- ▁metro- ▁striv- ▁peeing- ▁Resorts- ▁tantrums- asan- ▁pickles- sheng- ▁withstand- ▁faked- Zhen- ▁matched- ▁Holl- ▁avoiding- ▁disappears- ▁perks- ▁corals- ▁bead- ▁Pooh- ▁addressing- ▁Yun- ▁landing- ▁asam- ▁singa- ▁spoons- ▁nouns- ▁emissions- ▁otters- ▁Ham- Ha- ▁unc- ▁orang- ▁pairing- ▁shap- ▁sash- ▁haters- ▁donating- ▁Falah- ▁Denis- ▁skim- ▁forgo- ▁asian- ▁Simpl- ▁schoolmates- ▁axes- ▁paws- ▁Ipoh- ▁influ- ▁wires- ▁yucks- ▁cosm- ▁Pit- ▁deteriorate- ▁Pana- ▁cou- ▁cutest- dicated- ▁dumplings- ▁honors- ▁stirr- ▁sued- ▁batche- ▁Salah- ▁hairy- lec- ▁bam- ▁Studios- ▁Salt- ▁Vi- ▁wit- ▁limbs- ▁nations- ▁lem- lux- ▁prospects- ▁sunflowers- Chefs- ▁besties- 'yes'- ▁closely- rip- ▁pleased- katsu- kart- ▁vlogs- rlyn- ▁Ais- ▁touring- ▁bore- ker- ▁See- teen- ▁rang- ▁Guardians- ▁contributions- ▁Olympics- ▁rations- ▁medi- ▁Mrs- iew- rance- ▁colouring- ▁manly- ▁Huat- ▁ropes- ▁incentives- ▁pans- gged- ches- ▁vu- ▁salads- ▁motors- ▁feathers- ▁calculations- ▁ads- late- ▁Cos- ▁rel- ▁flaps- ▁circulat- ▁choppe- eas- ▁barn- ▁scouts- ▁jokers- ▁aches- ▁counsel- ▁generalise- ▁drones- ▁beginners- ▁YouTubers- ady- ▁fined- ▁Mia- ▁consi- ▁Ever- je- eck- fin- ▁ponytails- ▁sparks- alam- ▁spo- ▁winners- riving- ▁flatter- opo- agi- ache- ▁creamer- lar- hun- ▁bullets- lio- illa- arian- ▁deb- ▁persuade- ▁reli- ▁factual- ▁reta- ▁trac- ▁nightmares- ▁tw- Cantona- Bones- lted- ester- ▁Tar- Tock- Hu- Hoon- isang- ception- ▁xia- ▁desires- ▁pleasures- ▁bom- ▁boug- pping- ▁objectives- ▁standardise- ▁Kia- laying- ▁kiam- Koon- ▁rig- ual- ppy- ▁lions- ▁Ari- ▁Gra- tech- ▁cit- owing- chong- ▁Mag- ership- ▁missions- ▁Ge- but- ▁mannequins- lab- ▁memora- alari- fraction- stro- ▁ep- cast- ▁volun- ▁litera- rselves- ▁files- ▁ethic- ▁Mad- ima- ogy- water- jun- fer- pend- Soo- ▁memor- ▁blackhead- ▁emission- Toba- ▁otter- ▁kilometre- ▁symptom- ▁midterm- ▁rumor- ▁swi- ▁alpaca- abby- ▁strand- ▁stair- ▁railing- oki- ctors- ▁Won- ▁hog- ▁Ser- ▁corona- ▁moo- ▁ei- unny- rise- ▁por- kang- coming- adi- ▁transparen- ▁snoo- ▁nex- ▁For- ▁repea- ▁brew- ▁debat- ▁Fu- ▁haunt- ▁subtitle- ▁alia- vo- ▁Zy- key- pra- ▁torch- ▁Gan- cumulative- ▁procras- ▁hesita- look- ▁Bala- ▁ven- Hit- ▁cycl- ▁exhaust- Sia- ▁respon- ably- ▁zig- ▁frown- ▁stat- ▁parasail- ▁Arabia- ▁expos- ▁separat- ▁incur- ▁nurtur- ▁invad- ▁Find- ▁Prince- ▁Vic- scooter- corn- Karat- ▁subsidize- ummer- lbert- ▁congest- ▁recite- ▁misuse- ▁retrench- about- course- oodle- ▁debut- Smart- Batisah- Jovi- Turtle- ristiano- Airline- Titans- Ronaldo- Chomp- Cruise- Mirror- States- Nathan- Leong- kacang- Prata- Romeo- jalan- Autumn- William- negotiable- Chicken- James- Science- boyfriend- chocolate- machine- drama- twenty- Miam- ▁crisp- biryani- Mouse- center- ▁summar- motion- ▁theoretical- Minh- ▁clutter- ▁vivid- ▁instantaneous- ▁Lor- ▁Saba- asian- ▁authorit- ▁midfield- post- chiong- ▁imply- Wee- ▁proactive- ▁pronoun- ▁immigrati- ▁disrupt- eptic- ▁Buddh- ▁experi- ▁revolution- ▁Yayoi- ▁Xav- ▁Corp- Vuitton- ▁indefinite- ▁mislead- ▁residu- '?'- Bilis- Einstein- Giggs- Hospital- Local- Muniz- Quinn- Sivan- jumma- siol- ▁After- ▁Atiqah- ▁Backstreet- ▁Badminton- ▁Bidadari- ▁Britain- ▁Broadway- ▁Capella- ▁Century- ▁Chijmes- ▁Cinderella- ▁Colosseum- ▁CrossFit- ▁Cyclops- ▁Daegu- ▁Darvis- ▁Dasani- ▁Diablo- ▁Diploma- ▁Dyson- ▁Egg- ▁Elliot- ▁Fight- ▁Foodpanda- ▁Foodshed- ▁GERPE- ▁Garfunkel- ▁Generation- ▁Genghis- ▁Gentle- ▁Ghost- ▁Gillman- ▁Haagen- ▁Heidegger- ▁Hermione- ▁Hermoine- ▁Hiroshima- ▁Inferno- ▁Istanbul- ▁Jasmine- ▁Jerusalem- ▁Lancer- ▁Lapidas- ▁Leftfoot- ▁Machine- ▁Medisave- ▁Mendel- ▁NAFA- ▁Newcastle- ▁Odette- ▁Olympiad- ▁Orchid- ▁Palestin- ▁Picoult- ▁Portugal- ▁Rafiq- ▁Razor- ▁Redbull- ▁Ripple- ▁Riverdale- ▁Samoyed- ▁Shamsuddin- ▁Sharlene- ▁Sheryl- ▁Skechers- ▁Snickers- ▁Sogurt- ▁Sprite- ▁Sucremo- ▁Sudoku- ▁Terengganu- ▁Theodore- ▁Tomahawk- ▁Toothless- ▁Vanguard- ▁Vitality- ▁Yogyakarta- ▁accreditation- ▁advancing- ▁aloud- ▁analyzing- ▁angklung- ▁annoucement- ▁apologies- ▁apparatus- ▁appreciating- ▁armband- ▁asbestos- ▁asylum- ▁barista- ▁belanja- ▁berserk- ▁biography- ▁blockbuster- ▁boardwalk- ▁breadwinner- ▁buffalo- ▁buttermilk- ▁contraband- ▁convocation- ▁cosmopolitan- ▁counterpart- ▁croissant- ▁cryptocurrency- ▁culprit- ▁curvy- ▁delicate- ▁discourage- ▁durable- ▁ectomorph- ▁elbow- ▁endearing- ▁epidural- ▁etiquette- ▁evaluation- ▁eyeshadow- ▁fabulous- ▁facade- ▁facilitate- ▁fatigue- ▁favoritism- ▁favouritism- ▁fencing- ▁fiesta- ▁fingernail- ▁freshener- ▁frizzy- ▁gargantuan- ▁ghetto- ▁gondola- ▁gorgeous- ▁graveyard- ▁grumble- ▁gyoza- ▁heartwarming- ▁homecooked- ▁hurdle- ▁hyuna- ▁iCarly- ▁iTunes- ▁illogical- ▁incorrect- ▁intermediate- ▁intrinsic- ▁intuitive- ▁invigilator- ▁jesus- ▁kacau- ▁laundries- ▁leukemia- ▁lieutenant- ▁lifeguard- ▁mammal- ▁marshmallow- ▁masculine- ▁meddle- ▁meddlesome- ▁merrier- ▁monotonous- ▁neural- ▁nonsensical- ▁observant- ▁outbreak- ▁paintbrush- ▁paprika- ▁parquet- ▁participating- ▁penalise- ▁platinum- ▁plunge- ▁pragmatic- ▁procrastinator- ▁propaganda- ▁proximity- ▁pufferfish- ▁quantify- ▁racquet- ▁rambutan- ▁receptive- ▁reciting- ▁recliner- ▁referral- ▁remembrance- ▁renovating- ▁retrain- ▁ripple- ▁safeguard- ▁seashore- ▁staycay- ▁stylist- ▁substantial- ▁sundae- ▁surgeries- ▁susceptible- ▁symbiosis- ▁tablespoon- ▁telemovie- ▁terrapin- ▁terrified- ▁tombstone- ▁toothbrush- ▁traumatising- ▁traumatizing- ▁tudung- ▁tumble- ▁uncooked- ▁unhygienic- ▁universal- ▁unofficial- ▁unsightly- ▁unused- ▁velcro- ▁vibrant- ▁vibrating- ▁wildlife- ▁windshield- ▁xiaxue- ▁xiong- /- ▁Basil- ▁Calbee- ▁Children- ▁Coco- ▁Hershey- ▁Karaoke- ▁Nivea- ▁Pandora- ▁Ricky- ▁Rulang- ▁Spies- ▁Stephanie- ▁Teacher- ▁Wheelock- ▁crazily- ▁granddad- ▁narrating- ▁perpetually- ▁quizzes- ▁recurring- ▁snooker- ▁swirl- ▁titans- ▁trilogy- ▁zodiac- ▁Lakeside- ▁Mentos- ▁Penny- ▁Rosti- ▁Stanford- ▁Underwater- ▁Vanessa- ▁Yamaha- ▁beneficiary- ▁bookworm- ▁bowtie- ▁cooperative- ▁dehydration- ▁depreciate- ▁engross- ▁martini- ▁silat- ▁slingshot- ▁symbiotes- ▁tamp- ▁tulang- ▁Hazel- ▁Ravana- ▁Vicky- ▁gigabyte- ▁strangle- ▁visor- Spears- ▁Avene- ▁Cecilia- ▁emptie- ▁innovative- ▁reflexes- Before- ▁Daven- ▁Intel- ▁Katsu- ▁commuters- ▁elastic- ▁exploding- ▁obese- ▁unfit- Downey- ▁Forex- ▁geek- ▁radar- ▁seasick- ▁Yolo- ▁posi- ▁Batu- ▁Burma- ▁Jaws- ▁purification- ▁summarise- Kook- Yacob- ▁Allen- ▁Pahang- ▁congee- ▁cooperate- ▁corpus- ▁statistically- ▁trumpet- ▁Christina- ▁contemp- ▁crease- ▁extinguisher- ▁hooray- ▁Barney- ▁Janice- ▁kanasai- ▁phoenix- ▁repetition- ▁scammed- ▁wiring- ▁backbone- ▁blunt- omodo- ▁assassination- ▁approv- ▁babysit- ▁bugger- ▁championship- ▁prospective- ▁Bencoolen- ▁roster- ▁stoning- ▁claustrophobic- ▁delusional- ▁dysfunctional- ▁leash- ▁punctuality- ▁boastful- ▁mugging- ▁paddling- ▁Dead- ▁Toby- ▁churn- ▁torso- ▁traumatic- Lipa- ▁playmate- ▁shush- ▁Foot- ▁Perak- ▁decompose- ▁enlistment- ▁inevitable- ▁mythology- ▁refine- ▁reproduce- ▁Margaret- ▁civilised- ▁lentil- ▁photocopy- ▁Maltese- ▁Prada- ▁chrome- Bahar- ▁Fantasy- ▁appetizer- ▁kuku- ▁maritime- ▁piping- ▁cunning- ▁hesitating- ▁blockchain- ▁pagan- ▁sequel- ▁Channing- ▁Celsius- ▁expertise- ▁globalization- ▁raspberry- ▁existential- ▁hastily- ▁Library- ▁biking- ▁grim- ▁disfigured- ▁reggae- ▁palate- boy- ▁Metro- ▁Saat- ▁naggy- ▁Bogo- ▁Artbox- ▁Mayday- ▁Shark- ▁Taiti- ▁deviation- ▁govern- ▁deferment- ▁possessive- ▁lingerie- beng- ▁eyelashes- ▁frighten- ▁rehearsal- ▁scarred- ungry- ▁annoyance- ▁anthem- Runner- ▁dilly- Caesar- ▁duper- ▁Pinnacle- ▁Makan- ▁immersi- ▁quartermaster- ▁Sanya- ▁Zhang- ▁carriage- ▁dumbass- ▁Joelyn- ▁Lovi- ▁Murder- ▁Kenny- ▁raving- ▁Vada- ▁overlord- ▁Shahira- ▁Banyan- ▁authenticity- ▁intima- Claus- ▁carpenter- ▁seawater- ▁Tupperware- ▁consultation- ▁macro- ▁attendant- ▁traumatised- ▁Lilo- ▁restrain- ▁flock- ▁squeezy- egor- ▁mozz- ▁scarce- ▁charities- ▁flavourful- ▁Cali- ▁Academy- ▁Reservoir- ▁parenthood- ▁dhal- ▁Lester- ▁Ruby- ▁recep- ▁Faris- ▁furry- ongdae- onito- ▁prettier- ▁commercialised- ▁slopp- ▁enterprise- ▁Timor- ▁Davidson- ▁rotting- Jong- ▁Never- ▁fortnight- ▁beatbox- ▁College- ▁Garfield- ▁Kacang- ▁Lena- ▁omakase- ▁elevated- ▁objection- arnish- learning- ▁Moses- ▁spies- ▁nonstop- ▁amplifier- ▁shortlisted- ▁representation- ▁Parkway- ▁Brigade- ▁Pattaya- ▁Noah- ▁Dua- ▁psychic- ▁Wak- ▁moto- regano- ▁throwback- ▁parkour- ▁attractiveness- ▁Real- ▁tada- ▁backstabbing- ▁Mouse- ▁Angeles- ▁Brown- ▁Taj- ▁sketchy- ▁pulley- ▁Toy- ▁Fire- ▁clubber- ▁agony- ▁Swift- ▁expressive- ▁spotlight- ▁truthfully- ▁choy- rgent- ▁chord- ▁subsidized- ▁Ford- ▁Momo- ▁baseline- ▁repeatedly- ▁seasaw- ▁Guan- ▁mite- ▁Pool- Frost- ▁Koko- ▁convent- ▁Duck- ▁bala- ▁Crab- ▁Leong- ▁mindedness- ▁paralysed- ▁Eden- ▁Kanji- ▁hump- ▁Ulu- ▁connector- ▁seamen- ▁sleepover- ▁hoarding- ▁johor- ▁okie- ▁lent- ▁constructed- ▁Belly- ▁goosebump- ▁hahaha- ▁Serai- ▁customised- ▁critically- ▁ign- ▁sneaky- ▁chunky- ▁padang- ▁Owen- Kat- talk- ▁italy- ▁Gang- ▁reap- ▁socialize- ▁cookhouse- ▁offset- ▁satan- ▁scape- ▁sadden- ▁overboard- Lau- ▁Shao- ▁pony- ▁composer- ▁overdo- Ego- ▁dua- ▁desc- hei- ▁marching- ▁ladylike- ▁transferable- ▁aspiring- ▁Shui- ▁Jose- ▁Peking- ▁Ox- ▁criticising- ▁exploded- ▁perceived- ▁contouring- ▁distracting- ▁Alexa- ▁stickman- ▁stickies- ▁superficially- ▁Ayer- ▁mumble- ▁Tok- ▁witnessed- ▁netting- ▁probe- ▁collective- ▁Alan- ▁Maha- ▁environmentally- ▁abus- ▁mak- ▁canoeing- ▁skateboarding- ▁lament- ▁smoother- ▁suspected- ▁peacefully- ▁burping- ▁yeha- ▁cramped- ▁postponing- ▁manipulated- ▁readily- ▁seaman- arents- Mutant- ▁sway- ▁anonymous- ▁frost- ▁Shar- ▁Kith- Khoo- ▁professionally- ▁lup- ▁healed- ▁cocky- ▁organiser- ▁Tau- ▁Villa- ▁buster- ▁interrupting- ▁tel- ▁respectable- ubl- ▁tidying- ▁recovery- ▁exited- ▁excluded- ▁Tong- ▁abuser- Char- ▁hav- ▁sourc- ▁Bai- dong- ▁shaved- ▁fest- ▁independently- stain- ▁sacrificer- ▁funded- ▁tun- ▁tricked- Aziz- gun- ▁owing- ▁adapted- ▁Evi- Sum- ▁Bahru- ▁overdose- ▁bearded- ▁molest- ▁absorbing- ▁cured- ▁Matt- ▁reflected- ▁ondeh- ▁Mun- ▁Planet- ▁exes- ▁Easter- ntil- ▁remover- ▁simulate- ▁lighten- ▁sinful- ▁painter- ▁actu- nstitution- Aw- shot- ▁twisting- lia- ▁Khan- Bin- ▁What- ▁pine- ▁Fall- ppo- that- ▁Can- caf- ▁clothed- ▁gui- ▁cracking- Don- ▁meowing- ▁hampers- ▁fluctuates- ▁refugees- rina- ▁carte- ield- ▁broker- ▁ignored- ▁Will- ▁Tup- ▁hater- oul- ▁ward- ▁Mumm- ▁angri- ▁blamed- ▁incoming- ▁caged- ▁feat- ▁Ger- ngkat- ▁gained- ▁helli- ▁vent- ▁connecting- ▁mach- ▁sugary- ▁Glenn- ▁pretending- ▁suntan- ▁hunting- ▁aerial- ▁disagreements- ▁Semb- Min- rawl- ▁devoted- dri- ▁downloading- ▁chor- ▁creak- zhen- ▁identi- ▁gam- ▁bossy- ▁thirdly- ▁noun- ▁Ani- ▁climber- ▁Tap- ▁Ng- ▁apparels- ▁enrolling- ▁admired- ssured- ▁respected- ▁gras- nding- ▁graz- ▁misbehave- epok- ▁Net- ▁ringing- ail- ▁tangent- ▁chilly- ▁Nam- ▁returned- ▁Miru- ouch- ▁crumbs- ▁Sands- ▁powered- ▁bon- Jolie- ▁railings- ▁blackheads- ▁bearing- loo- ought- ▁Julia- fort- ▁positioning- Cadet- oba- ▁hid- ▁emerg- ▁buttered- utan- olate- ▁resonates- ▁threats- scow- Thief- ▁colli- Jing- ▁Bart- ▁liner- ▁Marl- ike- ida- ▁yourselves- ▁pasty- creme- ▁cultured- ▁dicks- ▁startups- ▁limitations- ▁robotics- ▁astrolog- ▁Farah- ▁flopp- gates- ▁momento- ▁beam- ▁priced- ▁Astons- ▁nerves- ▁sculptures- ▁rested- ▁reminders- cous- ▁Sher- ▁kneel- Coles- ▁anticipate- ▁DC- ▁politicians- ▁pam- arley- ▁commercialize- ▁harp- ▁accelerate- Donki- ▁cucumbers- ▁rifles- ▁Run- ▁gro- ▁insider- ▁jav- ▁meatballs- ▁pirates- ▁spi- ▁handy- ▁Pas- ▁blogg- kie- rack- illion- ▁Pak- ▁emojis- ▁kilos- ▁Thin- lying- ▁worksheets- ▁notebooks- ▁crows- cia- ▁Kent- urity- ▁anal- ▁chunks- ▁buds- ▁Zen- ude- ▁ze- ola- ▁concentrati- ▁shak- ▁selfless- ▁Masters- ▁landscapes- ▁milestones- ▁expires- ▁moderniz- misunderstanding- Rush- ▁lou- ipped- ▁growl- ▁skit- elle- oid- por- Cook- ▁stakes- ▁belongings- ▁passages- smati- ▁zhu- ▁storybooks- ▁Rav- ▁fra- opped- ▁val- ▁squirrels- ▁tales- ▁prais- ▁colon- kee- rul- ▁relocate- ▁Cad- ▁Gia- ▁oppo- ▁opp- ▁optim- alized- ▁zipp- ▁Phil- dar- neo- ▁Pant- nuel- ▁Shake- ▁auditor- ▁Zhu- own- ▁tec- ▁stru- ▁terminat- gue- ▁rece- achi- urn- ftie- ▁opposit- ▁exa- ▁worsen- ▁sti- folding- shui- lessly- ▁marginal- ▁lob- rom- ▁crumb- bble- ▁Alon- acy- ▁Jenni- ▁spe- ▁Band- ▁spra- ▁shoo- afar- ▁ste- bak- Pie- ▁stan- ▁Ou- ime- fetched- iterate- ▁stead- ▁ferri- elecast- anna- ▁Lam- dol- ▁Bab- uhwe- mpang- ▁mindless- rman- Leste- ▁sympath- ▁ken- Clan- pad- ▁Human- atory- chai- decker- ▁cous- ▁Com- onia- ▁Bee- ▁bermuda- ▁scallop- ▁Pilate- ▁diaper- ▁pebble- ▁germ- ▁coral- ▁investor- ▁statistic- Ranger- ▁brace- ▁lyric- ▁alway- ▁zo- ▁slush- merah- ▁perk- ▁researcher- alism- stage- leen- body- ▁rab- ▁sportsman- ▁neg- Cent- make- ▁decorat- ▁certif- ▁gran- ▁oldie- Cage- ▁iden- ▁clog- ▁Chang- ality- ▁hur- ▁glam- wo- ▁Pul- ▁Julie- ▁Cal- ▁lectur- ▁Sand- west- Jobs- ▁complet- ▁achiev- tude- oup- nova- away- ▁Kee- Ban- ▁purchas- ▁esca- ▁wor- ▁Himalaya- ▁froze- ▁Sho- ▁deserv- ▁blush- ▁hoard- ▁choreograph- ▁dishearten- craft- ▁deci- ▁windsurf- ▁disco- ▁sightsee- ▁accord- ventu- ▁figur- pson- ▁schem- ▁arrang- Angel- ▁snip- icular- world- ▁ostracise- ▁chant- ▁confiscate- ▁excite- ▁elect- ▁endanger- bloc- ▁detach- atholic- ▁suspend- Network- Singapore- Woman- vious- Grande- Brigade- holder- Scott- Three- Bull- chomp- child- takraw- colli- tempered- Obama- Ninja- Ocean- attaya- restricted- Ralph- lifting- spirit- Busan- Black- Stella- ngsana- tight- different- grass- merit- queue- wak- consider- road- Maths- Ayam- boat- ondeh- Grey- Singaporean- shock- ▁greed- heard- yana- obby- ▁Ronald- Strange- clockwise- ▁suff- ▁graceful- ologist- open- ▁carpent- astle- ▁swag- ▁servic- ▁rehears- ▁millenni- vergreen- ▁submissi- hennai- enegade- esistance- ▁Mexic- ▁obstruct- ▁Aqua- ▁coincide- ▁depart- ddling- ▁celeb- ▁deploy- evio- negotia- ▁hydro- ▁protrud- ▁Comfort- ▁Disco- ▁boycott- Beckham- Bennett- Carrey- Clues- DiCaprio- Muhammad- Payne- Ramsey- Ribbon- Rowling- Solo- Uemura- arella- ligently- rrogate- ▁AddMath- ▁Adele- ▁Aidil- ▁Akbar- ▁Aloysius- ▁Anderson- ▁Anjib- ▁Anusha- ▁Bermuda- ▁Buddy- ▁Canberra- ▁Carnage- ▁Clean- ▁Colorado- ▁Coupet- ▁Daryl- ▁DeepMind- ▁Depot- ▁Donnie- ▁Durian- ▁Edusave- ▁Fiido- ▁Georgia- ▁Ghibly- ▁Gudetama- ▁Guinness- ▁Guzheng- ▁Heidi- ▁Hummus- ▁Immortal- ▁Insidious- ▁Jewel- ▁Kahshee- ▁Katherine- ▁Kelantan- ▁Kozminski- ▁Labyrinth- ▁Loann- ▁Lookism- ▁MUIS- ▁Mcnugget- ▁Millennials- ▁Mongrel- ▁Mountain- ▁Mutton- ▁Narcos- ▁Nolan- ▁Oprah- ▁Pagoda- ▁Paladin- ▁Panopticon- ▁Paramore- ▁Pochinki- ▁Raisa- ▁Rampage- ▁RedMart- ▁Rojak- ▁Rolanda- ▁Rumba- ▁Sanhok- ▁Sembcorp- ▁Shatec- ▁Shazleen- ▁Sheila- ▁Siberia- ▁Spirulina- ▁Spongebob- ▁Sugar- ▁Tiaga- ▁Tibet- ▁Tintin- ▁Toronto- ▁Umairah- ▁Vain- ▁Vegan- ▁Walter- ▁Webtoon- ▁Whatsapp- ▁Yasmin- ▁Yellow- ▁Zipline- ▁abdomen- ▁adequate- ▁adversities- ▁aftertaste- ▁aggravate- ▁armchair- ▁artefact- ▁artifact- ▁avengers- ▁averaging- ▁barnyard- ▁beloved- ▁blueberries- ▁boisterous- ▁bolognese- ▁bouquet- ▁breadcrumb- ▁brooch- ▁chamber- ▁champagne- ▁chihuahua- ▁chrysanthemum- ▁cinematography- ▁coffin- ▁coherent- ▁collarbone- ▁colloquial- ▁condescending- ▁consolidat- ▁consonant- ▁contagious- ▁contemplating- ▁contemporary- ▁coriander- ▁courtyard- ▁cynical- ▁daunting- ▁deadlift- ▁decreasing- ▁degrading- ▁dentures- ▁devoting- ▁dictate- ▁dodgy- ▁doorstep- ▁dopamine- ▁douchebag- ▁dwarf- ▁earthworms- ▁emporium- ▁enclosure- ▁entails- ▁esketit- ▁espresso- ▁execution- ▁exfoliant- ▁exquisite- ▁fingertip- ▁gizzard- ▁globe- ▁graffiti- ▁hiccups- ▁hokkaido- ▁hyperactive- ▁iModel- ▁imitation- ▁impediment- ▁indebted- ▁indomie- ▁inertia- ▁infested- ▁infinite- ▁interconnected- ▁introspective- ▁intrusive- ▁jewelleries- ▁keloid- ▁keropok- ▁knuckle- ▁liddat- ▁lychee- ▁mackerel- ▁malamute- ▁mechatronics- ▁memorabilia- ▁menacing- ▁menthol- ▁messenger- ▁migraine- ▁mortgage- ▁muachee- ▁muffled- ▁mussels- ▁narrate- ▁negotiation- ▁nitrogen- ▁obscure- ▁oriental- ▁overcooked- ▁overcrowded- ▁paitao- ▁parasite- ▁persuasion- ▁pinafore- ▁pistachio- ▁pistol- ▁predator- ▁premature- ▁preoccupied- ▁prettie- ▁profiling- ▁prototype- ▁radish- ▁reincarnated- ▁reindeer- ▁repurpose- ▁resilient- ▁retrospect- ▁revenue- ▁rhino- ▁ritual- ▁roulette- ▁salvage- ▁sandbag- ▁scorpion- ▁scrawny- ▁sculp- ▁secluded- ▁silhouette- ▁simulation- ▁simultaneously- ▁slipshod- ▁sneezing- ▁snippet- ▁sparring- ▁splatter- ▁spooky- ▁sprinkle- ▁structural- ▁strudel- ▁stylus- ▁succulent- ▁supervision- ▁tattered- ▁terribly- ▁ticklish- ▁tidbit- ▁tomollow- ▁tremendous- ▁trespass- ▁trishaw- ▁unaware- ▁uncommon- ▁uncouth- ▁underestimate- ▁understudy- ▁unknowingly- ▁unwanted- ▁upbeat- ▁username- ▁utilize- ▁wavy- ▁woodworking- ▁wurly- ▁Boost- ▁Brighton- ▁Neslo- ▁Silk- ▁abundance- ▁advent- ▁analogy- ▁calibr- ▁conscientious- ▁ingrain- ▁misjudge- ▁noisier- ▁parsley- ▁peppermint- ▁recontract- ▁smuggle- ▁spacing- ▁stomp- ▁truancy- mitten- ▁Dengue- ▁Emily- ▁Fajar- ▁Harbin- ▁Kamal- ▁Toggle- ▁abalone- ▁celery- ▁copycat- ▁dubious- ▁glare- ▁greasy- ▁hydrogen- ▁influential- ▁jeopardize- ▁laboratory- ▁perseveran- ▁reform- ▁shucks- ▁Kingsman- ▁Prive- ▁Steffi- ▁boomerang- ▁estimation- ▁eventual- ▁glamour- ▁goblin- ▁intersect- ▁mimic- ▁slimmer- Beautiful- ▁Famous- ▁Kylo- ▁figurative- ▁troop- ▁vapour- Gogh- ▁Amber- ▁Beatles- ▁Brenda- ▁Logan- ▁Nasser- ▁Ramesh- ▁avid- ▁carol- ▁flaming- ▁geese- ▁rattan- ▁sledge- ▁Nineteen- ▁Nurul- ▁Pegan- ▁apology- ▁escaping- ▁existentialist- ▁lasik- ▁mansionette- ▁masculinity- ▁percussion- ▁shards- ▁speculation- ▁template- ladder- ▁Cholo- ▁Gerpe- ▁Store- ▁Suri- ▁ambiance- ▁screwdriver- ▁shading- ▁telephone- ▁Gamebooks- ▁Valerie- ▁Zaibo- ▁antisocial- ▁carnation- ▁corpse- ▁droplets- ▁hypocritical- ▁memorizing- ▁perspiring- ▁salsa- Buloh- Patterson- ubis- york- ▁Ahkah- ▁LinkedIn- ▁babysitter- ▁battlefield- ▁censorship- ▁disruptive- ▁perfectionist- ombie- ▁backfire- ▁compact- ▁outerwear- ▁Kanye- ▁Levina- ▁diaries- ▁exclusivity- ▁indulgence- ▁intonation- ▁liberat- ▁magnetic- ▁molecul- ▁patties- ▁quotation- ▁raffle- ▁Powerpuff- ▁compatib- ▁sulk- ▁trump- ▁General- ▁Muji- ▁lulu- ▁spicie- ▁ramble- ▁stimulation- ▁Kashi- ▁thorn- ▁Colour- ▁clump- ▁dulan- ▁lazier- ▁manipulative- ▁shimmer- ▁undergraduate- logue- ▁Angelina- ▁Suzy- ▁capsizing- ▁lik- ▁psychotic- ▁understatement- ▁ventilat- Pahat- ▁bankruptcy- ▁contradiction- ▁destruction- ▁sanity- ▁Dawn- ▁Salva- ▁fluid- ▁pricy- ▁Satay- ▁frock- ▁pending- ▁restrictive- ▁scammer- ifier- ▁mingling- ▁Sapa- ▁grandchild- ▁rosy- Nun- ▁physician- ▁comprehensive- ▁kope- ▁qual- ▁rubric- ▁evade- ▁globalisation- ▁radiotherapy- ▁tripped- ▁Race- ▁denial- ▁redemption- wow- ▁anorexia- ▁displace- ▁Ashton- ▁Zeus- ▁anatomy- ▁Family- ▁Murakami- ▁Oriental- ▁dreadful- ▁glamor- ▁Damai- ▁Hogwarts- ▁billboard- ▁consumerism- ▁explosion- ▁booze- ▁cathedral- ▁pianist- ▁Shaun- ▁Freshies- ▁Lavi- ▁eeyer- ▁freight- ▁wholesome- ▁affectionate- ▁euro- ▁pussy- ▁slut- ▁twinning- ▁mellow- ▁quoting- ▁paintball- ▁primate- score- ▁Istana- ▁Kayaking- ▁affiliated- ▁blatantly- ▁dehydrated- ▁eyelash- ▁chubby- ▁hottest- ▁unproductive- ▁unrelated- ▁womanizer- endang- ▁daugh- Kheng- ▁Chronicle- ▁harmful- ▁Sakae- ▁Shoppe- ▁clipper- ▁insistent- ▁sparkling- ▁trademark- took- thical- ▁kuih- ▁diesel- ▁incest- ▁Station- arabat- ▁charac- ▁Heroes- ▁deliberately- ▁Dior- ▁discriminate- ▁zag- ▁Prudential- ▁bubbling- ▁suffocating- ▁noticeboard- ▁patrol- ▁tagged- ▁Evan- ▁wrapper- ▁Kickapoo- ▁sank- ▁Monster- ▁adaptive- ▁spillage- ▁cheongsam- ▁haram- Chamber- ▁Ella- ▁transferring- ▁Maslinda- ▁beautif- ▁Naan- ▁shaw- ▁Bosch- ▁Dash- Gandhi- ▁bodysuit- Mahal- ▁Chevron- ▁mantis- ▁trashcan- ▁utter- ▁enunciate- ▁consent- ▁guitarist- ▁Who- ▁powderful- ▁reaper- ▁rashes- ▁Conjuring- ▁Education- ▁iCloud- ▁Like- ▁propel- ▁Salvation- ▁Gula- ▁witty- ▁Keane- ▁yuan- ▁vow- ▁Evo- ▁shareholder- ▁hazel- ▁bolt- ▁changi- ▁autonomy- noya- ▁perfumery- ▁undertaker- ▁Putra- ▁Halia- ▁communist- tigate- ▁rapist- ▁zipline- dog- ▁prune- ▁bustle- ▁illustrator- ▁blurry- ▁viewpoint- ▁drawback- ▁potent- ▁repress- ▁litted- ▁disturbance- ▁treehouse- ▁Miami- ▁rework- Chuan- Wall- Depp- ▁lax- ▁Greatest- ▁formality- ▁Smoo- ▁overview- ▁validated- ▁volcanoes- Rice- ▁easel- ▁locket- ▁fluently- vour- ▁detached- ▁biasness- ▁hypo- ▁practicality- ▁elected- ▁Wood- ▁Batisah- ▁Turtle- ▁Grabfood- ▁Jovi- ▁sev- ▁cooper- ▁rundown- ▁Sedan- ▁queer- ▁kaka- ▁Stal- ▁Xbox- ▁swerve- ▁native- ▁Bowl- ▁Talk- ▁confiscated- ▁stubbornness- ▁factories- ▁jiak- ▁damm- ▁saman- ▁traumatize- ▁profitable- ▁Gmail- ▁Sakurai- ▁downfall- ▁quali- ▁percentile- ▁keng- ▁Made- ▁Factor- ▁varied- heongsam- ▁ahem- ▁signpost- ▁Biz- ▁Vista- ▁Born- ▁occasional- ▁Liang- ▁ditch- ▁crip- ▁muse- ▁Everest- ▁mainland- ▁compu- ▁denser- ▁Lagoon- ▁Utama- essert- ▁Nepali- ▁Show- ▁potion- ▁creamier- ▁Jake- ▁zipper- ▁Six- ▁Cooper- ▁Zhen- ▁pesto- ▁Guo- ▁realisation- ▁maki- ▁cheong- ▁jug- ▁restructur- chup- ▁activated- ▁minimally- ▁Chiong- ▁clone- ▁kaw- ▁crushes- ▁bender- ▁nani- ▁Minh- ▁westerners- ▁implying- ▁mustache- ▁brushes- Xie- ▁urgently- ▁tuning- ▁Sister- ▁burped- ▁eliminated- ▁strengthen- ▁doughy- ▁sizing- ▁giveaway- ▁bronzer- ▁comical- ▁disrespected- ▁beeping- ▁campaigner- wang- ▁Nara- ▁Soon- ▁Circu- ▁merely- ▁enduring- ▁exceeded- ▁standee- ▁Cass- ▁Premiere- ▁godson- ▁fleshy- ▁skii- ▁dane- ▁sketching- tiao- ▁sesh- itive- ▁tangled- Bai- Chap- ▁Gaga- ▁bir- ▁whisker- ▁Grande- ▁Post- ▁coverall- ▁distributed- ▁underlined- ▁amused- ▁adapter- ▁bouldering- ▁externally- ▁hotline- suit- ▁interrupted- ▁wholesale- ▁overwork- ▁invaded- ▁maximi- ▁Victor- ▁runway- ▁Penyet- ▁composed- ▁optimis- ▁pawn- ▁stained- ▁Kayu- ▁assessed- ▁exuberant- ▁carom- ▁kur- ▁internally- ▁worthless- ▁stopper- ▁crawled- Tee- ▁freshness- ▁insisted- ▁Jana- ▁Tik- cker- ▁bearable- ▁Puti- ▁quad- ▁dryness- ▁Dana- ▁tuba- ▁EZ- ▁absorbed- ▁Jet- ▁unto- ▁amend- ▁Dong- ▁Socr- ▁jiao- ▁threatened- ▁Taois- ▁restless- ▁outcast- ▁getaway- ▁coping- ▁additionally- ▁tasteless- ▁expanded- ▁adver- ▁jokingly- ▁dune- Brock- ▁defender- ▁gasp- Yun- ▁murdered- ▁manually- ▁desired- ▁expiring- ▁Kath- ▁fist- ▁Nur- ▁pressurize- ▁grinding- ▁traitor- ▁oopsie- ▁threading- ▁bridg- ▁stricter- ▁firsthand- ▁sucker- ▁Airy- ▁iceman- ▁ridiculously- ▁defending- ▁formally- ▁jungler- Gen- ▁Age- ▁yel- ▁applic- ▁Nadia- being- ▁sud- ▁Comm- ▁behaved- ▁damaged- ▁Sean- ▁sweeten- ▁responded- ▁Kei- langah- Dong- Guilin- Drew- ▁reviewed- ▁reminisce- fare- ▁daylight- ▁Chell- malam- ▁dozen- ▁Keds- ▁Kung- ▁tracker- ▁baht- mega- ▁retaining- ▁memorised- ▁gossipy- ▁Bosc- ▁Team- kia- ▁Cam- ▁tru- ▁screamed- Team- ▁marginalise- ▁cheeky- ▁tic- ▁puree- ▁displayed- ▁lieu- ▁slider- ▁situational- zbuy- ▁Mariam- ▁laying- ▁fru- ▁portraying- ▁Kill- ▁Jup- ▁tryout- ▁disappearing- eggae- ▁clamp- Dazs- ▁tomb- ▁filtering- ▁DJ- ▁Jacky- ▁Low- ▁beautifully- qing- ▁ghostly- ▁recalled- ▁Lucas- ▁gymnastics- ▁immigrants- ▁pellets- ▁magnets- ▁nachos- ▁glamp- ▁scorer- ▁divider- ▁sati- ▁bedding- ▁pedas- ▁responding- ▁Cambodian- ▁Live- ▁coster- ▁Pup- ▁ref- ▁Billy- ▁instruct- ▁Kal- ▁particle- ▁crushing- ▁deserved- ▁Kun- ▁misses- ▁monitoring- ▁skilled- ▁Pull- ▁Davi- Pei- ▁Tha- ▁archi- ▁inches- ▁emotionless- holster- ▁pressed- ▁curls- ▁displaying- ▁shameless- ▁conditioning- girls- ▁riddles- ▁drooling- ▁Kitte- ▁slum- ▁Malaya- ▁Cart- manship- ubby- ▁interviewed- uhwhat- ▁flavouring- ▁Ria- ▁orbit- elly- Yin- ▁Jonah- ▁stacking- ulf- ▁scrapp- ▁flowing- ▁patronis- ▁stre- ▁petals- ▁adulting- ▁poorly- irl- ▁sau- ▁pac- bati- ▁parka- ▁hanged- lendon- ▁weirder- ▁catchy- proving- ▁investors- ▁Pilates- ▁bermudas- ▁diapers- ▁germs- ▁pebbles- ▁scallops- ▁defined- yung- Reap- ▁handcuff- nut- wiping- ▁usable- diate- ▁alre- ▁doze- ▁Ande- erf- ▁beca- ▁informati- lalang- ▁centred- ▁goose- osity- ▁pete- RA- ▁suprem- ▁imme- ▁Av- ▁wrinkle- ▁pinky- ▁marr- ▁believer- ▁holi- ▁Carls- ▁realist- ▁Nav- ▁yell- ▁afro- ▁cleaned- ▁happ- ▁fractio- ▁Pen- ▁picker- sim- ▁accumulati- uge- Junction- ▁nutritional- ▁gyming- ▁forge- cho- ▁acquir- top- play- ▁luo- ▁swo- ▁plush- erome- ▁sibe- Shack- ▁Stu- entrepreneurship- aker- ▁melo- ▁optic- moo- garden- ▁wiggl- ▁memo- ▁Elf- ▁fizz- ▁Kor- ▁coloring- ▁gy- ▁Glad- anny- izard- Lamb- ▁Tur- ▁Sub- otte- ▁Baker- ▁Tora- ▁humiliat- Ringo- ▁physiologi- ▁giggl- ▁hugg- ▁Lip- ▁aimless- ▁padd- ▁Merc- addy- ggers- ilia- ▁divin- ▁minimalist- heng- ▁Za- Yeo- ▁secur- actually- Now- ▁Lol- fusing- ▁Ele- ▁dub- agging- eenage- logical- ▁gl- kay- ▁purg- ummies- hiong- fully- ▁wil- ▁downgrade- ▁coordinat- ▁walker- ▁glut- rain- oth- ▁publicise- ▁airdrop- ▁embod- ▁stor- ▁bulg- Bike- ▁perf- gui- lease- ▁committ- ▁Nest- ▁beep- ▁cripple- iction- pei- ▁bac- ▁pressur- ▁jer- ▁defi- nese- ▁Dot- ease- ▁fou- ▁Woo- lao- bur- ▁Jum- pang- roy- ▁Sia- ▁smo- ▁sel- okay- ▁pickle- ▁diagnos- izzle- media- ▁bod- ushi- ▁reme- ▁commentar- ▁indulg- ▁scrambl- ▁wag- ▁ventur- ▁sighted- ulated- Pai- ancy- pian- Gab- esar- ux- Jenner- ▁zh- ▁dial- ▁indicat- inning- ▁cran- ▁basin- ▁concur- ▁patron- ▁tackl- ▁Act- sulting- imo- arred- Kueh- erial- ▁assure- hoc- ▁apparel- Fan- ▁tantrum- ▁Resort- ▁analytic- Brother- ▁regulation- ▁congratulation- ▁Airline- ▁boob- ▁cockle- ▁frie- ▁shophouse- ▁cau- Lan- ▁fatal- ▁Soci- ▁enc- Lun- ▁clothe- ▁ela- ▁lif- ▁stin- capped- ▁eng- ▁instruc- ▁viewer- ▁conver- ▁apparen- icles- ▁feminis- ▁petal- ▁rese- abo- Por- eech- ▁Wind- Png- cination- Ten- ▁sui- ▁recreation- rmal- ▁replica- Chia- ▁quan- ▁admir- ▁Mil- ▁feng- dded- ▁appli- gba- ▁Rou- oded- Christ- kling- ▁acco- cock- ▁fir- ▁stud- ▁conti- ▁generat- ▁dab- hanger- ▁scribbl- ▁Kevi- ▁overwhelm- ▁disgust- ▁translat- learn- ▁overflow- ▁embarass- ▁enrich- ▁Zion- ▁festi- ▁eliminat- exist- ▁involv- claim- luck- ▁jade- ▁implie- shoot- ▁entitle- ▁flourish- ▁communi- axophone- abilities- fresh- ▁appoint- ▁amplifie- ▁lingui- Bueno- Campbell- Ericsson- bilis- Curry- Hardy- Possible- Waterfront- llustrator- Putra- write- cooper- College- Garfield- Kacang- clutter- Chee- Zhong- Switch- floss- Martin- Mario- Melaka- ▁Morgan- league- Audi- Royal- Museum- sufficient- South- capable- omelette- Geylang- Raffles- Secret- frame- pilot- slept- ▁autonom- Bedok- Jurong- brother- girlfriend- when- family- glory- Court- ▁enterpris- class- sports- Primary- ▁Mega- ▁procreat- Shore- stral- ▁lasagn- Katong- ▁fluff- ▁energ- arthritis- paint- balance- woman- Giant- malay- nerd- Boat- ▁meditat- ▁multiplie- Amos- ▁glide- why- ▁restore- ▁alwa- irates- ▁inherent- ▁thorough- chek- ▁especial- Center- illenials- Dark- nounce- ▁gradual- hallenger- ▁unfriend- game- erald- atural- chemic- ▁coincident- ▁judgment- ▁coincidental- ▁Michel- ormula- ▁coward- ▁explosi- ditor- ivalry- thritis- ▁enthusiast- ▁congratulat- ▁orientat- ▁assassin- ▁uncertain- linders- ▁environ- ▁subtract- latan- ▁homosexual- Huang- migrant- ▁Capital- ▁commute- ▁Casi- '3'- ▁Battle- ▁Crime- ▁Rasuk- ▁Constance- ▁Leicester- ▁Sistine- ▁dermatologi- ▁Binjai- ▁Kavis- ▁Okto- ▁Silicon- Thatcher- ▁Bohemian- ▁Dennis- ▁Raymond- ▁Taroko- ▁Whampoa- ▁bumble- ▁devotion- ▁levitat- Atkinson- Bolton- Bridge- Brule- Corden- Cumberbatch- DeGeneres- Diesel- Gambino- Garrix- Hemsworth- Heritage- Hussain- Interchange- Laundrette- Level- Negara- Neville- Pacquiao- Persie- Ramlee- Streisand- lluminati- normous- penyet- quamarine- ▁Adriel- ▁Akira- ▁Anastasia- ▁Andriod- ▁Antwerp- ▁Arizona- ▁Auckland- ▁Awaz- ▁Azkaban- ▁Beethoven- ▁Bodyguard- ▁Braddell- ▁Bruce- ▁Buzzfeed- ▁Chadwick- ▁Chandler- ▁Cheddar- ▁Chernobyl- ▁Clarins- ▁Coachella- ▁Colorpop- ▁Company- ▁Condo- ▁Counterstrike- ▁Crayon- ▁Cuisine- ▁Culture- ▁Daenerys- ▁Deekosh- ▁Digest- ▁Dillon- ▁Dungeon- ▁Durarara- ▁Esther- ▁FOMO- ▁Fajita- ▁Fieldsville- ▁Fiji- ▁Flume- ▁Hataraku- ▁Heeraj- ▁Hercules- ▁Honolulu- ▁Houston- ▁Jiufen- ▁Joakim- ▁Kadir- ▁Kasta- ▁Kindle- ▁Kitchen- ▁LMAO- ▁LaSalle- ▁Lalamove- ▁Lawrence- ▁Luqman- ▁Madonna- ▁Martial- ▁Matilda- ▁McFlurry- ▁Megazord- ▁Ministry- ▁Mississippi- ▁Mormon- ▁Morocco- ▁Napfa- ▁Nirvana- ▁Nissin- ▁Oleander- ▁Ostrava- ▁Othello- ▁Palawan- ▁Picnic- ▁Pixel- ▁Poptropica- ▁Poseidon- ▁Rabbit- ▁Radiohead- ▁Razer- ▁Redmart- ▁Reebo- ▁SOTA- ▁Sadie- ▁Sebastian- ▁Seiko- ▁Seremban- ▁Shenkuu- ▁Shiberty- ▁Shopkins- ▁Skittles- ▁Solecase- ▁Somalia- ▁Songket- ▁Spice- ▁Starfire- ▁Stomp- ▁Subsuka- ▁Sumatra- ▁Surabaya- ▁Syndra- ▁Targaryen- ▁Terraria- ▁Unfabulous- ▁Usopp- ▁Vitagen- ▁Watami- ▁Wharf- ▁Wilfred- ▁Woodleigh- ▁Xiaxue- ▁Yugioh- ▁Zidane- ▁abolish- ▁academia- ▁accommodating- ▁adjective- ▁african- ▁ahmad- ▁allegedly- ▁ambiguity- ▁anchovies- ▁appliances- ▁apprentice- ▁armskote- ▁availabil- ▁barricade- ▁believable- ▁billiard- ▁blackcurr- ▁bookshelf- ▁calefare- ▁cashflow- ▁categorise- ▁caterpillar- ▁cheapskate- ▁chief- ▁clarity- ▁clause- ▁cleave- ▁codependent- ▁commonwealth- ▁compilation- ▁concurrently- ▁conspiracy- ▁conspire- ▁corruption- ▁cottage- ▁credible- ▁crescent- ▁damaging- ▁decline- ▁declining- ▁degenerate- ▁demolition- ▁demotivate- ▁devastated- ▁devastating- ▁diaphragm- ▁dictator- ▁disgrace- ▁dispatch- ▁displeasure- ▁dystopian- ▁elitism- ▁endorphin- ▁ensemble- ▁equity- ▁estella- ▁exempted- ▁exorbitant- ▁fanciful- ▁flaunt- ▁flavourtown- ▁forefather- ▁forensic- ▁gibberish- ▁gimme- ▁gloomy- ▁glucose- ▁gratification- ▁gruesome- ▁guava- ▁gynae- ▁hammock- ▁harmonizer- ▁heaviest- ▁hibernate- ▁hickey- ▁honeydew- ▁hungrier- ▁hurried- ▁hypothermia- ▁imaginative- ▁impractical- ▁inducing- ▁inefficiency- ▁infatuated- ▁influenza- ▁infused- ▁inquisitive- ▁insecurities- ▁insignificant- ▁jaguar- ▁jinx- ▁kanken- ▁lavender- ▁lenient- ▁lilac- ▁litigation- ▁locksmith- ▁loiter- ▁longevity- ▁maggots- ▁maisonette- ▁majestic- ▁meritocracy- ▁millipede- ▁mojito- ▁monastery- ▁monorail- ▁mukbang- ▁nepotism- ▁nonchalant- ▁nonetheless- ▁obesity- ▁odac- ▁opaque- ▁origami- ▁ostrich- ▁outstretch- ▁overpopulated- ▁override- ▁parapet- ▁patriarchal- ▁persuasive- ▁phenomenon- ▁pigmentation- ▁piloxing- ▁pomelo- ▁powerbank- ▁preservation- ▁pressurising- ▁prostitute- ▁prostitution- ▁rambling- ▁recreating- ▁rectify- ▁reimburse- ▁relevanc- ▁remedies- ▁renowned- ▁reorganise- ▁reptile- ▁responsive- ▁rethink- ▁reunite- ▁revelation- ▁rosti- ▁sabotage- ▁sacrificial- ▁sanctuary- ▁saviour- ▁sidekick- ▁skinnier- ▁slapped- ▁sleek- ▁slurp- ▁smirk- ▁stellar- ▁stench- ▁storytelling- ▁stylo- ▁submarine- ▁substantiate- ▁sunbathing- ▁surcharge- ▁surmise- ▁surreal- ▁suspens- ▁swept- ▁tactful- ▁tangerine- ▁thanksgiving- ▁threadmill- ▁tortoise- ▁transmission- ▁trickshaw- ▁tumeric- ▁turmeric- ▁unbreakable- ▁unconventional- ▁unfamiliar- ▁unforgettable- ▁unfulfill- ▁unheal- ▁unpack- ▁unreliable- ▁unveil- ▁velocity- ▁vigilant- ▁volatile- ▁wacoal- ▁wicked- ▁wilderness- ▁withdrew- Ketchum- ▁Brokeback- ▁Clifford- ▁Economics- ▁Eeyor- ▁Eudora- ▁Kebab- ▁Matcha- ▁Narelle- ▁Patrick- ▁Salim- ▁berapa- ▁concuss- ▁entangle- ▁imprison- ▁inactive- ▁incinerati- ▁insured- ▁irritable- ▁juggling- ▁kerb- ▁penthouse- ▁physiotherapist- ▁posterior- ▁prosecut- ▁robust- ▁shrunk- ▁solitude- ▁turd- ▁underpass- ▁wholemeal- ▁yip- Ambeng- Kennedy- ▁Hydr- ▁Inisha- ▁Kellogg- ▁Morinho- ▁Petercrouch- ▁Reader- ▁desensitize- ▁eggplant- ▁embroider- ▁enchant- ▁fandom- ▁hamburger- ▁harmonic- ▁investigating- ▁lassi- ▁leftward- ▁miserably- ▁mistress- ▁pagoda- ▁pigtail- ▁pulpo- ▁recognising- ▁reign- ▁riffs- ▁sleepwalk- ▁tatami- ▁temptation- ▁twitch- ▁yikes- itamin- ▁Pierre- ▁bypass- ▁delegat- ▁pawnshop- Charlotte- endrick- lender- ▁Aberc- ▁Carrot- ▁Kamu- ▁Loyang- ▁Peaky- ▁Smurf- ▁Yahoo- ▁garner- ▁pressurizing- ▁simplify- Cowell- Neeson- ▁Apax- ▁Clive- ▁bloop- ▁bodied- ▁eagle- ▁jeera- ▁republic- ▁sachet- ▁witchcraft- ▁worrywart- ▁Jumper- ▁Patek- ▁Shannon- ▁Tofu- ▁Zubi- ▁airshow- ▁beacause- ▁caesarean- ▁inspiriting- ▁maximize- ▁microbio- ▁mysteries- ▁remedy- ▁saloon- ▁saucy- ▁teapot- ▁tutu- ▁Lovisa- ▁Saraca- ▁Scout- ▁arbitrary- ▁fuming- ▁ivy- ▁lollipop- ▁poetic- ▁solemn- Chaplin- ▁Carlyn- ▁Collin- ▁Gelato- ▁Kenji- ▁Merek- ▁stutter- ▁Sahana- ▁Sehun- ▁holocaust- ▁plaque- ▁Masala- ▁Pyth- ▁comedies- ▁dabbing- ▁eavesdropping- ▁frilly- ▁revolutionary- ▁uprising- ▁Yankee- ▁Melody- ▁Saku- ▁Ubergrapher- ▁obligated- ▁robbing- ▁villian- Granger- fected- ▁Peace- ▁assurance- ▁collide- ▁stubble- ▁tiresome- ologne- ▁Phisha- ▁Rasa- ▁cauli- ▁Germaine- ▁Libra- ▁Seventeen- ▁agak- ▁dividend- ▁Raned- ▁Stray- ▁detest- ▁esters- ▁froyo- ▁recollection- ▁toppled- ▁prerequisite- ▁pyjamas- ▁sacred- ▁selves- ▁Fariz- ▁Lucy- ▁Musa- ▁Davina- ▁Judy- ▁blemishes- ▁hippie- ▁porch- ▁skewe- ▁exponentially- ▁mistreat- ▁sparrow- Diaries- kram- ▁gourd- ▁horlick- ▁ascend- ▁daft- ▁subtraction- ▁maturing- ▁normative- ▁Aquaman- ▁Farid- ▁Pinang- ▁Soju- ▁parody- ▁rasp- Xiong- ▁Demi- ▁Hebe- ▁gently- ▁shameful- ▁drumlet- ertis- ▁confrontational- ▁pupa- ▁drastically- ▁guac- ▁Jared- ▁Marmalade- ▁empowerment- ▁flunk- ▁jellybean- ▁visc- Paddle- ▁Dollah- ▁Tangled- ▁bullier- ▁clapping- ▁resembles- Care- ▁Asos- ▁Moza- ▁Westgate- ▁quarry- ▁Lazuli- ▁chorus- ▁tequila- ▁wafer- ▁Jeanette- ▁SpiderMan- ▁grumbling- ▁kinship- Lapis- Madrid- ikgu- ▁coordinator- ▁dahl- ▁yoogane- ▁Kimberly- ▁Pharrell- ▁brigade- ▁forgivable- ▁dyslexia- ▁nicotine- ▁sensitivity- ▁Chick- ▁Edward- Ferrell- ▁Siva- ▁bleak- ▁Cheong- ▁civilized- ▁reciprocation- ▁Singsale- ▁elementary- ▁laloo- ▁Gear- sibility- ▁Mogu- ▁limelight- Train- ▁kakak- ▁shortlist- rped- ▁carousell- ▁footprint- Kurau- ▁globalised- ▁mower- ▁backstory- ▁monit- ▁Trans- ▁daisy- ▁hijack- ▁compass- ▁prankster- ▁Jinna- ▁transformation- ▁navigation- ▁homesick- ▁Robinson- ▁alps- ▁liability- ▁solidif- ▁whistl- ▁Luka- ▁Goro- ▁extraordinary- ▁Mollywood- ▁hobo- ▁shapeshift- ▁absent- ▁endorse- ▁exclaim- ▁tradesman- ▁Tanuki- ▁modification- ▁Asam- ▁shawl- ▁Heath- ▁chapteh- ▁Desiree- ▁alignment- ▁rollerblade- ▁grit- ▁vacancy- liath- ▁Mitchie- ▁purposeful- idle- ▁Salman- ▁cylinder- ▁supposing- ▁Dora- ▁Institute- ▁Convenience- ▁Future- ▁Gabriel- ▁Gateway- ▁Krunch- ▁Satan- ▁Schwarzenegger- ▁Technical- ▁Theatre- ▁alteration- ▁hush- ▁crayon- ▁snipe- Kardashian- ▁moonlight- ▁emit- ▁Stephenie- face- ▁aburi- ▁constipated- ▁Kurt- ▁nutri- ▁cowardly- ▁omega- ldering- ▁hopped- ▁recruitment- ▁slavery- ▁lever- ▁faci- ▁Austin- ▁rotan- ▁breathless- ▁indian- ▁swish- ▁Spartan- ▁Usman- ▁Tabata- ▁precaution- Law- ▁Anabelle- ▁Carrie- indef- ▁vary- ▁moisturize- ▁pester- ▁underdog- ▁gracefully- ▁Aquarium- ▁Caribbean- ▁Hathaway- zuo- ▁installment- ▁Shepard- ▁ladu- ▁acknowledgement- ▁affordability- ▁unfriendly- ▁tagline- ▁Camp- ▁TAF- ▁noticing- Group- ▁instantaneously- ▁roman- ▁salivating- Duck- yaki- ▁betrayal- ▁laces- ▁Fault- ▁waive- ▁Grabpay- ▁Fomo- ▁exert- ▁utai- ▁disposal- ▁unpaid- luted- liate- ▁pullover- ▁Curry- ▁Possible- ▁skillful- ▁inflated- ▁fomo- Rock- ▁Waterfront- ▁illnesses- ▁zhai- ▁uber- ▁alkali- Liu- ▁fruitful- ▁choreography- ▁jiang- ▁firewood- minal- ▁seniority- ▁Woman- ▁goatie- ▁conserving- ▁socializing- ▁sweetener- ▁speck- ▁deadass- ▁Riz- ▁trou- ▁clubhouse- Liang- Hai- ▁familiarity- ▁implied- ▁spaceship- ▁restored- ossil- ▁Semi- ▁endangered- ▁Lake- ▁Mango- Tomato- ▁Cind- ▁Smart- ▁predictable- ▁rover- ▁Huang- ▁Willy- ▁reassure- ▁Meg- ▁popper- Thanh- ▁situat- ▁Hardy- ▁Asher- ▁pushover- ▁Aqil- ▁congested- ▁ostracised- ▁shopped- cigarette- ▁blacklist- ▁appam- ▁Abba- ▁drier- ▁unfa- ▁adaptor- ▁backstroke- ▁excessively- ▁empowered- ▁worthwhile- ▁innovat- ▁Ride- ▁baton- ▁altruism- ▁Jez- ▁biases- ▁Udon- ▁epitom- ▁Dover- ▁shutter- ▁hatred- ▁poof- ▁reclaimed- ▁bitterness- ▁ushering- ▁romanticize- ▁gab- ▁smoothness- ▁songwriter- ▁Abel- oma- ▁Sota- Siang- ▁lapis- ▁firing- ▁Muk- ▁calmness- ▁interven- ▁misused- ▁crawler- ▁Stone- ▁Dew- ▁purging- ▁recharged- ▁exhi- Tsum- ▁selfishness- ▁fidgety- ▁miso- ▁Latino- ▁arrested- ringe- ▁histories- ▁Fist- ▁barrag- ▁Missha- ▁Blan- ▁deformed- ▁punches- ▁Fox- ▁doctorate- ▁kera- polis- ▁Beast- ▁Brad- ▁brainless- ▁talentless- ▁Lou- ▁masses- ▁crosster- ▁Hamza- burn- ▁specialization- ▁Tango- hmm- ▁shyness- gram- ▁Wheel- ▁Finding- ▁frowning- ▁stealth- ▁neatly- ▁lug- ▁McCartney- ▁Rex- ▁Faber- ▁deli- gana- ▁destroyer- illian- ▁homecoming- ▁raya- ▁conception- ▁betrayer- ▁nip- ▁derived- ▁kayponess- ▁Box- Candle- ▁Guy- ▁latter- Sue- ▁lun- ▁Blink- ▁headline- ▁heartedly- ctive- ▁Kasan- ▁Moon- ▁loosely- ▁versed- ▁Sci- ▁bonuses- ▁mul- ▁analyzed- ▁Haik- pize- ▁sever- ▁contradict- ▁Top- mination- lushie- ▁Ghe- fry- ▁sharper- ▁Clini- ▁desperately- ▁Dino- ▁thickness- ▁Sara- ▁Peng- ▁organizer- ▁breadth- ▁pow- icable- ▁honoured- ▁strained- ▁Hang- ▁defeated- ▁mov- ▁Tei- ▁Hary- ▁chup- ▁Fong- ▁revisi- ▁turnover- ▁establishing- Yorke- ▁polished- ▁politely- ▁befriend- ▁converter- ▁Tammy- ▁cranberr- ▁googling- ▁antagonist- ▁inconsistent- ▁Ono- ▁buffering- ▁eBay- boi- ▁sweeper- ▁Swan- ▁slowest- ▁deng- pai- ▁yawning- Gui- ▁heartless- ▁reductio- Korean- ▁Sex- ▁unle- blanc- ▁processes- ▁flavored- ▁waterway- ▁shirtless- ▁toughest- ▁speciality- ▁detected- ▁playback- ▁chicky- Food- ▁partial- ▁tolerated- ▁seng- ▁deducted- ▁teased- ▁usher- ▁resolved- ▁Bigo- ▁compl- thful- Sun- ▁tunneling- ological- ▁consumed- ▁lovingly- ▁Fann- ▁soften- ▁pate- Tian- ▁puffy- ▁rescued- Wu- ▁shoppe- ▁distressed- ▁ambi- Cai- ▁corny- otto- ▁Gilm- ▁makeover- ▁umrah- watch- ▁pref- ▁quicker- ilky- ▁conce- ▁weighing- ▁nailed- ▁roasting- ▁lec- ▁cov- ▁successor- ittle- Map- ▁filtered- Mac- ▁schoolwork- ▁Ong- ▁publishing- arments- ▁blo- ▁Zam- ▁sobbing- Dion- ▁tuned- ▁Lemak- toms- ▁Kana- ▁jailed- ▁drafting- wave- ▁Manu- ▁Tra- ▁reachable- ▁Kao- ▁guarded- ▁lightest- ▁zeroes- ▁burner- eye- ▁ou- ▁comply- ▁reduced- ▁Ibis- ▁stretchy- ▁Prat- ▁honk- ▁Bull- ▁Hali- ▁arriv- lph- ▁predicting- nstaStory- ▁pursued- ▁challenger- ▁Kris- ▁banger- ▁prevented- ▁squeezed- ▁heartlander- ▁snowed- ▁produced- ▁cram- ▁drilling- ▁spreaded- ▁treasurer- ▁imag- ▁vegeta- ▁proceeding- ▁eleg- anji- ▁racer- ▁hundredth- Phone- ▁parental- ▁planted- lding- ▁benefited- houl- ▁Barb- ▁jumper- ▁moolah- Friend- ▁mill- ▁expe- ▁deg- ▁developer- ▁contracted- ▁Schooling- ini- imbley- ▁clicked- ▁cape- ▁visualize- ▁haunting- ▁walkable- edical- ▁grilling- ▁Alar- geo- ▁worser- rinate- ▁poom- ▁Harif- most- ▁sicko- Lulu- rose- ▁bodybuild- ▁realism- itude- ▁criti- ▁handler- Ariff- ▁tramp- ▁degrade- Francis- ▁chocolatey- ▁hydrate- ▁glorif- ▁overlapp- ▁Hil- rgot- ▁asap- ▁environmentalis- AF- opper- ▁harmless- ▁curate- ▁dork- ▁chionging- ▁spank- ▁za- ▁winding- ▁blinded- ▁subside- ▁qu- ▁legi- lingual- ▁orderly- ▁lure- base- ▁Medi- ▁sleeper- ▁computerise- duh- ▁choc- curred- ▁cy- gina- ▁socio- ▁Orio- ▁Deep- ▁Yo- hildish- arro- Ah- ▁End- kul- sands- rupt- Tech- ▁earner- ▁hund- pool- ello- ▁dinn- stinate- ▁Neo- even- ▁bustl- tories- pathetic- ▁hasten- entity- oodlands- ▁Pea- Fury- eran- berg- ▁capitalise- ▁Levi- masak- ▁accumulat- inch- stand- ▁emba- oxid- gging- ▁Monte- ▁argumentati- call- bber- ▁vid- ocr- ▁Fuch- ▁backstabbe- ▁nationalis- ▁exc- ▁Zal- ▁traveler- ever- ▁eth- ▁deriv- ▁grate- ferring- ▁unfold- iation- cking- ▁Mur- rover- ▁Canton- stilled- him- ▁dime- cheng- ▁Tele- kuma- hol- ▁vin- ▁Huali- anuel- chun- eady- itis- epen- imer- ▁compe- order- ▁Myth- olla- ▁Az- ▁pul- ▁deficien- ▁matri- ulge- ▁deca- unk- With- ▁franc- lari- ▁Austra- ▁intrud- lame- ▁apologiz- Zhai- erries- utical- ego- seller- rched- lebar- emb- ▁Qu- ▁kua- uro- ▁buri- ▁circulate- lush- nial- Raw- aiyo- col- ▁kala- lang- ▁fixate- ▁cru- mati- ▁stimulat- ▁propos- ▁cel- Gao- ▁poli- Bake- ▁subscrib- Roof- Alam- Hung- zen- ▁refu- andar- ▁logge- Yung- uggle- ula- ▁jumb- nnies- erson- Cake- athon- ▁urbanis- ▁capitalist- Papa- ▁tran- ▁Vinc- ▁bul- ervic- ▁Wenh- espera- ▁capitaliz- ▁enti- ▁Aunt- ived- Boss- Bron- izer- ▁destin- ▁kisse- Maid- ▁prev- ▁angpa- ▁Juli- bab- ▁Zend- Kid- ▁interpreta- ▁gener- ▁vap- communication- ipe- anning- ▁satur- acin- Hyung- ▁advocat- ▁detaine- ▁Fin- Card- ▁labell- ▁cartoonis- ayer- ▁Web- ▁Rayna- ubbing- ▁Cho- ddler- ▁treasur- girl- ▁riddle- berry- ▁procra- oving- Girl- ▁premise- ▁wolve- ▁streak- ▁sadist- ▁disagreement- ▁flake- ▁eyeball- ▁grudge- ▁remark- ▁Mathematic- ▁Netherland- echnology- ▁Avenger- ▁Physic- ▁boomer- ▁Jame- ▁poi- ▁Father- ▁reliev- abata- lice- ruff- ▁tannin- Bare- head- utmost- wfully- lywood- ingham- ▁espe- ▁retiree- andan- ▁astig- ▁dir- ▁empha- ▁Marriot- lander- ▁expel- ▁edi- ▁catalys- ▁shou- ▁fami- ▁gif- burger- cky- ▁Wha- aggy- finity- stead- ▁dislik- tract- ryani- ▁brid- Prima- Halt- ▁twi- Sale- ▁tack- lded- ▁Gui- ▁Tae- tivating- rovi- abil- ▁regula- avier- ▁Gun- essa- shift- ▁Shape- phon- ▁instil- ▁amputat- ▁usua- ▁Gol- ▁Bur- lopp- after- ▁Havai- killers- ▁swop- oosebumps- sheet- ozy- ▁qualifi- ushed- ▁cohesi- ▁squeez- ▁smel- ▁Choo- ▁consol- ▁swerv- view- ▁schedul- ▁shiver- ▁troubl- heart- ▁ide- ▁initiat- ▁desir- ▁retir- Sua- ▁emphasiz- ▁reschedule- ▁inflate- ▁incredibl- ▁subsidise- ▁elevate- ▁Nico- ▁overrate- ▁satisfie- mother- minded- planning- science- ▁refuge- hearted- weetener- therapy- Chocolate- Health- Kingdom- curricul- xuan- Union- ▁Lyn- ▁retard- Aquarium- Caribbean- Hathaway- Tatum- fiqah- Beast- Conjuring- Education- interrupted- rapist- piece- ▁bloat- ▁financ- Academy- Davidson- Reservoir- alvation- Amri- Business- Forest- Toast- Maria- Valley- social- Mourinho- Canyon- Chew- bulb- ▁commodit- Zhou- knob- crackers- Juliet- Siti- Beauty- Cube- Keith- Lauren- Coffee- Spine- determined- ▁Anabell- Nicholas- balcony- organize- spicy- Michael- subscribe- Africa- British- professional- satisfied- typical- Cloud- married- theatre- thousand- value- written- friendly- ▁enunciat- primary- waste- drink- lemon- grown- Love- igger- ▁victor- hunter- bedok- clip- colour- tongue- ▁cemeter- ▁monopol- ▁Clair- ▁Clark- paper- ▁Tosh- upperware- metal- good- aslinda- packaged- held- butter- damn- Rod- ▁spher- ▁unconditional- Angeles- depth- anjong- Quee- ▁volcan- ▁ziplin- fringe- ▁deliberate- jack- residency- chemical- rifle- ▁clement- Polo- reasure- grapher- latform- deco- ▁firefight- ▁telemarket- ountry- riendzone- ompass- ▁carousel- ▁hawk- whitt- ▁trivia- yslexia- around- Xia- ▁measur- island- ▁communicati- enefit- ▁resembl- productive- ▁voic- ▁percepti- ▁homophob- ▁samba- ▁Burg- ▁phil- ▁squish- rigue- ejected- ▁schoo- ▁bribe- ▁rearrange- ▁exaggerati- eptical- ▁Entertain- ▁supple- ▁Bomb- ▁abili- ▁frantic- ▁transcend- ▁stagna- rank- pulsive- ▁Farooq- ▁Naru- ▁Second- ▁philanthrop- ▁repack- reckles- ▁pharma- Reptile- rocious- ▁Napoleon- ▁Wednes- ▁valentine- ▁validate- ▁Storm- bbish- constru- ▁Cecil- ▁Mastercard- ▁Sezairi- ▁Solomon- ▁hyperventilat- ▁peripheral- ':'- Alchemist- Brolin- Cavani- Converter- Defence- Exchange- Explore- Fansipan- Girlfriend- Grannis- Kerang- Lovato- Mandeb- Marbles- Marinda- Meyer- Packard- Ragnarok- Reborn- Rendezvous- Samsuddin- Spect- Tarik- Trench- Walker- appetising- appuccino- bahru- conferenc- dministration- gerrard- incarnate- iramisu- kyscraper- ntartica- ockingbird- osaurus- rangel- uhthis- '}'- '- ▁Abdullah- ▁Abraham- ▁Addam- ▁Aladdin- ▁Allyssa- ▁Anaheim- ▁Ananas- ▁Aristotle- ▁Assassin- ▁Atlanta- ▁Atticus- ▁Axel- ▁Ayden- ▁Balmain- ▁Bambang- ▁Bazaar- ▁Becka- ▁Bernice- ▁Bloom- ▁Bosphorus- ▁Brockhampton- ▁Burberry- ▁Cantho- ▁Capri- ▁Casper- ▁Chateraise- ▁Cheeketah- ▁Chipsmore- ▁Corolla- ▁Corvallis- ▁CosRX- ▁Cosrx- ▁Counter- ▁Creamier- ▁Cristofori- ▁Darrel- ▁Darwin- ▁Deathmatch- ▁Demons- ▁Design- ▁Dictator- ▁Dundee- ▁Dunkin- ▁Edgar- ▁Elane- ▁Eleanor- ▁Electro- ▁Enactus- ▁Equal- ▁Equator- ▁Eternity- ▁Ethiopian- ▁Everlast- ▁Fairuz- ▁Fatcat- ▁FavePay- ▁Favor- ▁Finsta- ▁Frisbee- ▁Front- ▁Giva- ▁Godiva- ▁Gojek- ▁Gulliver- ▁HabourFront- ▁Hanzo- ▁Harzik- ▁Hayde- ▁Hiragana- ▁Holdings- ▁Hollandaise- ▁Hologram- ▁Honestbee- ▁Hoshino- ▁Hsinchu- ▁Hunter- ▁Husserl- ▁Imperial- ▁Inktober- ▁Innok- ▁Jamaica- ▁Janabelle- ▁Jefri- ▁Jolibee- ▁Kendra- ▁Kenora- ▁Khalees- ▁Kinokuniya- ▁Kitori- ▁KouFu- ▁Leaves- ▁Leuch- ▁Lexus- ▁Libya- ▁Lilac- ▁Lontong- ▁Lorraine- ▁Luffy- ▁Management- ▁Matthew- ▁McNugget- ▁Motorola- ▁Mumbai- ▁Nebraska- ▁Nelson- ▁Nigeria- ▁Nobel- ▁Nothingness- ▁Nyx- ▁Oliander- ▁Otogi- ▁Paradise- ▁Pentatonix- ▁Petpetpet- ▁Pharaoh- ▁Poppins- ▁Portuguese- ▁Poteng- ▁Prakash- ▁Pretty- ▁Puff- ▁Qihua- ▁Reebonz- ▁Refash- ▁Remember- ▁Revlon- ▁Ribena- ▁Rooney- ▁Roxy- ▁Sabbath- ▁Sabsuka- ▁Scorpio- ▁Scramble- ▁Senibong- ▁Sennheiser- ▁Sensei- ▁Seraphina- ▁Shabir- ▁Shrek- ▁Silence- ▁Sogou- ▁Soraya- ▁Spotty- ▁Squirtle- ▁Supernatural- ▁Swarovski- ▁Syaz- ▁Sylvester- ▁Technique- ▁Thanksgiving- ▁Thosai- ▁Thriller- ▁Tigreal- ▁TikTok- ▁Transylvania- ▁Trivers- ▁Ukraine- ▁Uprising- ▁Valuetronic- ▁Vatican- ▁Velvet- ▁Wacom- ▁Wagyu- ▁Waiki- ▁Wakanda- ▁Wallace- ▁Westlife- ▁Winston- ▁Xenia- ▁Yeezy- ▁Zahirah- ▁abbreviate- ▁abbreviation- ▁abdominal- ▁abseil- ▁accessories- ▁acclaimed- ▁accompanie- ▁acutally- ▁administrator- ▁adversary- ▁adversity- ▁affluence- ▁affluent- ▁alligator- ▁alliteration- ▁anemone- ▁antihero- ▁applause- ▁apprehensive- ▁arrogance- ▁articulation- ▁ascertain- ▁asparagus- ▁bibliography- ▁bittergourd- ▁blasphemy- ▁bourgeois- ▁buckwheat- ▁bursaries- ▁cajon- ▁carbohydrate- ▁categorize- ▁catwalk- ▁caviar- ▁centimeter- ▁chameleon- ▁chauffeur- ▁chawanmushi- ▁cheddar- ▁cheebye- ▁cheerleader- ▁chimichanga- ▁chromo- ▁chrysa- ▁circumference- ▁clarinet- ▁coastguard- ▁cocoon- ▁commuting- ▁concious- ▁condolence- ▁confetti- ▁conglomerate- ▁congregate- ▁connectivity- ▁correspond- ▁coworker- ▁crisscross- ▁cuff- ▁customaries- ▁cutlery- ▁deceiving- ▁declaration- ▁deconstructor- ▁delifrance- ▁delinquent- ▁depleted- ▁digimon- ▁diminish- ▁disciple- ▁discrete- ▁discretion- ▁disparity- ▁disregard- ▁drenched- ▁droop- ▁dwindling- ▁dynasties- ▁eEcons- ▁electromagnetic- ▁enforcing- ▁entrap- ▁entrusting- ▁equilibrium- ▁euthanasia- ▁expedit- ▁expendable- ▁explanatory- ▁exploration- ▁eyebags- ▁faggot- ▁fajitas- ▁fashionista- ▁feminine- ▁fictitious- ▁florist- ▁foggy- ▁freeloader- ▁fretboard- ▁furnish- ▁fuzzy- ▁gachapon- ▁gallon- ▁gallop- ▁gonorrhea- ▁grenade- ▁griev- ▁hairpins- ▁handicraft- ▁herbivores- ▁hibernating- ▁hippopotamus- ▁hitchhiker- ▁hobbit- ▁homogeneous- ▁horribly- ▁hyena- ▁iPod- ▁identifiable- ▁ideologies- ▁igloo- ▁imperfection- ▁impolite- ▁incompetent- ▁indigestion- ▁infertile- ▁infringing- ▁instalment- ▁intricate- ▁investigator- ▁invoice- ▁iodine- ▁isolation- ▁jargon- ▁jenny- ▁jockey- ▁kicap- ▁kidnapped- ▁kinetic- ▁lechon- ▁lethargic- ▁lexicon- ▁ligament- ▁loudspeaker- ▁malacca- ▁mastermind- ▁melodies- ▁mischie- ▁miscount- ▁misguided- ▁monotony- ▁muesli- ▁multicultural- ▁multiplayer- ▁murta- ▁muruk- ▁neanderthal- ▁nihon- ▁nudity- ▁nutcracker- ▁nutritious- ▁ostracize- ▁otaku- ▁outburst- ▁outweigh- ▁overarching- ▁overcrowding- ▁overhyped- ▁overpowered- ▁paramour- ▁paraphras- ▁peacemaker- ▁perspec- ▁pessimism- ▁pesticide- ▁petroleum- ▁phenomenal- ▁phlegm- ▁physique- ▁pickpocket- ▁plural- ▁poeple- ▁precision- ▁prescribe- ▁pricier- ▁prorated- ▁pupil- ▁quantitative- ▁quarantine- ▁radius- ▁ramekins- ▁rebatch- ▁reclusive- ▁recuperate- ▁reenacti- ▁refurnish- ▁regenerate- ▁registry- ▁reinstate- ▁relativity- ▁relegate- ▁reprimand- ▁respawn- ▁retention- ▁retrac- ▁rewriting- ▁rofl- ▁rudimenta- ▁rupee- ▁scrutinise- ▁serenade- ▁shoelace- ▁shrimp- ▁shrub- ▁silhoutte- ▁skilful- ▁smudge- ▁smuggling- ▁societies- ▁spatula- ▁splinter- ▁sprout- ▁stepdad- ▁succinct- ▁sugarcane- ▁sunroof- ▁surgical- ▁surveillanc- ▁suspicion- ▁symmetr- ▁thickener- ▁titanium- ▁toothpick- ▁tornado- ▁transsexual- ▁treading- ▁trench- ▁unattainable- ▁unavailable- ▁unbeat- ▁uncountable- ▁undercover- ▁underprivilege- ▁unemployment- ▁unfrozen- ▁unleashed- ▁unopened- ▁unprepared- ▁unscrew- ▁unsustainable- ▁unwittingly- ▁utilise- ▁utilitarian- ▁vernacular- ▁vicar- ▁videography- ▁vigorous- ▁virtue- ▁voodoo- ▁waifu- ▁walnut- ▁wapiang- ▁webtoons- ▁widget- ▁workflow- ▁zebra- ▁Award- ▁Beetle- ▁Croc- ▁Easy- ▁Eeny- ▁Infocom- ▁Prize- ▁arguabl- ▁enthu- ▁inflamma- ▁misinterpret- ▁refail- ▁shrewd- ▁utopia- olitaire- ▁Burgess- ▁Cash- ▁Childhood- ▁Cinema- ▁Egive- ▁Guangzhou- ▁Hakim- ▁Johanna- ▁Laurel- ▁Merchant- ▁Miniclip- ▁Olaf- ▁Orbis- ▁Petpet- ▁Spring- ▁Talib- ▁Tuptup- ▁Zinger- ▁appendix- ▁coagula- ▁crucifie- ▁dailies- ▁demure- ▁discriminatory- ▁disperse- ▁dutch- ▁fantasies- ▁fetish- ▁gundu- ▁hairstylist- ▁hypothesi- ▁iBank- ▁imitate- ▁immigrate- ▁mangrove- ▁melanin- ▁mortar- ▁presumably- ▁rehab- ▁snitch- ▁strenuous- ▁sugarcoat- ▁tenacity- ▁theorems- ▁tutee- ▁wolverine- seido- ▁Adil- ▁Auto- ▁Battlefield- ▁Canmake- ▁Gemini- ▁Ikroh- ▁Latte- ▁Mcspicy- ▁aptitude- ▁bumblebee- ▁dismiss- ▁dissect- ▁douche- ▁generalising- ▁hairband- ▁harmonious- ▁helium- ▁kaopei- ▁nourish- ▁prophet- ▁socialising- ▁spinner- ▁swift- ▁twitter- Duxton- Golding- Monteiro- omeranian- ▁Bellerina- ▁Fernand- ▁Gareth- ▁MAN- ▁Makisan- ▁Serene- ▁Utown- ▁Work- ▁contradictory- ▁conversa- ▁farthest- ▁gambat- ▁kilogram- ▁luminous- choles- imony- ▁Barbara- ▁Goddess- ▁Protos- ▁craziness- ▁merging- ▁micromanag- ▁philanthropist- ▁pronounci- ▁retardant- ▁veteran- ▁Jonker- ▁Wingstop- ▁accomodation- ▁ailment- ▁choppy- ▁colonisers- ▁overfill- ▁ridicu- ▁serene- ▁omni- ▁stepmom- Scofield- shraf- ▁Garang- ▁Maslow- ▁Whis- ▁elongate- ▁morph- ▁motel- ▁retell- ▁revoke- ▁slouch- ▁swarm- ▁tablas- ▁uncover- ▁vegetation- ▁friendliness- ▁sociological- ridian- ▁Marshall- ▁collate- ▁fleet- ▁flim- ieved- ▁Annette- ▁Classified- ▁Mobike- ▁automobiles- ▁cider- Fuyong- ▁Meghan- ▁Yoko- ▁frantically- ▁pocky- ▁reciprocating- ▁Bombay- ▁Boston- ▁Capitalism- ▁Donkey- ▁annum- ▁colonized- ▁hedgehog- ▁intersting- ▁jacuzzi- ▁subsidiaries- alyps- ▁Theater- ▁ambient- ▁sailboat- ▁sakura- ▁Pesta- ▁breach- ▁converge- ▁counselled- ▁fluctuation- ▁hanoi- ▁staging- ▁Aiden- ▁Notebook- ▁Tasha- ▁drummer- ▁segregation- ▁Diana- ▁Reese- ▁SAR- Jackman- latoni- ▁Clare- ▁copywrit- ▁pallet- ▁variant- loating- ▁tropic- Khalsa- ▁kaput- ▁omit- ▁shredder- ▁thrones- ▁Ashley- ▁unimportant- Hwa- ▁Burj- ▁Deyi- ▁Emails- ▁Fallout- ▁bloke- ▁multimedia- ▁traction- apalang- riple- ▁BTS- ▁Laurance- ▁calisthenic- ▁profanit- ▁Zepp- ▁fertile- ▁forbid- ▁initiation- ▁Slim- ▁epita- ▁Sportslink- ▁stabbed- ▁vocalist- ▁interference- ▁opposing- commerce- ▁larva- ▁terracotta- ▁Jovina- ▁accusat- ▁countertop- ▁recollect- ▁spitball- ▁unisex- ▁yankee- osacea- ▁Dolly- ▁Heights- ▁Tapas- ▁extensively- ▁snorkelling- ▁civilisation- ▁hardwire- ▁Hazi- ▁reinforce- ▁warped- Modric- ▁Alipay- ▁campsite- ▁outshine- ▁proficiency- ▁Poland- elope- ▁Marx- ▁Zero- ▁humanitarianism- ▁marinade- ▁mentorship- ▁quirkiness- ▁Amex- ▁cooperation- ▁hydrant- ▁roving- ▁kinky- ▁Koda- ▁Radin- ▁boredom- ▁contextual- ▁swum- ▁terminolog- ▁urbanization- ▁Bengali- ▁Paper- ▁preview- ▁spectro- ▁fleshier- ▁mantou- ▁Otak- ▁tonkatsu- ▁Badang- ▁Brit- ▁mortality- Free- Russell- odyne- ▁Ginger- ▁juici- ▁drake- ▁medalist- ▁memento- ▁tolerat- ▁vapor- ▁Caroline- ▁Arthur- ▁sewage- ▁strategise- ▁suction- worth- ▁Jenga- ▁alleviate- ▁marvelous- ▁resent- ▁scrutinize- ▁termination- ▁separation- ▁neurotic- ▁viper- ▁unravel- ▁defect- ▁Complex- ▁Paradigm- ▁Singapura- ▁joving- ▁metallic- ▁punchek- ▁marries- ▁menses- ▁resourceful- rangle- ▁Subhas- ▁Milan- ▁Witch- ▁barracks- ▁evasion- upiah- ▁renegade- urgen- ▁Waken- ▁forcefully- ▁swagger- ▁tiara- ▁chapel- ▁reconnected- ▁causally- ▁habitual- ▁Bookhouse- ▁thinggy- ▁Charmander- ▁Pika- ▁friday- ▁governor- ▁newsstand- ▁subcon- eonard- ▁devour- ▁Mafu- ▁burial- ▁LiHo- ▁Redang- headed- ▁Dettol- ▁excelled- ▁glutes- Titl- ▁kennel- gedil- ▁negro- ▁radically- plish- ▁Motion- ▁dawn- ▁sunburn- uzu- ▁sedan- ▁transcendent- ▁Camry- ▁inheritance- ▁magma- ▁Inception- ▁Tepp- ▁cheeseburger- ▁prideful- ▁Hajj- ▁Orang- ▁Luna- ▁marinara- ▁Rochor- ▁Yogi- ▁hostile- ▁stepsister- ▁Tores- ▁redevelopment- ▁bidet- ▁Quek- ▁sanitizer- ▁Qiao- ▁Jackpot- ▁dampen- ▁idolise- ▁sewers- ▁crating- ▁foursome- ▁uncontrollable- ▁mailbox- ▁slipping- ▁Ashik- ▁bonobo- ▁tragically- ▁Haidi- bear- ▁iffy- ▁relearn- ▁repent- ▁Marilyn- ▁agaration- ▁civilian- ▁shrine- ▁irra- ▁concourse- ▁rubble- ▁repeti- ▁Chungha- ▁Baliza- ▁chye- ▁fantasize- ▁corp- chatting- local- ▁Skippy- ▁authorities- ▁monogamy- ▁Yoga- ▁excruciating- Luak- aksa- ▁miller- ▁Suki- ▁Glenis- Tree- ▁Pakcik- ▁vasectomy- ▁veil- ▁Escobar- ▁Francisco- ▁Shuttle- ▁Tyson- ▁scum- ▁Grill- baby- ierra- ublic- ▁ounce- ▁chemist- ▁Kardashians- comfort- interesting- ▁Atwood- Jack- ▁Jetty- ▁demoralized- ▁graciousness- ▁horrified- ▁regimented- ▁adik- ▁dependence- ▁modul- ▁repost- ▁shiba- ▁Voon- ▁organically- ▁farmhand- ▁reflective- ▁Showman- ▁prick- ▁chaperon- ▁Cuba- ▁Joann- ▁harass- ▁mindfulness- ▁prophecy- ▁chives- Steel- ▁dirtier- ▁astray- ▁submerged- ▁marley- ▁plasticky- ▁panicked- ▁punya- rief- ▁awk- ▁neutralise- ▁talism- ▁doubtful- culi- ▁Anton- ▁elev- ▁Bora- ▁treasury- ensity- ▁commodity- ddess- tweet- ▁forceps- ▁crossover- ▁Porter- ▁cordon- ▁Health- ▁Kingdom- ▁Tatum- ▁robin- ▁xuan- ▁Chocolate- ▁cupid- ▁pimp- ▁stil- ▁curricul- ▁hallucinating- ▁platelet- ▁antics- ▁Laden- thering- ▁decay- ▁Cupid- ▁mitch- acies- ▁shoul- riding- ▁Minion- ▁Take- ▁Amri- ▁Shawan- ▁bedek- ▁bloc- ▁Morgana- ▁bowel- jori- ▁heatiness- ▁Hailing- ▁jeng- ▁reese- ▁Nature- ▁cheerfulness- ▁moose- bread- ▁accountability- ▁pokka- ▁Tues- ▁hunk- ▁posing- ▁bucketlist- ▁linguist- ▁manoeuvre- ▁cyan- bury- ▁sexism- ▁Bueno- lliance- ▁Ericsson- ▁panties- ▁Campbell- ▁bilis- ▁frap- ▁thinning- ▁calf- ▁rescheduled- evolving- pagar- ▁Dude- ▁hula- ▁flailing- ▁illustrating- ▁lingering- ▁regurgitating- ▁fax- ▁ampli- ▁alrea- ▁cremat- ▁Linda- ▁brushless- ▁flatten- ▁numer- dicu- ▁voiceover- ▁Liver- miliar- ▁stopwatch- ▁optimise- ▁Buri- ▁binders- ▁MediS- ▁handcraft- erja- ▁saxophone- Pek- ▁Network- ▁colony- ▁Marrie- ▁Americanize- jang- ▁hillman- Max- ▁Shang- ▁Manny- ▁uncom- ▁astrology- Maki- ▁harshness- eletubby- ▁jaded- ▁banish- ▁rapidly- ▁Heat- ▁kwa- ▁instructed- ▁chek- bogg- ▁bloodline- ▁Summer- ▁voicemail- Stone- ▁morality- ▁gentlemanly- ▁respectively- ▁Hambr- ▁Doha- Kwan- ▁Jiu- ▁Que- ▁Deli- Kok- ▁cluttered- ▁debuted- ▁provoking- ▁bleed- ▁Tale- ▁steeper- ▁standpoint- ▁quitter- ▁policemen- ▁mili- ▁burnout- Daily- uhsorry- ▁Farhana- ▁qualifier- ▁Shaf- Shin- ▁choreographer- ▁Bike- ▁Angkat- ▁puffin- ▁taxation- ▁fiancee- ▁maxi- ▁dimensional- ▁cohesive- pour- ▁Frenchie- ▁Carri- ▁snapped- arracks- apse- hank- ▁Kip- ▁Meal- ▁scented- ▁flourishing- ▁tata- ▁mamak- ▁disrespectfully- ▁Rama- ▁Rina- ▁Botanical- ▁Buk- ▁blogger- ▁cir- ▁Taken- ▁smoothen- esco- ▁Nasa- ▁dented- ▁pasture- ▁discharged- ▁showroom- ainted- ▁trad- ▁Geo- ▁Lumpur- ▁Sweep- static- ▁Beau- ▁barang- ▁beauti- ▁siren- ▁Union- ▁blushing- ▁disheartening- ▁refresher- ▁Albom- handed- ▁bandage- ▁customized- bio- ▁blindfolded- ▁examine- ▁enhanced- ▁salesman- ▁Pound- ▁creativeness- ▁Back- ▁saltish- ▁ballpoint- ▁groomer- ▁Teck- ▁magna- ▁announcer- ▁fallout- ▁kui- Amin- ▁heroine- ▁Louise- ▁Sailor- ▁relay- ▁Sound- ▁leaked- ▁painless- Mei- ▁browser- ▁rewatched- Rex- ▁Blangah- ▁Azan- ▁bartending- ▁artificially- ▁endured- ▁Bir- ▁dif- ▁anoth- stability- ▁Irene- ▁liv- ▁Chio- ▁sexually- ▁equalise- ▁economically- ▁ponder- ▁narcissis- ▁shooked- ▁Ivy- ▁broader- ▁Gig- ▁Opeh- ▁Zionis- ▁procession- ▁Chay- Sec- ▁Imbu- jar- ▁fourteenth- ▁hiong- ▁correlate- Yen- ▁conquered- ▁tailored- rce- ▁hisses- ▁Aero- ▁Dada- avainas- chain- ▁Site- nguish- ules- ▁launched- ▁warned- ▁documented- ▁Boba- ▁Pau- ▁mutate- ▁Wani- ▁tui- ▁Lane- ▁haw- ▁Lang- eous- ▁Hard- ▁tickled- Husse- ▁choked- essie- ▁Rad- abyte- ▁Osa- ▁processor- ▁globally- ▁Full- ▁booklet- Shi- ▁chemically- ▁easter- ▁ferti- ▁frontier- ▁broadcasting- ▁clinging- ▁halve- ▁Darli- ▁soaked- related- ▁Zu- ▁classist- north- ▁Atta- ▁overlooked- ▁Achar- ▁Lai- ▁battl- ▁ceased- cord- ▁Nata- ▁detoxing- ▁betraying- ▁kee- ▁stupidity- ▁erecti- Benoit- ▁Zone- ▁seamless- ▁stealer- ▁patientuh- ▁condemned- ▁Indon- ▁emphasized- ▁rotated- Swan- ▁mengs- ▁minion- ▁Mela- ▁Date- ▁friendzone- ▁earl- ▁mandate- ▁bomber- ▁conveying- ▁showke- ▁quietness- ▁Medan- ▁reversed- ▁Dilma- ▁quieten- ▁backlash- ▁fury- ▁ranting- ▁Chou- ▁toughness- nkers- ▁formant- ▁efficiently- ▁digger- ▁Fara- ▁glorify- Fest- ▁renewed- lier- ▁Jung- ▁chairman- Sang- ▁dashing- ▁qing- ▁publisher- eacock- ▁dino- ▁highlighted- ▁polygam- ▁tighter- ▁demolishing- ▁calmly- ▁unsee- ▁awkwardness- ▁sealed- ▁Bane- ▁Cara- ▁fertiliz- ▁pap- ▁Horn- ▁relieved- Song- sebum- ▁Gar- amant- ▁Dove- ▁resigning- ▁Philipin- ▁Fred- ▁nei- Tat- ▁witnessing- ▁Kina- ▁Tange- audi- ▁compromised- ▁weeding- ▁breather- ▁Xian- ▁importing- Ali- ▁springy- ▁Sling- ▁Tell- ▁understooded- rchaeology- ▁murderer- ▁layered- Van- ▁Qin- fall- ▁hyped- ▁measured- ▁Even- ▁purchaser- ▁fainting- ▁Oman- ▁stifl- ▁scorch- ▁programmed- ▁recesses- ▁nee- ▁Choi- ▁Patta- ▁highlighting- ▁brainer- ▁dramatise- ▁bureaucra- ▁Susan- ▁braid- ▁sung- inary- ▁Check- ▁curl- alakat- ▁Chitt- entities- ▁pitcher- ringing- ▁corr- iative- ▁Rain- Unagi- ▁nin- dora- cidentally- ▁daze- ▁Kara- hepard- ▁engi- gemuk- ▁Romania- ▁Bren- erbal- moral- bike- ▁Corin- ▁Sherle- ecurity- ▁Vik- ▁rumba- urities- ▁Buck- ▁Ava- ▁Nabila- ladi- mbing- raz- ▁Westerner- oronation- ▁detain- zoning- utting- ▁confesse- ntries- ▁Sala- ▁humbl- ▁mara- ▁Halif- ▁sled- Hood- lator- ▁swank- ▁Alv- gazing- Harrison- zel- ▁strategiz- ▁Dean- ovan- umanities- untie- Ben- omer- ▁chronic- ▁Arch- ▁packer- junct- zhang- appe- ▁dabbl- ▁kato- Liars- ▁boater- ▁Wul- ▁Univers- ▁rekindle- ▁steadi- ▁rac- ▁Yao- ▁gad- amil- ▁crashe- ▁tro- anie- ▁Shaku- uppy- nite- Shopping- Baker- position- ▁Ace- ▁Magn- ▁Tubb- anner- ightful- ▁Mill- Eighty- competency- ▁legalis- impang- ▁dirtie- ▁grann- ▁Dogg- Wool- atically- ▁Mina- ▁preconce- ▁competenc- ▁boggl- ▁crippl- zed- Perr- Carlo- Chek- ▁provoke- ▁conserve- ▁Lud- caster- uted- orium- rumbling- graded- ▁cultivati- ▁nauti- shoong- ▁centralize- ▁Nestl- uchi- ▁intrude- erati- ▁optimiz- ▁reassur- ▁integra- bodies- referred- xora- ▁subtl- ridden- ▁professionalis- bbed- Dali- ▁relocat- ▁unfaithful- ltering- oller- ▁brack- ▁formulate- iggly- cialised- ▁conserv- provoked- Donut- istan- uja- ▁panick- ▁physio- zhe- ▁dependenc- haps- ▁humili- Mercy- lashes- ▁collaps- Sophia- ▁Elfi- Aini- ▁wrinkl- Name- ▁spiri- xie- logy- Pol- unned- ▁Len- contentment- Mania- yukat- ▁deteriorat- Jiang- ▁outsourc- ▁psychiatr- ▁tortur- ▁grea- ▁Thie- Simple- ompan- ▁masa- ▁Child- ador- exter- jung- ▁glen- ▁duplicat- aburi- kiang- umbling- ▁prudent- mobile- ravel- ▁educa- ▁moderat- oaky- eeper- ▁geographic- ▁Franc- ▁electrop- ▁Marg- ▁marbl- ▁ceas- flicted- ▁probab- ▁craz- ▁magnet- ▁gymnastic- ▁pellet- ▁immigrant- ▁nacho- ▁Luca- ▁defini- ▁hamper- ▁fluctuate- ▁refugee- ▁dimple- Throne- ▁comprise- ▁nutrient- ▁phonic- ▁tyke- ▁freebie- ▁Vibe- ▁utensil- ngee- ▁pilate- ▁State- ▁supplie- ▁barbecu- ▁trouser- ▁posses- ▁obviou- Nee- ▁jean- roti- ▁circ- cratic- ▁bureau- compartmentalize- conceiv- ▁Canto- ▁vol- mount- ssistant- mmoners- ifle- ▁Moham- ▁Scoo- ▁genera- ▁peda- rati- ▁reminiscen- ▁Plane- ▁impatien- ▁accep- josh- ▁buil- ▁archaeolog- ▁Horse- founded- ▁Roz- gnific- ▁fertili- ▁synchron- visible- ▁distanc- friend- ▁craw- paced- ▁statu- aiya- half- ▁revol- ▁privat- ogling- uishin- ppressed- ▁narciss- ▁Techno- opsicles- lugg- nvestigations- ▁drow- ▁Digi- enetic- etica- writers- stroke- lags- Mercie- ounce- wolf- acaroons- ▁introduc- force- ▁inclin- ▁disput- ▁collage- aholic- interest- okki- ▁professio- ▁Pearly- plit- ▁moisturiz- ▁volu- ▁candleli- ▁linger- ▁bartend- ▁illustrat- odeling- ▁regurgitat- ▁dispens- ▁Zhe- proof- ▁flail- ▁compromis- finals- ▁disciplin- ▁embarra- ▁empir- ▁bibl- perform- ▁submerge- rystal- ▁Roma- flakes- lgari- ▁apologis- ▁Jayde- ▁traumatise- akcik- ▁amaze- ▁agitate- ordinary- ▁occupie- ▁overprice- ▁fluctuat- ▁dilute- coast- fruit- collect- ▁horrifi- copy- stream- ▁demoraliz- quish- udrey- ▁constipat- ▁jumble- ambodia- ▁crook- stresses- sighted- Dogg- olution- urrender- tyrofoam- ▁impair- Buri- Escobar- Jetty- Showman- Shuttle- Tyson- ceased- aktor- ▁unexpect- Technical- Grill- Convenience- Future- Institute- Krunch- Schwarzenegger- Theatre- polished- Gabriel- antorini- Evan- Keane- Monster- ntegrated- Francisco- ▁deprive- ▁discriminat- ▁referenc- Kenny- Murder- Zhang- carriage- ▁Joan- ▁Skipp- ▁monogam- ▁prophec- Atwood- Stamford- ylvia- Akshay- Banyan- Virgin- linguistic- proportionate- founder- Music- buoy- evaluate- immortal- comparable- Jade- Miller- Friza- conditioned- innacle- Morrie- Waterway- conductor- crow- ndependence- Henry- Monkey- Nyonya- Shaw- monkeys- second- Shakespeare- catcher- organised- qualified- storage- Thomson- animate- executive- invent- starter- ▁rollerblad- ▁vacanc- Festival- Jordan- emphasis- frequent- settled- weekly- ▁Desire- college- factory- growth- organisation- profit- sentosa- Holland- Kampung- Laden- Nature- Seoul- Spirit- Tae- bridge- innocence- legend- village- Friday- Orchard- Sentosa- between- culture- decided- explore- popular- responsibility- romantic- square- studies- valuable- Great- blue- chicken- confirm- ▁cruis- akhon- album- driver- ▁regiment- Green- ▁Snoop- secondary- luckily- ppb- toast- ▁Galax- ▁demonstrat- ▁prioritiz- ▁savor- ▁vocabular- anuki- ▁voluntar- ▁temporar- heeps- ▁warehous- Gateway- ▁naught- ▁Whit- ▁itinerar- ▁ultimat- ▁ugl- Environment- ▁diverg- ▁wrestle- ▁leverag- large- cool- plus- hursday- ature- shiok- ▁Chuck- ▁sanitize- ▁suppo- ▁solemnise- usband- ▁Titani- ▁savour- chips- Paul- uesday- ▁sequential- ▁unintentional- Army- consult- ▁braise- ▁evident- ▁radical- death- dough- Comm- hicago- version- ranscendent- Mark- ropic- ▁blatant- ▁comparative- affle- Youth- rophecy- eepavali- oothpaste- welve- reserving- ▁consum- latoon- erfect- rofessor- athedral- ettol- husband- ▁Mobil- indly- ▁appetiz- iracle- ninety- erlion- urious- ragrance- flection- ▁Yog- Hyun- proper- ▁commercialise- dept- onjour- lower- rganic- ubilee- ustin- ▁delusion- ▁dysfunction- armony- dead- ulgogi- czema- lazer- utchers- xperiment- ynasty- inosaur- ▁ceter- ▁trembl- cessor- degrad- ▁misus- ▁blemish- suade- alloween- crastinating- ▁sunglass- polar- requisite- ▁evasi- ▁Project- aspberry- ▁associ- ▁pacif- wives- ▁demograph- edemption- ejection- ▁confisca- gregation- oomie- ▁Isabel- ▁Olymp- ▁satisfact- awyer- ▁pronunciat- ▁subsidiar- ▁subscript- ▁unpredictab- ngkok- ednesday- ▁challen- ▁esophag- luding- ▁typi- ▁activi- ▁arbitra- ▁opportuni- esarean- ▁transmit- eceived- ▁advan- ▁ponch- arlic- iatric- mplify- ▁Stef- ▁illumi- ▁luxuri- ▁Pontian- ▁reputa- '2'- ▁Kean- ▁Remains- cendant- rrifying- ▁desensiti- ▁jeopardi- Little- vasion- grudg- zumi- ▁Anytime- ▁Lantau- ▁Morris- ▁Niagara- ▁Preeti- ▁Qistina- ▁cerebral- ▁dhoby- ▁dysph- ▁perpetua- ckelodeon- grimage- icultural- ychology- ▁Analytic- ▁Moldov- ▁acclimat- ▁anthropolog- ▁hexagon- ▁implicit- ▁profess- ▁shrivel- ▁symphoni- '@'- Agency- Anthony- ArkBar- Atria- Brigg- Conven- Counselor- Dominique- Dracula- Effron- Fallon- Griffith- Jabba- Kinsella- Kukoh- Millionaire- Motoring- Movie- Mustachio- Mustafi- Noraini- Philipp- Regis- Robbie- Sandler- Sheares- SquarePants- Thunder- Tonic- acerbate- amgyetang- angelo- antiago- arijuana- cotta- cryptocurrencies- dchildren- deekap- dyssey- enocide- ifiable- itzer- neumonia- nspirasi- osophy- ptuous- resistible- rowana- rwegian- tête- ucerin- uddin- uhwait- umental- umentary- urgundy- ▁Abdillah- ▁Adaline- ▁Adawiyah- ▁Afghan- ▁Agnus- ▁Alfred- ▁Amirah- ▁Andorra- ▁Anglican- ▁Annalise- ▁Annyeong- ▁Applied- ▁Aravin- ▁Asmara- ▁Balenciaga- ▁Bhatoora- ▁Bibimbap- ▁BitCoin- ▁Blastoise- ▁Bleeding- ▁Boiling- ▁Bonnie- ▁Boomerang- ▁Botox- ;- .- '9'- 不- 代- 喊- 在- 沟- 钟- ','- '1'- '4'- '5'- '6'- '7'- '='- \\- à- 七- 么- 什- 们- 你- 分- 吃- 完- 样- 看- 要- 这- 苦- ê- é- '{'- init: chainerinput_size: nullctc_conf: ignore_nan_grad: truemodel_conf: ctc_weight: 0.3 lsm_weight: 0.1 length_normalized_loss: falseuse_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram20000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nullspeech_volume_normalize: nullrir_scp: nullrir_apply_prob: 1.0noise_scp: nullnoise_apply_prob: 1.0noise_db_range: '13_15'frontend: defaultfrontend_conf: fs: 16kspecaug: nullspecaug_conf: {}normalize: global_mvnnormalize_conf: stats_file: exp/asr_stats_raw_en_bpe20000/train/feats_stats.npzpreencoder: nullpreencoder_conf: {}encoder: transformerencoder_conf: input_layer: conv2d num_blocks: 12 linear_units: 2048 dropout_rate: 0.1 output_size: 256 attention_heads: 4 attention_dropout_rate: 0.0decoder: transformerdecoder_conf: input_layer: embed num_blocks: 6 linear_units: 2048 dropout_rate: 0.1required:- output_dir- token_listversion: 0.9.6distributed: trueLM configconfig: conf/train_lm.yamlprint_config: falselog_level: INFOdry_run: falseiterator_type: sequenceoutput_dir: exp/lm_train_lm_en_bpe20000ngpu: 1seed: 0num_workers: 1num_att_plot: 3dist_backend: nccldist_init_method: env://dist_world_size: 4dist_rank: 0local_rank: 0dist_master_addr: localhostdist_master_port: 57264dist_launcher: nullmultiprocessing_distributed: truecudnn_enabled: truecudnn_benchmark: falsecudnn_deterministic: truecollect_stats: falsewrite_collected_feats: falsemax_epoch: 20patience: 3val_scheduler_criterion:- valid- lossearly_stopping_criterion:- valid- loss- minbest_model_criterion:- - valid - loss - minkeep_nbest_models: 1grad_clip: 5.0grad_clip_type: 2.0grad_noise: falseaccum_grad: 1no_forward_run: falseresume: truetrain_dtype: float32use_amp: falselog_interval: nullunused_parameters: falseuse_tensorboard: trueuse_wandb: falsewandb_project: nullwandb_id: nullpretrain_path: nullinit_param: []freeze_param: []num_iters_per_epoch: nullbatch_size: 64valid_batch_size: nullbatch_bins: 1000000valid_batch_bins: nulltrain_shape_file:- exp/lm_stats_en_bpe20000/train/text_shape.bpevalid_shape_file:- exp/lm_stats_en_bpe20000/valid/text_shape.bpebatch_type: foldedvalid_batch_type: nullfold_length:- 150sort_in_batch: descendingsort_batch: descendingmultiple_iterator: falsechunk_length: 500chunk_shift_ratio: 0.5num_cache_chunks: 1024train_data_path_and_name_and_type:- - dump/raw/lm_train.txt - text - textvalid_data_path_and_name_and_type:- - dump/raw/dev/text - text - textallow_variable_data_keys: falsemax_cache_size: 0.0max_cache_fd: 32valid_max_cache_size: nulloptim: sgdoptim_conf: {}scheduler: nullscheduler_conf: {}token_list:- - - ▁I- ''''- ▁the- ▁you- ▁like- ']'- ▁[- s- ▁to- ▁that- ▁it- ▁is- ▁ya- ▁a- ▁and- ▁so- t- ▁then- ▁okay- ▁what- ▁of- ▁but- ▁uh- ▁know- ▁in- ▁one- ▁my- ▁don- ▁have- ▁they- ▁we- ▁no- ah- ▁not- ▁just- ▁for- lah- ▁think- ▁can- ▁there- oh- ▁do- ▁was- ▁this- ▁your- ▁right- ▁he- '-'- ▁are- ▁me- ▁go- ▁or- ▁be- ▁very- ▁if- ▁will- _- ▁on- ▁she- ▁how- m- ▁with- ▁want- ▁about- ▁because- ▁ppl- ▁all- ▁really- ▁when- ▁also- ▁time- ▁say- ▁at- ▁why- eh- ▁would- ▁um- ▁got- ▁mean- ▁see- ▁thing- ▁as- ▁actually- ▁people- ▁cause- ▁yes- ▁two- ▁now- ▁good- ▁more- ▁get- ▁ppo- ▁maybe- ▁ppb- ▁lot- ▁from- ▁up- ▁only- ▁her- ▁already- ▁kind- ▁out- ▁some- ▁something- re- ▁who- ▁them- ▁need- ▁where- ▁three- ▁let- ▁quite- ▁yeah- ▁most- ▁even- ▁talk- ▁never- ▁after- ▁did- ▁other- ▁still- ▁feel- ▁school- ▁eat- ▁which- ▁take- ▁Singapore- ▁should- ▁food- ▁cannot- ▁first- ▁back- ▁always- ▁life- ll- ▁same- ▁next- ▁things- ▁ask- ▁last- ▁come- ▁nice- ▁person- ▁make- ▁their- ▁were- ▁work- ▁didn- n- ▁our- ▁much- ▁wait- ▁too- ▁going- ▁went- ▁him- ▁five- ▁question- ▁<- ▁guess- ▁different- '>'- UNK- ▁give- ▁had- ▁way- ▁has- ▁tell- ▁by- ▁friend- ▁place- ▁his- ▁those- ▁well- ▁buy- ▁mine- ve- ▁before- ▁day- ▁four- ▁long- ▁love- ▁any- ▁look- ▁correct- ▁mm- ▁true- ▁money- ▁try- ▁bad- ▁play- ▁everything- ▁down- ▁best- ▁remember- ▁K- ▁stuff- ▁bit- ▁many- ▁us- ▁home- ▁been- ▁huh- ▁use- ▁put- ▁wah- ▁said- ▁guy- ▁here- my- ▁anything- ▁than- ▁doing- ▁year- ▁could- ▁house- ing- ▁friends- ▁sure- ▁find- leh- ▁an- ▁someone- ▁must- ▁gonna- ▁thought- ▁ten- ▁doesn- ▁watch- ▁keep- ▁another- ▁oh- ▁every- ▁point- ▁years- ▁call- ▁family- ▁old- ▁err- ▁better- lor- ▁won- god- orh- ▁man- ▁damn- ▁around- ▁name- ▁course- ▁favourite- ▁left- ▁talking- ▁top- ▁own- ▁turn- ▁girl- ▁into- ▁twenty- ▁am- ▁over- ▁sometimes- ▁start- ▁help- ▁whole- ▁these- ▁six- ▁wow- ▁shop- ▁again- ▁important- ▁mind- ▁probably- ▁blue- ▁big- ▁colour- ▁though- ▁part- ▁end- ▁does- ▁side- ▁parents- ▁read- ▁bring- ▁being- ▁red- ▁close- ▁new- ▁yea- ▁job- ▁ever- ▁hard- ▁nothing- ▁difference- ▁interesting- ▁else- ▁together- ▁car- ▁called- ▁whatever- ▁show- ▁white- ▁sorry- ▁change- ▁pay- ▁kids- ▁basically- ▁done- ▁seven- ▁free- ▁hundred- ▁learn- ▁green- ▁fun- ▁book- ▁told- ▁small- ▁off- ▁answer- d- ▁sign- ▁usually- ▁eight- ▁few- C- ▁open- ▁wanna- ▁mum- ▁chicken- ▁myself- ▁understand- ▁A- ▁means- ▁care- ▁both- ▁describe- ▁game- ▁once- ▁saying- ▁used- ▁teacher- ▁saw- ▁inside- ▁later- ▁happen- ▁C- ▁through- ▁date- ▁yourself- S- ▁stay- ▁looking- ▁movie- ▁dollars- ▁during- ▁move- ▁live- ▁until- ▁primary- ▁least- ▁nine- ▁wearing- ▁card- ▁thirty- ▁stop- ▁alright- ▁wanted- ▁trying- ▁Chinese- ▁each- ▁everyone- ▁having- ed- ▁example- ▁enough- ▁plus- ▁s- ▁haven- ▁cook- ▁working- ▁yup- ▁away- ▁spend- ▁expensive- ▁kid- ▁might- ▁secondary- ▁since- ▁sad- ▁whether- ▁night- ▁phone- ▁children- ▁water- ▁days- ▁study- ▁S- ▁enjoy- ▁young- meh- ▁fine- ▁super- ▁door- ▁class- ▁moment- ▁wrong- ▁drink- ▁second- ▁i- ▁came- ▁week- ▁thinking- ▁sense- ▁dog- ▁made- ▁getting- sia- ▁beside- ▁walk- ▁become- ▁happy- ▁world- ▁shit- ▁partner- ▁hand- ▁minutes- ▁choose- ▁scared- ▁ball- ▁word- T- ▁front- ▁half- ▁easy- ▁anyway- ▁- ▁hour- ▁P- ▁bro- ▁meet- ▁picture- ▁cool- ▁N- ▁fifty- ▁hours- ▁rice- ▁child- ▁country- ▁pretty- A- ▁worst- ▁guys- ▁brown- ▁far- ▁funny- ▁room- ▁little- y- ▁black- ▁normal- ▁English- ▁heard- e- what- ▁looks- ▁group- ▁experience- ▁sleep- ▁near- a- ▁table- ▁story- ▁conversation- ▁weird- ▁face- ▁today- ▁exactly- ▁definitely- ▁travel- ▁type- ▁boy- ▁especially- ▁Singaporean- ▁high- ▁rather- ▁real- ▁twelve- ▁T- ▁miss- ▁brother- ▁problem- ▁without- ▁believe- ▁generation- ▁while- ▁number- ▁O- ▁finish- ▁able- ▁says- ▁yet- ▁hair- ▁playing- ▁save- ▁everybody- ▁times- ▁such- ▁supposed- ▁die- ▁sit- ▁late- ▁yours- ▁run- ▁dad- ▁everyday- ▁age- ▁meal- ▁sell- ▁M- ▁yellow- loh- ▁break- ▁area- ▁queue- ▁married- ▁took- ▁coming- M- ▁mother- ▁fast- ▁eating- ▁certain- ▁wear- ▁plan- ▁leave- ▁month- ▁collect- ▁aiya- ▁topic- ▁fish- ▁Malay- ▁anymore- ▁makes- ▁teach- ▁honestly- ▁outside- c- ▁serious- ▁father- ▁started- ▁speak- ▁pass- ▁beach- ▁bought- ▁full- ▁share- ▁character- ▁hate- B- ▁dollar- P- ▁depends- ▁morning- ▁sister- ▁B- ▁J- ▁tried- ▁special- ▁send- ▁mmhmm- ▁future- r- ▁between- ▁idea- ▁cheap- ▁company- ▁music- ▁wife- ▁thousand- ▁lady- mah- ▁dream- ▁relationship- ▁short- ▁either- ▁recently- ▁list- ▁please- ▁tomorrow- ▁listen- ▁follow- ▁bus- o- ▁level- ▁difficult- ▁isn- ▁sometime- ▁check- ▁If- ▁drive- ▁great- ▁value- ▁continue- ▁past- ▁pick- ▁suddenly- ▁hear- ▁order- ▁forty- ▁business- ▁lesson- ▁hot- ▁personal- ▁cry- ▁light- ▁famous- ▁imagine- ▁matter- ▁shoes- ▁alone- ▁taste- ▁join- ▁confirm- ▁places- ▁nowadays- ▁eleven- ▁behind- ▁ppc- ▁moving- ▁less- ▁U- p- ▁may- ▁feeling- ▁ago- ▁using- ▁million- ▁books- ▁rest- ▁floor- ▁ice- ▁bottom- ▁single- ▁complain- ▁cut- ▁almost- ▁stupid- ▁crazy- ▁sitting- ▁cute- ▁favorite- ▁E- ▁forgot- ▁asking- ▁pink- D- ▁hope- ▁agree- R- ▁below- ▁reason- ▁risk- ▁shirt- ▁stress- ▁under- ly- ▁dinner- ▁unless- ▁percent- ▁deal- ▁goes- ▁trip- ▁hello- i- ▁nobody- ▁H- ▁coffee- ▁prefer- ▁taking- ▁months- ▁perfect- ▁instead- ▁pet- ▁biggest- ▁anyone- ▁fifteen- ▁circle- ▁clean- ▁poor- ▁D- ▁stand- ▁found- ▁yesterday- ▁games- ▁points- ▁cold- ▁poly- ▁students- ▁realise- ▁clothes- ▁heart- ▁god- ▁Malaysia- ▁grey- ▁comes- ▁seen- ▁taxi- ▁song- ▁thank- ▁push- ▁obviously- ▁team- ▁write- ▁somewhere- ▁t- ▁girlfriend- ▁younger- ▁tea- ▁head- ▁sounds- one- ▁reading- ▁student- ▁hawker- ▁middle- ▁line- ▁durian- ▁wake- ▁shopping- ▁towards- ▁body- h- ▁fail- ▁sing- ▁boring- ▁legit- ▁hold- ▁win- ▁test- ▁gone- ▁girls- ▁watching- ▁local- ▁paid- ▁marriage- ▁normally- ▁road- ▁third- ▁bucket- ▁cafe- I- ▁hungry- U- ▁worth- ▁bag- ▁older- ▁knew- ▁Singlish- ▁sweet- ▁train- ▁throw- ▁dark- ▁education- ▁early- ▁toilet- ▁simple- ▁uni- ▁tuition- ▁air- ▁restaurant- ▁honest- ▁living- ▁telling- ▁p- ▁price- ▁per- ▁Japan- ▁paper- ▁uncle- ▁minute- ▁itself- ▁terms- ▁overseas- hor- ▁driver- ▁o- ▁F- ▁set- ▁childhood- ▁words- G- ▁cards- ▁hmm- ▁brand- ▁grow- ▁reach- ▁choice- V- b- ▁scary- ▁main- ▁birthday- huh- ▁China- ▁cat- ▁career- ▁somebody- ▁along- O- ▁extra- u- ▁lunch- ▁hit- ▁lost- ▁subject- ▁exercise- ▁Korea- ▁hey- ▁parent- ▁add- ▁straight- E- ▁window- right- ▁chair- ▁explain- ▁sound- ▁soccer- ▁c- ▁online- ▁drama- ▁making- ▁culture- ▁fight- ▁k- ▁literally- ▁related- ▁latest- ▁interest- ▁felt- ▁human- ▁blah- ▁cream- ▁apparently- ▁G- er- ▁tired- ▁kinda- ▁studying- ▁earn- ▁suppose- ▁bird- ▁drop- ▁fried- ▁count- ▁holding- ▁m- ▁recess- ▁dating- ▁n- ▁forget- ▁sixty- ▁movies- ▁R- ▁catch- ▁baby- ▁color- ▁smart- ▁shoe- v- ▁teh- ▁success- ▁fact- ▁embarrassing- ▁pants- ▁countries- ▁dish- ▁Indian- ▁sports- ▁shows- ▁egg- ▁mostly- ▁rich- ▁chance- ▁Korean- ▁piece- ▁truly- ▁elderly- ▁soon- ▁social- ▁Singaporeans- ▁sort- ▁meaningful- ▁general- ▁angry- ▁shack- ▁club- ▁cooking- ▁seat- ▁clear- ▁lose- ▁photo- ▁hi- ▁busy- ▁period- ▁non- ▁fair- ▁dude- ▁questions- ▁running- ▁memorable- ▁holiday- ▁item- ▁leg- ▁system- ▁un- ▁bar- ▁interested- ▁touch- ▁sea- ▁couple- ▁zero- ▁self- ▁planning- ▁post- ▁video- ▁dead- ▁ex- ▁park- ▁totally- ▁hall- ▁store- ▁weekend- ▁building- ▁loud- ▁happiest- ▁milk- ▁trust- ▁chill- ▁lobang- L- ▁common- ▁fit- ▁board- ▁cost- ▁brought- ▁case- ▁laugh- ▁situation- ▁skin- ▁power- ▁re- ▁friendship- ▁f- ▁consider- ▁fat- ▁wish- ▁fall- ▁wash- ▁event- ▁soup- ▁woman- ▁willing- ▁sec- gosh- ▁Grab- ▁faster- ▁voice- ▁L- ▁trait- ▁dance- ▁differences- ▁entire- ▁effort- ▁science- ▁waste- ▁strong- ▁meat- ▁awkward- ▁specific- ▁exam- ▁current- ▁husband- ▁son- ▁seems- ▁visit- F- ▁box- ▁centre- ▁skip- ▁expect- ▁fire- ▁draw- ▁hero- ▁teachers- ▁whenever- ▁amount- ▁often- ▁kill- ▁Japanese- ▁boyfriend- ▁space- ▁support- ▁wise- ▁kay- ▁army- ▁ready- ▁giving- ▁tree- ▁art- ▁hobby- ▁swimming- ▁shoot- ▁football- ▁comfortable- ▁jump- ▁easier- ▁control- ▁public- ▁cake- ▁low- ▁spot- ▁gym- ▁search- ▁weeks- ▁walking- ▁lazy- ▁learning- ▁speaking- ▁carry- ▁orange- ▁similar- ▁soft- ▁pets- ▁seriously- ▁health- ▁World- ▁standing- ▁compared- ▁gave- ▁bake- ▁anywhere- ▁ninety- ▁ate- ▁Friday- l- ▁New- ▁Paul- ▁socks- ▁facing- ▁view- g- ▁worry- ▁apply- ▁ability- ▁based- ▁message- ▁fly- ▁huge- ▁season- ▁bed- ▁taken- ▁lucky- ▁freaking- ▁return- ▁hell- ▁computer- ▁tend- ▁smoke- ▁others- ▁aiyo- ▁relax- ▁energy- ▁hub- ▁waiting- ▁mix- ▁daughter- ▁bottle- ▁meaning- ▁corner- ▁sick- ▁office- ▁term- f- ▁sheep- ▁sauce- ▁size- ▁city- ▁driving- ▁currently- ▁cheaper- ▁eyes- ▁crab- ▁boss- wah- ▁hang- ▁safe- ▁step- ▁advice- ▁eighty- ▁happened- ▁match- ▁deep- ▁particular- ▁impression- ▁shall- ▁pull- ▁bread- ▁possible- ▁round- ▁comfort- ▁blind- ▁ride- ▁kampung- ▁meeting- ▁wine- ▁staying- ▁internship- ▁seventeen- ▁stall- ▁longer- ▁watched- al- ▁higher- ▁training- ▁remembered- ▁Sunday- ▁signboard- ▁closest- ▁wonder- ▁project- ▁fan- ▁caught- ▁government- ▁form- ▁tough- ▁Google- ▁everywhere- ▁healthy- ▁build- ▁trend- ▁cheese- ▁hat- uh- ▁vegetable- nah- ▁within- ▁slowly- ▁market- ▁block- ▁Saturday- ▁hotel- ▁technology- ▁machine- ▁craziest- ▁whereby- ▁selling- ▁math- ▁Australia- ▁makeup- ▁sand- ▁although- ▁works- ▁mention- ▁weather- ▁Hong- ▁manage- ▁afraid- K- ▁bike- ▁easily- ▁above- ▁alive- ▁listening- ▁respect- ▁mouth- ▁eventually- ▁feelings- ▁worse- ▁smell- ▁dress- ▁party- ▁language- ▁quiet- ▁chocolate- ▁possession- ▁seventy- ▁exams- ▁tray- ▁sun- ▁amazing- ▁mom- ▁e- ▁basic- ▁songs- ▁forward- ▁cap- ▁rock- ▁splurge- ▁stick- ▁busybody- ▁define- ▁woah- ▁act- ▁b- ▁contact- ▁issue- ▁potato- ▁studies- ▁fishing- ▁empty- ▁treat- ▁sleeping- ▁decide- ▁grandfather- ▁bigger- ▁previous- ▁asked- ▁cover- ▁classes- ▁d- ▁jobs- ▁kidding- ▁slow- ▁properly- ▁con- ▁laptop- ▁balance- ▁shark- ▁everytime- ▁X- ▁met- ▁base- ▁opposite- ▁canteen- ▁design- ▁random- ▁cousin- ▁happens- ▁hands- ▁given- ▁w- ▁pain- ▁focus- ▁proper- ▁y- ▁travelling- ▁degree- ▁flying- ▁missing- ▁police- ▁total- ▁j- ▁fourteen- ▁hated- ▁chores- ▁acronym- ▁accept- ▁dry- ▁transport- ▁Taiwan- ▁stage- and- ▁Facebook- ▁h- ▁center- ▁neighbours- ▁further- ▁breakfast- ▁doctor- ▁mic- ▁band- ▁cars- ▁Monday- ▁walao- ▁nearby- ▁decided- J- ▁siblings- ▁standard- ▁except- ▁activity- ▁quality- ▁themselves- ▁romantic- ▁spicy- ▁till- ▁ghost- ▁bank- ▁lie- ▁rent- ▁fake- ▁saddest- ▁stresses- ▁feels- ▁eye- ▁fear- ▁style- ▁text- ▁happening- ▁handle- ▁tiring- ▁considered- ▁wedding- ▁fresh- clock- ▁kopi- ▁eaten- ▁nope- ▁equal- ▁beautiful- ▁became- ▁bee- ▁environment- ▁inspiring- ▁history- ▁g- ▁shape- ▁maths- ▁escape- ▁purple- ▁annoying- ▁peach- ▁somehow- ▁pie- ▁drinking- ▁compare- ▁natural- ▁drinks- ▁names- ▁East- ▁motto- ▁dislike- ▁flat- ▁closer- ▁positive- ▁Instagram- ▁double- ▁sixteen- ▁concert- ▁Thailand- ▁paying- ▁seeing- ▁camp- ▁neighbour- ▁grandma- ▁boat- ha- ▁earlier- ▁private- ▁react- ▁gold- ▁interview- ▁express- ▁charge- ▁pictures- ▁auntie- ▁timing- ▁curry- ▁friendly- ▁aspect- ▁oil- ▁popular- ▁stories- ▁mee- ▁service- ▁nevermind- ▁growing- ▁mark- ▁learnt- ▁offer- ▁phrase- ▁brain- ▁talent- ▁nineteen- ▁eighteen- ▁cross- ▁field- ▁physical- ▁technically- ▁serve- ▁thirteen- ▁ma- ▁realize- ▁admire- ▁exchange- ▁born- ▁helping- ▁usual- ▁pool- ▁settle- ▁thanks- ▁played- ▁umbrella- ▁nature- ▁valued- ▁differently- ▁fault- ▁buffet- ▁sh- ▁position- ▁account- ▁u- ▁regret- ▁buying- ▁against- ▁laughing- ▁broke- ▁lame- ▁died- ▁noodles- ▁film- ▁YouTube- ▁iPhone- ▁news- ▁dogs- ▁pro- ▁agency- ▁library- ▁hopefully- levels- ▁sugar- ▁track- ▁radio- ▁North- ▁net- ▁negative- ▁horror- ▁kitchen- ▁society- ▁boys- ▁prata- ▁street- ▁problems- ▁reply- ▁l- ▁role- ▁session- ▁birds- ▁durians- ▁star- ▁action- ▁besides- ▁taught- ▁pair- ▁crowd- ▁grab- ▁wide- ▁starting- ▁noodle- ▁louder- ▁lower- ▁awhile- ▁sport- ▁scold- ▁appreciate- ▁ground- ▁recent- ▁Tom- ▁anybody- ▁generally- ▁shorts- ▁crowded- ▁irritates- ▁photos- ▁cents- ▁wall- ▁lives- ▁homework- ▁Cup- ▁actual- ▁female- ▁chore- ▁teaching- ▁quit- ▁himself- ▁twice- ▁pack- ▁lead- ▁enter- ▁neighbourhood- ▁notice- ▁anyways- ▁joke- ▁bear- ▁plastic- ▁license- ▁bowl- ▁stinge- ▁pop- ▁dare- ▁harder- ▁prepare- ▁legs- ▁kia- ▁finding- ▁research- ▁goal- ▁roll- ▁December- ▁tennis- ▁bin- ▁skills- ▁lessons- ▁Europe- ▁ahead- ▁product- ▁rude- ▁kept- ▁minus- ▁kena- ▁direction- ▁rate- ▁playground- ▁grandmother- ▁university- ▁Mister- ▁stuck- ▁personally- ▁pasta- ▁passed- ▁burn- ▁de- ▁survive- Kong- ▁rubbish- ▁beef- ▁Asian- ▁knowledge- ▁Hokkien- ▁gap- ▁achieve- ▁bo- ▁Orchard- ▁memory- ▁putting- es- ▁McDonald- ▁cup- ▁procrastinating- ▁version- ▁recording- 'on'- ▁create- ▁model- ▁force- ▁depend- ▁opportunity- ▁sushi- ▁swim- ▁station- ▁media- ▁dishes- ▁personality- ▁shut- ▁shift- k- ▁climb- ▁ways- ▁ha- ▁needs- ▁holidays- ▁plate- ▁bye- ▁topics- ▁nasi- ▁brands- level- ▁title- ▁blood- ▁successful- ▁afford- ▁basketball- ▁hurt- ▁across- ▁dirty- ▁forever- ▁none- ▁key- ▁invest- ▁opinion- ▁land- ▁accomplish- ▁aunty- ▁farm- ▁traditional- ▁toy- ▁snack- ▁ticket- ▁fruit- ▁financial- ▁dabao- ▁Thai- ▁peng- ▁improve- ▁Sentosa- ▁fell- ▁Netflix- ▁religion- ▁weight- ▁breaker- ▁background- ▁handphone- ▁inspire- in- ▁activities- ▁seafood- ▁bored- ▁finally- ▁pre- ▁loyal- ▁changing- ▁chilli- ▁trouble- ▁episode- ▁average- ▁terrible- ▁roof- ▁sem- ▁law- ▁glass- ▁heavy- ▁slightly- ▁fries- ▁town- ▁lines- N- ▁address- ▁rare- ▁animal- ▁chat- ▁lift- ▁Indonesia- ▁apart- ▁ulu- ▁bother- ▁press- ▁industry- ▁race- ▁cleaning- ▁present- ▁feet- ▁shine- ▁issues- ▁maker- ▁Bill- ▁process- ▁excuse- ▁honey- ▁pharmacy- ▁cried- ▁passion- ▁app- ▁island- ▁spending- ▁thick- ▁memories- ▁raw- ▁duck- ▁r- ▁ended- ▁V- ▁shuffle- ▁fashion- ▁suit- ▁Tai- ▁kick- ▁Tampines- ▁skincare- ▁mini- ▁burger- ▁allow- able- ▁cash- ▁airport- ▁Changi- ▁nickname- ▁chillax- ▁Bedok- ▁items- ▁shock- ▁divide- ▁writing- ▁mindset- ▁rain- ▁sale- Y- ▁devote- ▁dangerous- ▁bowling- ▁Wednesday- ▁purpose- ▁stun- ▁singing- ▁church- ▁salary- ▁supper- ▁aunties- ▁sian- ▁artist- ▁cycle- ▁explore- ▁changed- ▁India- ▁beer- ▁competition- ▁er- ▁tour- ▁maintain- ▁identify- ▁internet- ▁similarity- ▁mid- ▁throughout- ▁fruits- ▁com- ▁attention- ▁death- ▁aircon- ▁skill- ▁page- ▁goals- ▁trash- ▁volleyball- ▁split- ▁due- ▁stressful- ▁boxes- ▁remind- ▁dustbin- ▁deck- ▁actor- ▁known- up- ▁release- ▁Vietnam- ▁juice- ▁treasure- an- ▁Sue- ▁hanging- ▁catching- ▁ship- ▁bubble- ▁gain- ▁surprise- ▁record- ▁pizza- ▁speed- ▁sky- ▁tonight- ▁washing- H- ▁toys- ▁rush- ▁raise- ▁shared- the- ▁graduate- ▁fourth- ▁score- ▁lao- ▁pray- ▁co- ▁complete- ▁afternoon- ▁series- ▁sock- ▁knowing- ▁steak- ▁written- ▁dying- ▁hide- ▁north- ▁ye- ▁stripe- ▁sibling- ▁avoid- ▁mountain- ▁stable- ▁daily- ▁weekends- ▁grass- ▁Ah- ▁fix- or- ▁state- ▁cent- ▁politics- ▁flag- ▁Joe- ▁convenient- ▁speech- ▁assume- ▁ugh- ▁halfway- ▁surprised- ▁Tuesday- ▁beat- ▁horrible- ▁sandcastle- ▁perhaps- ▁ugly- ▁information- ▁pig- ▁grade- ▁closed- ▁relate- ▁Bangkok- ▁perspective- ▁golf- ▁Megan- ▁path- ▁judge- ▁accent- ▁stone- ▁bush- ▁events- ▁western- ▁videos- ▁fighting- ▁flight- ▁court- ▁sales- ▁Y- ic- ▁wave- ▁arts- ▁pronounce- ▁invite- ▁proud- ▁player- ▁allowed- ▁goodness- ▁mistake- ▁Ang- ▁scene- ▁note- God- ▁lamp- ▁ourselves- ▁yoga- ▁Harry- ▁wind- ▁heck- ▁cab- ▁master- ▁chiong- ▁pressure- ▁practice- ▁income- ▁Thursday- ▁Jurong- ▁testing- ▁attack- ▁pointing- ▁cats- ▁link- ▁Jack- ▁diploma- ▁worries- ▁semester- ▁safety- ▁woke- ▁Man- ▁shocked- ▁zoo- ▁th- ▁birth- ▁results- ▁tables- ▁development- ▁salt- ▁engineering- ▁fully- ▁letter- ▁bicycle- ▁concept- ▁camera- ▁strange- ▁understanding- ▁animals- ▁discuss- ▁typical- ▁Christmas- ▁unique- ▁condo- ▁yep- ▁Park- ▁parts- ▁onto- ▁products- ▁nose- ▁seem- ▁ring- ▁result- ▁stomach- ▁herself- ▁spent- ▁winter- ▁male- ▁jumping- ▁rocks- ▁grades- ▁flowers- ▁cuisine- ▁habit- ▁budget- ▁casino- ▁community- ▁Year- ar- ▁challenge- ▁feed- ▁Punggol- ▁nonsense- ▁distance- ▁baking- ▁realised- ▁players- en- ▁nicknames- ▁wood- ▁moral- ▁recommend- ▁mood- ▁destress- ▁hospital- ▁tall- ▁ending- ▁badly- ▁chairs- ▁calling- ness- ▁clique- ▁la- ▁click- ▁ideal- ▁porridge- ▁original- ▁Ben- ▁lesser- ▁mall- ▁restaurants- ▁material- ▁National- ▁bikini- ▁smoking- ▁pork- ▁pause- ▁cutting- ▁provide- ▁figure- ▁variety- ▁American- ▁afterwards- ▁donate- ▁preserve- ▁affect- ▁according- ▁London- ▁Yishun- ▁freedom- ▁sensitive- ▁women- ▁shiok- ▁entertainment- ▁disgusting- ▁slash- ▁charity- ▁cycling- ▁dumb- ▁John- ▁kaypoh- ▁obvious- ▁suck- ▁dramas- ▁talked- ▁cheat- ▁channel- ▁discipline- ▁kaypo- ▁transfer- ▁Batam- ▁grew- ▁location- ▁newspaper- ▁smaller- ▁guide- ▁strict- ▁badminton- ▁indeed- ▁mask- ▁loved- ▁plane- ▁Chinatown- ▁drunk- ▁seldom- ▁knock- ▁sweeping- ▁colleague- ▁lol- ▁Woodlands- ▁enroll- ▁major- ▁seahorse- ▁final- ▁tattoo- ▁nicer- ▁chemistry- ▁lying- ▁potatoes- ▁elaborate- ▁designer- ▁previously- ▁preserved- ▁adult- ▁following- ▁takes- ▁bite- ▁repeat- ▁contract- ▁attitude- ▁curious- ▁nua- ▁program- ▁values- ▁falling- ▁genre- ▁pear- ▁trees- ▁quick- ▁Marina- ▁data- ▁pee- ▁Lee- ▁crying- ▁uncles- Q- ▁stickers- ▁report- ▁aunt- ▁extent- ▁happiness- ▁lifestyle- ▁sharing- ▁plain- ▁slippers- ▁decision- ▁customer- ▁warm- ▁pushing- ▁ran- ▁flow- ▁screen- ▁celebrate- ▁smile- ▁vision- ▁marry- ▁anyhow- ▁completely- ▁acting- ▁yay- ▁balls- ▁national- ▁Toa- ▁satay- ▁seesaw- ▁volunteer- ▁concern- ▁shower- ▁sticker- ▁shot- ▁direct- ▁swear- ▁cage- ▁Bali- ▁quickly- ▁physics- ▁square- ▁wheel- ▁areas- ▁intern- ▁gai- est- ▁luck- ▁confident- ▁security- ▁property- ▁useful- ▁received- ▁mainly- ▁raining- ▁stressed- ▁finished- ▁modern- ▁stamps- ▁batch- ▁America- ▁schedule- ▁bench- ▁hobbies- ▁literary- ▁noisy- ▁banana- ▁losing- ▁excited- ▁wallet- ▁suay- ▁dear- ▁salted- ▁stack- ▁maid- ▁se- ▁heng- ▁helps- ▁perform- ▁bringing- ▁exact- ▁alamak- ▁available- ▁gaming- ▁wooden- ▁management- ▁destresses- ▁Kim- ▁managed- ▁exist- ▁sack- ▁arm- ▁cooked- ▁courses- w- ▁lock- ▁blame- ▁practical- ▁truth- ▁Science- ▁uniform- ▁manager- ▁liked- ▁module- ▁receive- ▁recall- ▁sucks- ▁staff- ▁worried- ▁mummy- ▁characters- ▁solve- ▁buddy- Guni- mee- ▁Asia- ▁lecture- ▁tourist- ▁members- ▁grand- Bay- ▁Karang- Cup- ▁blonde- ▁strength- la- ▁disturb- ▁deserve- ▁South- ▁opening- ▁milo- ▁shore- ▁tower- ▁ear- ▁stayed- ▁accident- ▁dessert- ▁saving- ▁singer- ▁mala- W- Payoh- ▁familiar- ▁significant- ▁Pokemon- ▁thin- ▁jio- ▁fitness- ▁among- ▁king- ▁investment- ▁member- ▁influence- ▁needed- ▁shout- ion- ▁wrote- ▁filled- ▁pure- ▁covered- ▁mess- ▁butter- ▁plans- ▁cloth- ▁fill- ▁necessary- ▁skirt- ▁Day- ▁limit- ▁benefit- ▁fella- ▁email- ▁pin- ▁copy- ▁impact- ▁political- ▁emotional- ▁powder- ▁shovel- j- ▁Starbucks- ▁becomes- ▁spirit- ▁flavour- ▁cheek- ▁patient- ▁finger- ▁poster- ▁cloud- ▁develop- ▁progress- ▁remove- ▁auto- ▁guest- ▁useless- ▁whereas- ▁bags- ▁sold- ▁theory- ▁packet- ▁album- ▁arrow- ▁Mee- ▁significance- ▁earth- ▁cher- ▁gotta- ▁limited- ▁shy- ▁whose- le- ▁carrying- ▁war- ya- ▁mo- ▁magic- Seng- ▁stopped- ▁diving- ▁prepared- ▁kicking- ▁rose- ▁apple- ▁lobster- ▁flower- ▁wheels- ▁dreams- ▁shelter- ▁religious- ▁Hougang- ▁humble- ▁bunch- ▁medical- ▁gotten- ▁showing- Mo- ▁lights- ▁prawn- ▁seats- ▁paste- ▁frame- ▁uncomfortable- ▁responsibility- ▁Milo- ▁menu- ▁tank- ▁roller- ▁ok- ▁barbecue- ▁sent- ▁grandparents- ▁tight- ▁tiger- ▁prison- ▁range- ▁creative- ▁Serangoon- ▁valuable- ▁ramen- ▁dragon- ▁tickets- ▁mode- ▁aside- ▁performance- ▁pieces- ▁secret- ▁download- ▁target- Coast- ▁doubt- ▁peace- ▁salmon- ▁communicate- ▁lab- ▁Nasi- ▁gross- ▁whoever- ▁otherwise- ▁marketing- ▁guitar- ▁windows- ▁flip- ▁code- ▁drawing- ▁comment- ▁foot- ▁careful- ▁sambal- ▁massage- ▁piano- ▁mentioned- ▁marks- ▁shooting- ▁collected- ▁clearing- ▁gift- ▁commitment- ▁robot- ▁option- ▁hole- ▁carrot- ▁switch- ▁Western- ▁musical- ▁minimum- ▁vegetarian- ▁fellow- ▁Teddy- ▁zone- ▁holy- ▁extend- ting- ▁changes- ▁individual- ish- ra- ▁senior- ▁men- Park- ▁ridiculous- ▁controversial- ▁attached- ▁collection- ▁anytime- ▁October- ▁moments- ▁doors- ▁heat- ▁da- ▁dates- ▁visitors- ▁spoil- ▁vegetables- ▁yo- ▁ignore- ▁approach- ▁independent- ▁quarter- ▁chase- ▁rabbit- ▁tractor- ▁wh- ▁eggs- ▁setting- ▁row- ▁gossip- ▁introduce- ▁karang- ▁Kallang- ▁Tinder- ▁companies- ▁jacket- ▁handsome- ▁sake- ▁immediately- ▁annoyed- ▁upset- ▁owner- ▁wasted- ▁bucks- ▁towel- ▁dialect- ▁aware- ▁traffic- ▁families- ▁portion- ▁playlist- ▁rarely- ▁mad- ▁char- ▁Malaysian- ▁thingy- ▁pins- ▁rank- ▁interact- ▁mature- ▁bonus- ▁cancel- ▁leaving- ▁fifth- ▁Bukit- ▁pole- ation- ▁speaker- ▁coach- ▁kindergarten- ▁tongue- ▁peaches- ▁delivery- ▁salty- ▁caring- ie- ▁expected- ▁weak- ies- ▁attend- ▁fry- Kio- ▁sex- ▁September- ▁sergeant- ▁basis- ▁evil- ▁signage- ▁highest- ▁wherever- ▁James- of- ▁soul- ▁oral- ▁downstairs- ▁tap- ▁nicely- ▁notes- ▁W- ▁firstly- ▁enjoying- ▁website- ▁snake- ▁seagull- ▁sweat- ▁App- ▁competitive- ▁maintenance- ▁Geylang- ▁summer- ▁liao- ▁foundation- ▁bio- ▁clearly- ▁nearer- ▁wa- goodness- ▁mental- ▁regular- ▁karaoke- ▁passport- ▁medicine- ▁Club- ▁hiking- ▁ego- ▁reality- ▁bright- man- ▁sat- ▁humans- ▁touching- ▁discount- ers- ▁gay- ▁tissue- ▁loan- ▁quarrel- ▁separate- lemak- Mee- ▁asleep- ▁celebrity- ▁exciting- ▁literature- ▁Pasir- ▁nearest- ▁snacks- ▁complaining- ▁dive- ▁erm- ▁hire- ▁matters- ▁crash- time- ▁pot- ▁sentence- ▁promotion- ▁drool- ▁chop- ▁French- ▁village- ▁depression- ▁priority- ▁Tamil- ▁scenery- ▁dropping- ▁Shore- ▁chips- ▁active- ▁inspired- ▁gosh- ▁phones- ▁moved- ▁instructor- ▁Muslim- ▁Africa- ▁Bear- ▁spice- ▁exhibition- ▁bak- ▁shellfish- ▁affordable- ▁Poly- ▁Joel- ▁rental- ka- ▁noise- ▁gun- ▁sleeve- ▁essay- ▁lack- ▁large- ▁Bugis- ▁exercising- ▁fantastic- ▁facial- ▁chef- ▁cartoon- ▁enjoyable- ▁ee- ▁tag- ▁mixed- ▁tone- ▁broken- ▁pearl- ▁button- ▁flags- ▁origin- ▁keeping- ▁mod- ▁aren- ▁spread- ▁teleport- ▁package- ▁bets- ▁context- ▁mutton- ▁river- ▁tech- ▁Bishan- ▁specifically- ▁painful- ▁earning- ▁drag- ▁incident- ▁condition- ▁stretch- ▁screw- ▁leader- ▁credit- ▁extreme- ▁dancing- ▁journey- ▁neighborhood- ▁involved- ▁City- ▁jam- ▁oily- ▁painting- ▁smelly- ▁failed- ▁commit- ▁floors- ▁apps- ▁display- ▁paint- ▁upgrade- ▁pace- ▁increase- ▁enrichment- ▁Apple- ▁travelled- ▁vehicle- ▁naturally- ▁shouting- ▁content- ▁kiss- ▁reasons- ▁magical- ▁metal- ▁colleagues- ▁castle- ▁borrow- ▁route- ▁shake- ▁volume- ▁sir- ▁jeans- ▁counted- ▁ch- ▁hardly- ▁cert- ▁starts- ▁dis- ▁print- ▁tax- ▁garden- ▁looked- ▁bond- ▁max- ▁access- ▁Uniqlo- ▁definition- ▁delicious- ▁glad- ▁versus- ▁booth- ▁presentation- ▁Germany- ▁built- ▁festival- ▁symbol- ▁sum- ▁ideas- ▁sells- ▁Jia- ▁evening- ▁snow- ▁technical- ▁Paris- ▁beauty- ▁medium- ▁naughty- ▁physically- ▁failure- ▁elder- ▁slide- ▁hunt- ▁bean- ▁pour- Potter- ▁department- ▁alcohol- ▁bridge- ▁inner- ▁purposely- ▁affected- ▁upper- ▁sacrifice- ▁tie- ▁label- ▁theme- ▁ka- ▁pill- ▁lit- ▁ne- ▁retire- ▁international- ▁lonely- ▁unbelievable- ▁routine- ▁precisely- ▁section- ▁boil- ▁selfish- ▁directly- ▁bao- ▁Kai- ▁financially- ▁fishes- ▁swing- ▁solo- ▁conversations- ▁symbols- ▁suffer- ▁scream- ▁pretend- ▁keeps- ▁relationships- ▁structure- ▁prevent- ▁east- ▁shops- ▁WhatsApp- ▁argue- ▁craving- ▁irritating- ▁resume- ▁studied- ▁cruise- ▁initially- ▁pocket- ▁lean- ▁promise- ▁remain- ▁communication- ▁height- ▁cigarette- ▁options- ▁grown- ▁plum- all- guni- ▁tick- ▁bomb- ▁cancer- ▁Sembawang- ▁casual- ▁potential- ▁stunned- ▁skinny- ▁anime- ▁joy- ▁host- ri- ▁trade- ▁hamster- ▁wondering- ▁map- ▁pen- ▁modules- ▁crowds- ▁scratch- ▁Malacca- ▁impossible- ▁insurance- ▁lamb- ▁multiple- ▁ladies- ▁France- ▁horse- ▁types- ▁stock- ▁belt- ▁sis- ▁source- ▁Math- ▁stamp- ▁bill- ▁worked- ▁sheet- ▁upon- ▁Philippines- ▁answered- ▁lip- ▁resources- ▁actors- ▁stars- ment- ▁reject- ▁contribute- ▁manual- ▁Marvel- ▁insane- ▁opportunities- ▁picnic- ▁upgrading- ▁psychology- ▁industrial- ▁betting- ▁peak- ▁forced- ▁sour- ▁intrigues- to- ▁steam- ▁preference- ▁mooncake- ▁mobile- ▁oven- ▁House- ▁messy- ▁bonding- ma- ▁Kong- ▁depending- ▁steps- ▁cinema- ▁scare- ▁recipe- ▁turns- ▁enjoyed- ▁drives- ▁minded- ▁exercises- ▁forest- ▁pills- ▁cousins- ▁cockroach- ▁Adam- ▁November- ▁awesome- ▁forecast- ▁January- ▁fierce- ▁simply- ▁nowhere- ▁giam- ▁Jay- ry- ▁academic- ▁outdoor- ▁rule- ▁calm- ▁ingredients- ▁strike- ▁including- ▁phase- ▁vending- ▁fridge- ▁confidence- ▁daddy- ▁fixed- ▁counter- ▁rushing- ▁connect- ▁appear- ▁yeap- ▁groups- ▁sandals- ▁savings- ▁aim- ▁stare- ▁float- ▁foreign- ▁Crazy- ▁wrap- ▁jialat- ▁unhealthy- ▁banner- ▁chalet- ▁platform- ▁mentality- ▁toxic- ▁mountains- ▁argument- ▁crap- ▁buildings- ▁woo- ▁wing- ▁stairs- ▁prove- ▁considering- ▁carrots- ▁meals- na- ▁plant- ▁dig- ▁likely- ▁fans- ▁spell- ▁Liverpool- ▁assuming- ▁mystery- ▁necessarily- ▁dealbreaker- ▁Chicken- ▁Uber- ▁winning- is- ▁scissors- ▁di- ▁shade- us- ▁influencer- ▁factor- ▁al- te- Yi- ▁monitor- ▁fuck- ▁loving- ▁maximum- ▁smiling- ▁classroom- ▁briyani- ▁glasses- ▁moon- ▁details- ▁climbing- ▁letters- ▁wipe- ▁museum- ▁seashell- ▁adults- ▁freak- ▁steal- ▁smooth- ▁introvert- ▁brush- ▁beyond- ▁laundry- ▁pepper- ▁podcast- ▁WiFi- ▁applied- ▁hardworking- ▁roughly- ▁golden- ▁studio- ▁tiny- ▁van- ▁mop- ▁status- ▁tent- ▁added- shirt- ▁estate- ▁panel- ▁bone- ▁gas- ▁tips- ▁sweep- ▁encourage- ng- teow- ▁decent- ▁strawberry- ▁therefore- ▁watermelon- ▁Kampung- ▁edition- ▁shag- ▁curly- ▁scan- ▁emotionally- ▁expecting- ▁Sam- ▁magazine- ▁musician- ▁clothing- ▁iron- ▁wings- ▁Sing- ▁li- ▁valid- ▁basket- ▁intense- ▁plot- ▁welcome- ▁fence- ▁laksa- ▁romance- ▁Spirit- ▁slept- ▁loyalty- ▁surprisingly- ▁bang- ▁string- ▁bitter- ▁numbers- ▁atas- ▁capital- ▁bottles- ▁flats- ▁straw- ▁quote- ▁stripes- ▁picking- ▁colours- ▁grill- ▁spoke- ▁shell- th- ▁advance- goreng- ▁Venom- ▁silent- ▁surgery- ▁kiasu- ▁apartment- ▁suitable- ▁landed- ▁seconds- ▁honesty- Gates- ▁knee- ▁finance- ▁fee- ▁shoulder- ▁produce- ▁recognise- ▁joking- ▁instant- ▁Dubai- ▁enemy- ▁queuing- ▁Pasar- ▁gender- ▁Paya- ▁disappointed- ▁herbal- ▁formal- ▁chili- ▁scolded- ▁drugs- ▁throwing- ▁Christian- ▁drivers- ▁assignment- ▁director- ▁vibe- ▁collecting- ▁peeve- ▁specs- ▁wasting- ▁rules- ▁professional- ▁actress- ▁conscious- ▁neutral- ▁burden- ▁silence- ▁troublesome- ▁south- ▁toothpaste- ▁halal- ▁accidentally- ▁reaction- pop- ▁gate- ▁clock- el- ▁ang- ▁kai- ▁folks- ▁supermarket- ▁task- ▁hearing- ▁equipment- ▁classmate- ▁subjects- ▁degrees- Ma- ▁crush- ▁migrate- ▁divorce- ▁efficient- ▁sudden- ▁Agnes- ▁drove- ▁threw- ▁responsible- ▁wild- ▁workplace- ▁era- ▁One- ▁chain- ▁wonderful- ▁dust- ▁graduated- ▁created- ▁sofa- ▁stream- ▁crime- ▁experiment- ▁article- ▁Mac- ▁legal- ▁en- ▁deliver- ▁le- ▁heartlands- ▁Phuket- ▁burst- ▁combination- ▁hopscotch- ▁procrastinate- ▁survey- ▁hurry- ▁beginning- ▁warehouse- ▁logo- ▁West- ▁invisible- ▁becoming- ▁toner- ▁toes- ▁protect- ▁Hari- ▁advise- ▁seek- ▁lane- ▁benefits- ▁outlet- ▁fees- ▁pe- ▁intend- ▁adopt- ▁chose- ▁promote- ▁nah- ▁squeeze- ▁jealous- ▁jungle- ▁submit- ▁motorbike- ▁silver- ▁welfare- ▁babe- ▁bungee- ▁teeth- ▁pail- ▁European- ▁helpful- ▁convert- ▁comedy- ▁randomly- ▁overall- ▁west- ▁relaxing- ▁missed- ▁fin- ▁kite- ▁fats- by- ▁Jun- ▁genres- ▁vacuum- ▁bully- ▁peas- Lemak- Bahru- ▁toast- ▁Mandarin- ▁leisure- ▁lousy- ▁Italy- ▁multi- ▁tail- ▁angmoh- ▁crispy- ▁confused- ▁blender- ▁assistant- ▁mass- ▁branded- ▁Char- ▁wording- ▁ordered- ▁fetch- ▁centres- ▁waves- ▁clouds- ▁sponsor- ▁learned- ▁involve- ▁houses- ▁turned- ▁wanting- li- ▁pursue- ▁succeed- four- ▁additional- ▁motivation- ▁Saint- ▁Singtel- ▁mutant- ▁population- ▁knitting- ▁British- ▁luckily- ▁Raffles- ▁converse- ▁makan- ▁siew- ▁barely- ▁application- ▁prof- ▁agent- ▁riding- ▁hoping- ▁Gai- ▁youngest- ▁Ma- ▁longest- ▁bun- ▁Indonesian- ▁followed- hoon- ▁expectations- me- ▁concerts- ▁ho- ▁triangle- ▁showed- ▁fishball- ▁brothers- ▁engage- ▁smoothie- ▁helped- ▁jun- ▁ca- ▁replace- ▁adjust- ▁memorise- ▁suggest- ▁spring- ▁minor- ▁Italian- ▁serving- ▁yogurt- ▁innocence- ▁midnight- ▁lemon- ▁Hello- ▁production- ▁pissed- ▁episodes- ▁trips- ▁recommended- ▁seagulls- ▁experiences- ▁bathe- ▁soya- ▁guard- ▁mushroom- ▁review- ▁payment- ▁effect- ▁sisters- ▁hug- ▁Hai- ▁weekdays- ▁fa- ▁challenging- ▁luggage- ▁multiply- ▁staircase- ▁maroon- ▁admin- ▁drank- ▁Ikea- ▁neck- ▁regardless- ▁passionate- ▁unfortunately- ▁gang- ▁constantly- ▁ultimately- ▁anti- ▁dump- ▁extremely- ▁mate- ▁equally- ▁dining- ▁realized- at- ▁lighter- Lin- ▁neighbors- ▁mirror- ▁temple- ▁connection- ▁tear- ▁angel- ce- ▁cleaner- ne- ▁spin- East- ▁Book- ▁Canada- ▁iPad- ▁alternative- ▁destination- ▁response- ▁coffeeshop- ▁Johor- ▁embarrassed- ▁shorter- ▁volunteering- ▁core- ▁din- ▁captain- ▁relative- ▁signs- ▁lecturer- ▁Long- ▁plants- ▁punch- ▁combine- ▁register- ▁heaven- ▁breathe- ▁breast- ▁spaghetti- ▁assessment- ▁solid- ▁blanket- ▁Nike- ▁satisfied- ▁scooter- ▁bono- ▁household- ▁rackets- ▁Zealand- ▁Hui- ▁scam- ▁spare- ▁lyrics- ▁bout- ▁scolding- ▁baked- ▁difficulty- ▁joined- ▁ba- ▁pa- ▁traveled- ▁triple- ▁experienced- ▁turning- ▁sub- ▁gear- ▁advertisement- ▁cable- ▁include- ▁lies- ▁necklace- ▁collector- ▁actions- less- ▁ties- ▁grad- ▁refuse- ▁fiction- ▁author- ▁Disney- ▁easiest- ▁length- ▁Mark- ▁leaf- ▁pilot- ▁trading- ▁guilty- ▁eww- ▁Boon- ▁carpark- ▁larger- ▁mango- ▁Coast- ▁wore- ▁posted- ch- ro- ▁walked- ▁views- ▁passenger- ▁arms- ▁biscuit- ▁tape- som- ▁reflect- ▁jail- Lebar- ▁oops- ▁German- ▁blend- ▁surprising- ▁Big- ▁butterfly- ▁dropped- ▁entrance- ▁lipstick- ▁neither- ▁patience- ▁ringgit- ▁skydiving- ▁Mount- ▁scale- ▁inspiration- ▁Pete- ▁connected- ▁developed- two- ▁gen- chor- Chu- ▁staring- ▁texting- ▁Z- ▁pies- ▁temperature- ▁slice- ▁ribbon- ▁hint- ▁decisions- ▁rod- ▁Q- it- ▁fold- ▁respond- ▁encounter- ▁freeze- ▁lepak- ▁mutual- ▁recycling- ▁suicide- ▁whatsoever- ▁Mobile- ▁balik- ▁Holland- ▁irritated- ▁cheapest- ▁ends- ▁buses- ▁choices- ▁cockles- ▁workers- ▁parking- ▁languages- ▁salad- ▁motor- ▁blank- ▁Gardens- ▁lawyer- ▁butcher- ▁expectation- ▁May- ▁slack- ▁pump- ▁arrange- ▁Air- ▁rubber- ▁hook- Ris- ▁Adidas- ▁fertility- ▁Halloween- ▁profile- ▁crew- ▁truck- ▁Line- ▁God- um- ▁killed- ▁beard- mo- ▁mistakes- ▁pan- ▁pit- ▁joining- ▁sa- ▁seashells- ▁odd- ▁voucher- ▁require- ▁hay- ▁flaw- ▁neighbor- ▁cow- Z- q- il- cream- ▁stalls- ▁Manchester- ▁cereal- ▁crisis- ▁ensure- ▁happily- ▁illegal- ▁naked- ▁racist- ▁seaweed- ▁Fandi- ▁dunno- ▁jogging- ▁audition- ▁breed- ▁quiz- ▁rise- ▁calculated- ▁surfing- ▁anger- ▁held- ▁ban- ▁Anna- ling- ▁sleepy- ▁tofu- ▁econs- ▁bees- ▁hill- ▁seed- ▁passing- ▁papers- ▁traveling- ▁crack- ▁engineer- ▁owe- ▁layer- ▁irritate- ▁muscle- ▁programme- ▁drug- lo- ▁gather- ▁rap- Kang- ▁disagree- ▁Mercedes- ▁Samsung- ▁ocean- ▁oyster- ▁unfair- ▁England- ▁babies- ▁grail- ▁housing- ▁Seoul- ▁aww- ▁Carousell- ▁chasing- ▁effective- ▁pastime- ▁allowance- ▁stingy- ▁siao- ▁adventurous- ▁acceptable- ▁chem- ▁prize- ▁provided- ▁darker- ▁belly- ▁wrongly- ▁sight- ▁goats- ▁pulling- ▁agreed- ▁guessing- ▁Shi- ▁trigger- ▁unit- ▁method- ▁lips- ▁School- ▁drain- ▁sink- ▁reduce- ▁translate- ▁accurate- ▁peaceful- ▁trail- ▁stubborn- ▁Miss- ▁Tokyo- ▁nervous- ▁policy- ▁sashimi- ▁liquid- ▁petrol- ▁satisfaction- ▁depth- ▁legend- ▁void- City- ▁po- ▁origins- ▁na- ▁hike- ▁stated- ▁candy- ▁bu- ▁models- ▁seeds- ▁trays- ▁chit- ▁expenses- ▁soap- ▁computers- ▁somewhat- ▁v- gai- ▁attract- ▁pattern- ▁claim- ▁begin- ▁tier- ▁cakes- ▁officer- ty- ▁projects- ▁Su- ▁edit- ▁nurse- ▁complicated- ▁knife- ▁typhoon- ▁Iceland- ▁relevant- ▁Joyce- ▁Genting- ▁fancy- ▁thriller- ▁liking- ▁Newton- ▁planned- ▁Nun- ▁June- ▁blur- ▁rely- ▁goat- ▁holes- ▁fart- ▁nation- ssed- ▁scenario- ▁struggle- ▁image- ▁solution- ▁customers- ▁intention- ▁surrounding- ▁clip- ally- ▁abuse- ▁adapt- ▁understood- Rich- ▁answers- ▁genuine- ▁honeymoon- ▁overcome- ▁impressive- ▁queen- ▁raising- ▁Little- ▁Black- ▁clockwise- ▁mama- ▁creepy- ▁Wave- ▁housework- ate- ▁curve- ▁answering- ▁exposed- ▁Ryan- kway- ▁recorded- ▁marker- ▁coins- ▁visited- ▁watches- ▁accounting- oo- ▁counting- ▁comments- ▁diet- z- ▁bell- ▁lover- ▁script- Garden- ▁si- ▁attraction- ▁trainer- ▁chew- ▁belong- ▁delay- ▁shells- ▁pioneer- ▁calculate- ▁sharp- ▁criteria- ▁emergency- ▁precious- ▁pregnant- ▁president- ▁microphone- ▁mosque- ▁keyboard- ▁spade- ▁absolutely- ▁subjective- ▁expression- ▁capable- ▁Road- ▁kway- ▁loss- ▁bare- ▁kicked- ▁port- ▁correction- ▁plates- ▁worker- ▁cares- ▁checking- ▁jokes- ▁par- ▁chances- age- ▁handbag- ▁advantage- ▁stranger- ▁filter- ▁diff- ▁unlike- ▁flour- ▁Tiong- ▁convenience- ▁cultural- ▁flexible- ▁judging- ▁awake- ▁innocent- ▁stingray- ▁duty- ▁headache- ▁clubbing- ▁granted- ▁Star- ▁frozen- ▁overnight- ▁regarding- ▁Yew- ▁however- ▁bow- ▁sentimental- ▁malls- ▁site- ▁oi- ▁cheating- ▁sincere- ▁shed- ▁rat- ▁sustain- ur- ▁relatives- ▁oo- ▁cookies- ▁pad- ▁measure- ▁corn- ▁wire- ▁tutor- ▁acronyms- ▁perfume- ▁aeroplane- ▁idiot- ▁motivate- ▁trick- ▁weapon- ▁detail- ▁coin- ▁classic- ity- ▁surf- ▁bless- ▁stalk- ▁cough- ▁permanent- ▁rough- ▁beneath- ▁category- ▁licence- ▁nursing- ▁surface- ▁fusion- ▁steamboat- ▁texture- ▁chest- ▁educated- ▁mentally- ▁Wei- ▁motivated- ▁curse- ▁fork- ▁stronger- ▁filling- ▁monthly- ▁cons- ▁speakers- ▁picked- ▁killing- ▁onion- ▁Chris- ▁youth- ▁interests- ▁stands- ▁sending- ▁ti- ▁tin- ▁refer- ▁zip- ▁dots- ▁professor- ▁operation- ▁coaster- ▁cheer- ▁client- ▁recover- ▁purchase- ▁reveal- ▁organise- ▁freelance- ▁electric- ▁admit- ▁entry- ▁sarcastic- ▁supervisor- ▁bullshit- ▁garlic- ▁identity- ▁prank- ▁Pulau- ▁Switzerland- ▁automatically- ▁realistic- ▁theatre- ▁cha- ▁trailer- ▁sickness- ▁Maldives- ▁reasonable- ▁rejected- ▁buttons- ▁gathering- ▁packed- ▁sticky- ▁texted- ▁mu- ▁lo- ▁sheng- ia- ▁playful- ▁brings- ▁helper- ▁inter- ▁outing- ▁Si- ▁pros- ▁spoon- ▁update- ▁represent- ▁organisation- ▁attachment- ▁discover- ▁vote- Road- Zealand- three- ▁logic- ▁superhero- ▁attractive- ▁MacPherson- ▁currency- ▁elephant- ▁facilities- ▁initiative- ▁nephew- ▁thirsty- ▁Johnny- ▁itinerary- ▁desk- ▁Stella- ▁spray- ▁cope- ▁Kuan- ▁lend- ▁pity- ▁fund- ▁bloody- ▁screaming- ▁reached- ▁Ban- ▁heels- ▁chip- ▁insects- ▁schooling- ▁vibes- se- ian- ▁prices- ▁Mo- ▁foreigners- ▁disappear- ▁instrument- ▁slipper- ▁pitch- ▁participate- ▁marble- ▁polite- ▁Gerald- ▁Subway- ▁aquarium- ▁software- ▁tingling- ▁Jalan- ▁shelf- ▁puppy- ▁pluck- ▁cheesecake- ▁terminal- ▁entitled- ▁profit- ▁Rice- ▁depressing- ▁lowest- ▁princess- ▁taller- ▁mustard- ▁roomie- ▁panda- ▁suffering- ▁loudly- ▁harm- ▁accepted- ▁stores- ▁puff- ▁angle- ▁burning- ▁Art- ▁hurts- ▁semi- ▁surely- as- ▁breaking- ▁Li- ▁bla- ▁squares- sh- ▁af- ▁sawing- ▁blow- ent- ▁opponent- ▁visual- ▁dim- ▁entertain- ▁Ubi- ▁manner- ▁nail- ▁spider- ▁edge- ▁damage- ▁recycle- ▁behave- ▁delete- ▁racket- ▁audience- ▁childcare- ▁funeral- ▁generous- ▁grateful- ▁kopitiam- ▁mookata- ▁ourself- ▁prefect- ▁scope- ▁stadium- ▁straightforward- ▁throat- ▁venom- ▁cowboy- ▁ginger- ▁truffle- ▁bullied- ▁cheesy- ▁conclusion- ▁fuel- ▁strap- ▁feedback- ▁ferry- ▁portable- ▁roti- ▁sightseeing- ▁mail- ▁screwed- rice- ▁palm- ▁bothered- ▁talented- Again- ▁offered- ▁bind- ▁dai- beh- ▁scenes- ▁Jing- ▁jog- ▁har- ▁emotions- ▁commercial- ▁claw- ▁proceed- ▁twist- ▁hype- ▁veg- ▁capture- ▁expose- ▁interaction- ▁monkey- ▁boost- ▁nap- ▁companion- ▁Jolene- ▁Shanghai- ▁accommodation- ▁accompany- ▁crayfish- ▁eldest- ▁principal- ▁reservist- ▁rural- ▁barbeque- ▁fantasy- ▁Daniel- ▁Guang- ▁nanny- ▁leadership- ▁junior- ▁battery- ▁powerful- ▁committed- ▁cockroaches- ▁Parish- ▁ingredient- ▁aspiration- ▁eighties- ▁cheated- ▁counts- ▁olden- Teow- ▁loser- ▁breaks- ▁praying- X- Man- ▁boot- ▁dialects- ▁muscles- ▁consequences- ▁function- ▁hive- ▁panic- ▁traits- ▁seasons- ▁peeves- ▁poke- ▁pea- ▁formula- ▁hm- ▁rec- ▁teache- ▁enrol- ▁reward- ▁portray- ▁bias- ▁determine- ▁extrovert- ▁Maggi- ▁observe- ▁adventure- ▁superficial- Han- ▁corridor- ▁false- ▁furniture- ▁hidden- ▁ownself- ▁rectangle- ▁strategy- ▁unhappy- ▁cardio- ▁anniversary- ▁elite- ▁Spiderman- ▁popcorn- ▁lottery- ▁struggling- ▁hostel- ▁Grey- ▁bloomer- ▁Siri- ▁awareness- ▁steering- ▁spotted- ▁basement- ▁Plaza- ▁stove- ▁Haw- ▁chemical- ▁movement- ▁War- ▁childish- ▁tyre- ▁weekday- ▁fate- ▁seater- ▁waited- ▁ev- ▁risks- ▁log- ▁lor- ▁runs- ▁ears- ▁su- ▁walls- do- ine- ay- ge- ▁cases- ▁confess- ▁Yi- ▁Uni- ▁scar- law- ▁cock- John- ▁global- ▁thankful- ▁tomato- ▁Toto- ▁slap- ▁Honda- ▁ambitious- ▁geography- ▁healthcare- ▁lmao- ▁luxury- ▁nasty- ▁possibly- ▁rebellious- ▁tournament- ▁Penang- ▁stood- ▁Chelsea- ▁silly- ▁Disneyland- ▁brake- ▁referring- ▁majority- ▁teleportation- ▁statement- ▁hiding- ▁cabin- ▁roasted- ▁sniffing- ▁relatively- ▁consideration- ▁satisfying- ▁custom- ▁firm- ▁advanced- ▁Tan- ▁eraser- ▁hao- ▁turtle- ▁lizard- ▁heartland- ▁niece- ▁container- ▁workshop- ▁electronic- ▁brave- ▁cameras- ▁aspects- ▁onwards- ▁spoilt- ▁tasted- ▁robots- ton- ▁whoa- ▁Bio- ▁Al- ▁levels- ▁rub- ▁region- ▁suits- ▁tradition- ▁tip- ▁privilege- ▁request- Timah- Raya- ▁nerd- ▁teenage- ▁authentic- ▁thumb- ▁alternate- ▁broad- ▁compulsory- ▁essence- ▁furthest- ▁graduation- ▁imagination- ▁intelligent- ▁philosophy- ▁tasty- ▁Sengkang- ▁appointment- ▁jelly- ▁council- ▁frequency- ▁rooftop- ▁Perth- ▁savoury- ▁beehive- ▁tahan- ▁Audrey- ▁digital- ▁rooms- ▁retirement- ▁Mother- ▁chey- ▁dragging- ▁brownish- ▁dip- ▁particularly- ▁completed- ▁Physics- ▁intake- ▁MacDonald- ▁flash- ▁antique- ▁feeding- ▁parks- ▁jet- ▁opinions- ▁circumstances- ▁sadly- ▁aye- ▁signal- ▁timer- ▁searching- go- ▁saved- ▁shirts- ▁failing- ▁tube- ▁plank- ▁lived- ▁ta- ▁prep- ▁mac- ▁internal- ▁named- ▁hor- ▁sides- ▁antiques- ▁Da- ▁tune- ▁reserve- ▁drill- ▁ac- Yew- ▁March- Kway- ▁Night- ▁Great- ▁Esplanade- ▁Greece- ▁encouraging- ▁frustrated- ▁pavement- ▁preparing- ▁upbringing- ▁August- ▁Jesus- ▁scroll- ▁Cantonese- ▁udon- ▁Seven- ▁patch- ▁healthier- ▁harsh- ▁oya- ▁regularly- ▁bosses- ▁purely- ▁triggered- ▁retired- ▁materials- ▁matured- ▁rainy- ▁sector- ▁invited- ▁olive- ▁comic- ▁leading- ▁tire- ▁secondly- ▁couples- Di- ▁scramble- ▁roads- ism- de- ▁mates- ▁playgrounds- ▁forth- ▁coloured- ▁features- ▁fam- out- ▁pok- ▁hack- gi- ▁breath- ▁Cambodia- ▁vomit- ▁stunt- ▁Lin- Quay- Xiang- Sands- Mian- ▁logical- ▁slip- ▁April- ▁ankle- ▁economy- ▁hokkien- ▁privacy- ▁surname- ▁Brunei- ▁trolley- ▁despite- ▁pride- ▁surfboard- ▁unlucky- ▁visa- ▁Michael- ▁tourism- ▁Andrew- ▁pond- ▁located- ▁photography- ▁Xiao- ▁Cafe- ▁bushes- Par- ▁deeper- ▁mat- ance- ▁fed- ▁performing- ▁treated- ▁scoop- ▁monster- ▁challenges- ▁tender- ▁whale- ▁strangers- ▁lay- ▁talents- ▁services- am- ▁kindness- ▁supporting- ▁Ted- ▁hitch- ▁downwards- ▁Yan- ▁fingers- ▁Ali- ▁musicians- ong- ▁blocks- ▁stir- ize- ▁ill- ▁demand- ni- han- Villa- liao- ▁cast- ▁singapore- ▁bunk- ▁You- ▁Innisfree- ▁escalator- ▁mixture- ▁parcel- ▁repair- ▁sausage- ▁supply- ▁Taobao- ▁corporate- ▁hindsight- ▁scholarship- ▁atmosphere- ▁protein- ▁closing- ▁mouse- ▁electricity- ▁audio- ▁matchmade- ▁tango- ▁pineapple- ▁pile- ▁vest- ▁manga- ow- ▁hardest- ous- ▁interior- ▁focused- ▁campaign- ▁lifetime- ▁occasion- ▁supposedly- ▁relation- ▁waffle- ▁Wen- ▁calories- ted- ▁McDonalds- ▁secrets- ▁sets- ▁opened- ▁classmates- ▁central- ▁span- ▁bath- ▁factors- ▁headphones- ▁youngsters- ▁pairs- ▁partners- ▁ducks- ▁faith- ▁trains- ▁distress- ▁select- Kuan- ▁maggi- ▁bark- ▁exit- ▁external- ▁Causeway- ▁algorithm- ▁choosing- ▁describing- ▁heritage- ▁kosong- ▁military- ▁organic- ▁resort- ▁seatbelt- ▁stereotype- ▁wheelbarrow- ▁earpiece- ▁martial- ▁various- ▁alarm- ▁sexuality- ▁aggressive- ▁matchmake- ▁mopping- ▁universe- ▁breakdown- ▁whack- ▁injured- ▁cabby- ▁Yong- ▁Wild- ▁mods- ▁pioneering- ▁spa- ▁beaches- ▁safer- ▁exhibitions- ▁acknowledge- ▁disturbing- ▁spill- ▁frog- ▁tutorial- ▁cone- ▁workout- ▁foreigner- ▁et- ▁melt- aking- ▁peel- ▁snap- ▁tan- ▁Div- ▁aha- ▁fi- ▁ants- ▁debts- ise- ▁situations- ▁allows- ▁hop- ▁regrets- ▁races- ▁fur- ▁destroy- ▁load- ▁embarrass- ▁murder- ▁network- ▁concentrate- United- ▁desperate- ▁arrogant- ▁immediate- ▁object- ▁Batman- ▁Myanmar- ▁Sephora- ▁Suntec- ▁certificate- ▁cliche- ▁coconut- ▁dealmaker- ▁diabetes- ▁exposure- ▁marathon- ▁pencil- ▁thief- ▁unnecessary- ▁vintage- ▁outcome- ▁Telok- ▁fisherman- ▁importance- ▁Alvin- ▁giant- ▁gangster- ▁cupboard- ▁straightaway- ▁bunny- ▁college- ▁sunset- ▁waving- ▁paiseh- ▁abilities- ▁Ayam- ▁plug- ▁dependent- ▁mince- ▁sunny- ▁Service- ▁Burger- ▁York- co- ▁nails- ▁blessed- ▁factory- ▁shave- ▁aiyah- ▁compromise- ▁chick- ▁diamond- ▁producer- ▁textbook- ▁pancake- ▁error- ▁subscribe- ▁assignments- ▁circles- ▁wha- ▁Wan- ▁Play- ▁panels- ▁pears- ▁bound- ▁Wi- ▁predict- ▁conduct- ▁annoy- et- ▁bump- ▁puke- Point- Wei- ▁engine- Lay- ▁agencies- ▁airplane- ▁chendol- ▁concrete- ▁controversy- ▁excellent- ▁gravy- ▁hashtag- ▁helmet- ▁remote- ▁renovation- ▁tampines- ▁vessel- ▁yolk- ▁Dhoby- ▁choir- ▁improving- ▁virus- ▁Timothy- ▁hipster- ▁itchy- ▁Vietnamese- ▁shuttle- ▁netball- ▁perception- ▁pillow- ▁omelette- ▁slang- ▁shipping- ▁obsessed- ▁Force- ▁equality- ▁fictional- ▁Chong- ▁Dance- ▁storyline- ▁combing- ▁install- ▁matches- ▁Seng- ▁cure- ▁locked- ▁concerned- ▁rides- ▁spoken- ▁served- ▁perfectly- ▁Mall- ▁lately- ▁highly- ▁fired- ▁trained- King- ▁veggie- ▁oversea- da- ▁visiting- ▁peer- ▁chilling- ▁glitters- ▁wei- ▁sticks- ▁rid- ▁burnt- ▁propose- ▁speaks- ▁correctly- ive- ▁cells- ▁artists- ▁compete- ▁meter- ▁economics- ▁blog- ik- ▁films- ak- ▁highlight- ▁retail- ▁retain- ▁command- ▁psych- ▁official- ▁jia- ▁Vivo- ▁Power- ▁Kopitiam- ▁Krabi- ▁advertising- ▁animation- ▁bungalow- ▁comparison- ▁description- ▁hygiene- ▁intelligence- ▁introduction- ▁qualify- ▁qualities- ▁rojak- ▁strawberries- ▁technician- ▁upstairs- ▁practise- ▁orientation- ▁McSpicy- ▁Taipei- ▁vacation- ▁Golf- ▁Pizza- ▁beige- ▁judgement- ▁Pub- ▁vase- ▁Choa- ▁retake- ▁grandpa- ▁craft- ▁cherry- ▁skipping- ▁promo- ▁balloon- ▁laughter- ▁micro- ▁whichever- ▁treatment- ▁transportation- ▁pampered- ▁kana- ▁nun- ▁practically- ▁impatient- ▁fulfilling- ▁Jie- ▁Bak- ▁generic- ▁anchor- ▁aiming- ▁kin- ▁fairy- ▁Malam- ▁Gen- ▁wo- ▁tub- Legend- ▁instruction- ▁boxing- ▁economic- ▁motorcycle- ▁file- ▁requires- ▁debt- ▁reaching- ▁shocking- ▁documents- ▁smoothies- he- ▁clubs- ▁fare- ▁bears- ▁bones- Ting- line- ▁sue- ▁streets- ▁programs- ▁sail- ▁recognize- ▁secure- Chou- Airport- Ubin- Wen- ▁fortunate- ▁consistent- ▁ultimate- ▁gentle- ▁forgive- ▁Robin- ▁Middle- ▁Contest- ▁Filipino- ▁Hokkaido- ▁MacRitchie- ▁Turkey- ▁forehead- ▁garbage- ▁juicy- ▁Melvin- ▁racial- ▁accessible- ▁foam- ▁confusing- ▁materialistic- ▁Golden- ▁pasar- ▁ouch- ▁distresses- ▁productive- ▁Old- ▁distracted- ▁rack- ▁discussion- ▁keen- ▁gao- ▁Square- ▁percentage- ▁stepping- ▁hitting- ▁possess- ▁Bean- ▁attended- ▁bi- ▁Qing- ▁spices- ▁meetings- ▁rolling- ▁pimple- ▁checked- ▁ruin- ▁ra- ▁eyebrow- ▁cafes- ▁Lim- ▁necklaces- ▁ver- ▁spectacles- ai- ▁pounds- ▁Ba- iness- ▁sp- 'no'- ▁cigarettes- ▁comm- ▁slim- ▁fulfill- ▁Mala- ▁Ha- ▁vertical- ▁constant- ▁Botanic- ▁branch- ▁journal- ▁Circle- ▁Downtown- ▁Jeju- ▁Khatib- ▁Norway- ▁circular- ▁evidence- ▁excluding- ▁grammar- ▁insecure- ▁procrastination- ▁segment- ▁sword- ▁syllabus- ▁flew- ▁happier- ▁oxygen- ▁Huawei- ▁twenties- ▁Spotify- ▁documentary- ▁applicable- ▁independence- ▁outfit- ▁vice- ▁Clarke- ▁haunted- ▁Four- ▁motion- ▁chess- ▁tries- ▁Lion- ▁Cai- pa- ▁actively- ▁Rich- ▁difficulties- ▁sailing- ▁slower- ▁hoon- ▁softer- ▁bullying- ▁ironing- ▁oldest- ▁repeating- ▁meme- ▁farming- ▁emotion- ▁mannequin- ▁pub- ▁improvement- ▁posting- ▁hardship- ▁flaws- ▁footballer- ▁locals- ▁Yu- ▁flavours- ris- math- ▁cooling- ▁prompts- ▁dirt- ▁standards- ▁sessions- ter- ▁waffles- ▁pant- ▁taxis- ▁groom- ▁exclude- ▁renew- ▁aspirations- '['- Pop- ▁loose- ▁Insta- ▁courage- ▁compliment- ▁Arnold- ▁Earth- ▁Eatigo- ▁Energ- ▁FIFA- ▁Melbourne- ▁commission- ▁cushion- ▁fool- ▁frappe- ▁funniest- ▁gambling- ▁pleasant- ▁presence- ▁puddle- ▁recognition- ▁squad- ▁goodbye- ▁pronunciation- ▁priorities- ▁Michelle- ▁Deepavali- ▁applies- ▁Social- ▁construction- ▁operating- ▁sentosa- ▁cemetery- ▁Nicholas- ▁balcony- ▁Food- ▁clay- ▁tentage- ▁trial- ▁Earl- ▁Briyani- ▁July- ▁icon- ▁lime- ▁secondhand- ▁Beach- ▁cleanser- ▁Theme- ▁demon- ▁leftover- ▁growth- ▁sang- ▁pinkish- ▁mud- ▁historical- ▁rating- ▁someday- ▁trousers- ▁poop- ▁medication- ▁smarter- ▁stretching- ▁raised- ▁Avengers- ▁understandable- ▁sweating- ▁prawning- ▁debate- ▁specially- ran- ▁gig- ▁accepting- ▁bend- ▁pale- ▁venture- ▁procedure- ▁mission- ▁border- ▁blessing- ▁requirement- ▁chapter- ▁mile- ▁tr- ▁ski- ▁heal- ▁prawns- ▁honours- ▁rates- ▁lovely- ▁dated- ▁fame- ▁praise- tic- ▁bat- ▁pointed- ▁readings- ▁eyebrows- ▁Sun- ▁Indians- ▁mis- ▁haste- ▁slides- ▁King- ▁backpack- ▁guarantee- ▁initiate- ▁expand- Hui- ▁labour- ▁unexpected- Lao- Lee- ▁sandwich- ▁mosquito- ▁affects- ▁fever- ▁FaceBook- ▁Sweden- ▁antenna- ▁barrier- ▁behaviour- ▁caramel- ▁empathy- ▁fibre- ▁franchise- ▁lantern- ▁offence- ▁password- ▁stamina- ▁twentieth- ▁underneath- ▁humour- ▁managing- ▁February- ▁Rachel- ▁narrow- ▁concealer- ▁attempt- ▁celebration- ▁sunglasses- ▁Pills- ▁programming- ▁convo- ▁unagi- ▁Claire- ▁overrated- ▁Two- ▁greedy- ▁moisturiser- ▁depressed- ▁festive- ▁indie- ▁Victoria- ▁seventies- ▁Simon- ▁attracted- ▁duh- ▁organize- ▁catalyst- ▁booking- ▁educational- ▁separated- ▁parties- ▁reminded- ▁blowing- ▁operate- ee- ▁spit- ▁ethics- ▁seller- ▁focusing- ▁covering- ▁hearted- ▁sticking- ▁quest- bah- ▁pol- ▁Din- ▁lion- ▁coat- ▁disease- ▁ad- ▁award- ▁idol- ▁slot- ▁prompt- ▁headphone- ▁youngster- ▁Woodland- ▁stones- Asians- ▁analyse- ▁Asians- ▁lectures- ▁Vans- ▁wanton- ▁hu- ▁sting- ▁intro- ▁stays- ki- ▁Shop- ▁motorcycles- ▁bills- ▁centers- ca- ▁costs- ▁festivals- ▁jack- ▁deduct- ▁tai- World- Village- ▁essential- ▁excel- ▁Aaron- ▁Mediacorp- ▁Peggy- ▁Scotland- ▁Texas- ▁allergic- ▁avocado- ▁banquet- ▁ceiling- ▁concession- ▁monetary- ▁shampoo- ▁cliff- ▁complex- ▁hometown- ▁roommate- ▁drew- ▁kimchi- ▁bounce- ▁lens- ▁appropriate- ▁Xavier- ▁swimsuit- ▁Zara- ▁punishment- ▁appearance- ▁waterfall- ▁pathway- ▁occasionally- ▁magician- ▁similarities- ▁polar- responsibilities- ▁forcing- ▁addicted- ▁Jane- ▁equivalent- ▁stopping- ▁Point- ▁tricky- ▁detailed- ▁included- ▁combined- ▁Island- ▁extended- ▁erase- ▁greenish- ▁Bay- ▁strongly- ▁shifted- ▁gel- ▁transparent- ▁clients- ▁Me- ▁certainly- ▁lau- ▁camping- ▁worrying- ▁genes- ▁objective- ▁seniors- ▁superpower- ▁inform- ▁elective- way- ▁prayer- ▁Garden- ▁conflict- bu- ▁Pet- ▁leaves- ▁cleaners- ▁chi- ▁marking- ▁ve- ang- tending- ▁stages- ▁hats- ap- ▁bra- ▁environmental- long- ▁faint- ▁donation- ▁rescue- ▁skate- Eleven- Island- ▁gamble- ▁frequent- ▁humid- ▁confront- ▁Bintan- ▁Cheryl- ▁Nutella- ▁Southeast- ▁comparing- ▁devil- ▁gloss- ▁grocery- ▁integrity- ▁zombie- ▁curriculum- ▁thigh- ▁Candy- ▁Good- ▁creating- ▁millionaire- ▁humor- ▁rendang- ▁Jordan- ▁wreck- ▁granny- ▁transition- ▁academically- ▁cities- ▁consist- ▁trap- ▁scheme- ▁controlling- ▁dedicated- ▁crave- ▁Koi- ▁colourful- ▁greyish- ▁shitty- ▁grilled- ▁breathing- ▁mild- ▁spoiled- ▁folding- ▁relieve- ▁pho- son- ▁Pro- ▁overtime- ▁celebrated- ▁chin- Cha- ▁dreamt- ▁packing- ▁Courts- ▁nicest- ▁newer- chat- ▁My- ▁theater- ▁stops- ex- Lim- ▁pleasure- ose- ▁reference- ▁disaster- ▁slave- ▁pound- ▁politic- ▁toward- yum- ▁cell- ▁keeper- ▁reviews- led- ▁adding- men- ▁seal- ▁articles- ▁emails- ▁finances- ▁nuts- ▁shown- cu- ▁tab- ▁upload- ▁im- ▁literal- ▁purposes- Fi- ▁Maths- ary- ▁Van- ▁She- ▁Jo- ical- ▁facts- ung- ▁Russia- ▁satisfy- ▁detect- ▁threaten- ▁thir- ▁dimension- ▁civil- ▁Joseph- ▁Ferrari- ▁Pavilion- ▁Twitter- ▁anxiety- ▁blouse- ▁clever- ▁conservative- ▁elderlies- ▁groceries- ▁jeep- ▁lesbian- ▁possibility- ▁Econs- ▁Northern- ▁beneficial- ▁holistic- ▁justify- ▁foresee- ▁phobia- ▁mainstream- ▁flies- ▁wolf- ▁Crystal- ▁countdown- ▁deny- ▁battle- ▁lake- ▁weakness- ▁University- ▁billion- ▁supportive- ▁combo- ▁inspirational- ▁inclined- ▁essentially- ▁Sheng- kong- ▁emo- ▁impressed- ▁Jimmy- ▁selected- ning- ▁handling- ▁fif- uhI- ▁engaged- ▁laws- ▁guni- ▁sadness- ▁coma- ▁mole- ▁spelling- ▁hip- ▁ranking- ▁developing- ▁greater- Ning- ga- ▁chim- ▁forms- ▁Red- ▁attractions- ▁Bar- red- ▁mathematics- ▁bitch- ▁Rui- ▁towels- ▁bars- ▁desire- ▁ju- ▁slope- ▁brick- ▁cups- ▁artiste- ▁resting- ok- ▁nag- ut- ▁nut- ▁booked- ▁messages- ▁desserts- ▁Zi- ▁drums- ▁abs- ▁La- ▁pages- ver- ▁driven- maths- ▁outdoors- ▁powers- ▁burgers- ▁doll- ▁input- ▁piss- ▁Ka- ▁refresh- ▁draft- York- like- India- Kitty- ▁sexual- Gai- ▁recruit- ▁Android- ▁PayLah- ▁PayNow- ▁detention- ▁flirt- ▁french- ▁graduating- ▁horizontal- ▁relatable- ▁turkey- ▁Tekka- ▁rainbow- ▁sesame- ▁scrub- ▁filial- ▁sunblock- ▁computing- ▁several- ▁pram- ▁sunrise- ▁Festival- ▁membership- ▁bedroom- ▁therapy- ▁Merlion- ▁pageant- ▁Katong- ▁Museum- ▁pian- ▁disk- ▁Gong- ▁destroyed- ▁unable- ▁sponsored- ▁greatest- ▁enjoyment- ▁heaty- ▁boom- Chan- ▁pandan- ▁Fort- ▁matcha- ▁tricks- ▁strands- ho- hi- ▁risky- ▁picky- ▁applying- ig- ▁sc- ▁generations- fi- ▁includes- ▁fr- ▁danger- ▁flavor- ▁peanut- ▁supplement- ▁achievement- ▁vendor- ▁feature- ▁tears- ▁novel- ▁drum- ▁resource- ▁states- ▁engages- ▁piranhas- ▁signed- ▁albums- ▁Teh- ▁bikes- ▁worms- ▁needy- ▁norm- ▁finishing- un- ping- ▁friendships- ▁recipes- ▁liver- ▁heights- ▁Malays- ▁trends- x- ▁info- ▁absorb- ▁stole- ▁bald- ▁consume- ▁convince- ▁cramp- Plaza- New- ▁mash- ▁vague- nua- ▁merge- ▁Eddie- ▁Labrador- ▁Argus- ▁circuit- ▁explanation- ▁fountain- ▁helicopter- ▁matchmaking- ▁mischievous- ▁necessity- ▁polytechnic- ▁rectangular- ▁squash- ▁surgeon- ▁wavelength- ▁desktop- ▁orchard- ▁spouse- ▁biology- ▁rugby- ▁squiggly- ▁Finland- ▁Justin- ▁furthermore- ▁retarded- ▁sufficient- ▁assist- ▁William- ▁posture- ▁Pearlyn- ▁stroller- ▁flu- One- ▁River- ▁cashless- ▁Central- ▁canvas- ▁tide- ▁Iron- ▁Sushi- ▁frequently- ▁Street- ▁chio- ▁Siew- ▁genuinely- ▁authority- ▁Singa- ▁reserved- ▁goreng- ▁horn- ▁nest- ▁existed- kan- ▁charger- ▁entered- ▁noises- ▁noticed- ard- ▁balanced- ▁Men- ▁mice- ▁rep- ▁crossing- ▁rings- ▁em- ▁Maya- ▁archetypes- As- ▁Kay- ▁Clementi- ▁cu- ▁aging- ▁Don- ▁pose- ▁regards- ▁mint- ▁nightmare- ▁organization- ▁mi- ▁spec- ▁Swensen- ▁indoor- ▁effects- ▁nugget- ▁citizen- ▁buck- ▁Hua- ▁sia- ▁voices- pe- ▁x- ▁sided- ▁banks- ▁Far- ▁We- ▁vi- ▁doctors- ▁tracks- ▁hates- ▁sup- ▁comics- ▁teams- kut- ▁planet- be- ▁cos- ▁chee- ▁prince- ▁resolve- ▁associate- eight- ▁arrive- ▁abandon- Ahmad- ▁Alex- ▁cringe- ▁artificial- ▁Rome- ▁economical- ▁Arab- ▁volcano- ▁graph- ▁cheerful- ▁transit- ▁Charmaine- ▁Chemistry- ▁Eurasian- ▁Hindu- ▁History- ▁Literature- ▁ancient- ▁bluff- ▁continuing- ▁courtesy- ▁deposit- ▁heavily- ▁hilarious- ▁irrelevant- ▁ketchup- ▁mahjong- ▁oriented- ▁poverty- ▁premium- ▁sponge- ▁spontaneous- ▁superior- ▁suspicious- ▁swallow- ▁thieves- ▁varieties- ▁wheelchair- ▁ignorant- ▁Tekong- ▁thirties- box- ▁Universal- ▁fiber- ▁boundaries- ▁Michelin- ▁scoreboard- ▁sensor- ▁subway- ▁dread- ▁league- ▁Giant- ▁Busan- ▁Autumn- ▁tuna- ▁reflection- ▁Snow- ▁humanities- ▁mister- ▁electrical- ▁nineties- ▁dried- ▁highway- ▁Nex- ▁yummy- ▁bakery- ▁splash- ▁politically- five- ▁talkative- ▁appeared- ▁selfie- ▁op- ▁sixth- ▁internships- ▁fucking- ▁el- ▁striped- ▁chosen- ju- ▁Ya- ▁settled- ▁killer- ▁attacking- ▁grave- ▁str- ▁touched- ▁spam- ▁ri- ▁interpret- bao- ▁banking- ▁weekly- ▁ding- ▁Sha- ▁dolls- ▁abit- ▁partly- ▁butchers- ▁dr- Foo- ▁mentor- ▁dinosaur- ▁strip- ▁technique- ▁cabinet- ▁alien- ▁cultures- Jun- ▁gu- ▁eco- ▁millennials- ▁Ru- ▁Sim- ▁sorts- ▁tastes- har- ▁ni- ier- En- ▁whales- ▁finals- ▁vehicles- ▁pi- ▁condemn- ▁suspect- League- Wave- Wild- ▁impress- Wan- ▁insist- ▁urgent- ▁clinic- ▁saliva- ▁champion- ▁Excel- ▁Geography- ▁Spencer- ▁armpit- ▁aspire- ▁capacity- ▁carefree- ▁classify- ▁english- ▁existence- ▁leather- ▁lounge- ▁portfolio- ▁refill- ▁replied- ▁sarcasm- ▁scenic- ▁scientific- ▁specify- ▁television- ▁underground- ▁wrestling- ▁skating- ▁mineral- ▁Head- ▁macaroni- ▁vulgarities- ▁junction- ▁companionship- ▁vulgar- ▁papaya- ▁Sylvia- ▁marine- ▁bodies- ▁moisturizer- cuba- ▁subsequently- ▁Zoo- ▁miserly- ▁replacement- ▁bruh- ▁digest- ▁insert- ▁suggestion- ▁Kovan- ▁roadside- Tai- ▁alert- ▁Coke- ▁cherish- ▁Feng- ▁manpower- ▁beast- ▁Hub- ▁Hotel- ▁hong- ▁contractor- ▁considerate- ▁shaking- ▁proof- ▁dye- ▁conditions- ▁How- Shan- ▁Taylor- ▁maggie- ▁sweater- ▁associated- ▁United- ▁strongest- ▁twen- ▁ballet- chi- ▁Dion- ▁determined- ▁Lay- ▁swap- ▁teen- ▁contented- ▁shitting- ▁richer- ▁cave- ▁entirely- ▁costly- ▁outline- ▁sim- ▁dressed- ▁Ho- ▁wished- ▁pricey- ▁rational- ▁alias- ▁stats- ag- ▁neat- ▁han- ▁needle- ▁officers- ized- ▁crabs- ▁layers- ▁contacts- wan- ▁inch- ▁foodie- ▁kit- ▁jo- ▁Chan- ▁dealing- ▁bullet- ▁spike- ▁aesthetic- ▁sole- ▁costume- ▁squat- ▁farmer- ▁goodie- ▁audit- ful- light- ▁accumulate- ▁citizens- ▁tourists- ▁slots- ▁owl- ▁kor- ▁academics- ▁gr- ▁meters- ▁pancakes- ▁tho- Wet- ▁electronics- ▁publish- ▁brief- ▁consult- ▁poison- link- Penyet- ▁wealth- Malam- ▁absolute- ▁initial- ▁spiritual- ▁pau- ▁boots- ▁crawl- ▁villa- ▁tragic- ▁automatic- ▁Ganesh- ▁Jollibee- ▁MacBook- ▁Police- ▁Spain- ▁Spanish- ▁Toyota- ▁apron- ▁bastard- ▁cabbage- ▁carnival- ▁defense- ▁disabled- ▁dungeon- ▁elsewhere- ▁metaphor- ▁monsoon- ▁octopus- ▁parallel- ▁philosophical- ▁reputation- ▁technologies- ▁thirtieth- ▁Bandung- ▁Potong- ▁coding- ▁favour- ▁kanchiong- ▁Laneige- ▁Nanyang- ▁autistic- ▁counselling- ▁decorative- ▁shortcut- ▁trekking- ▁tummy- ▁turquoise- ▁Jason- ▁translation- ▁Temasek- ▁carpet- ▁Winnie- ▁ceremony- ▁Hollywood- ▁shield- ▁waist- ▁executive- ▁Arsenal- ▁spinning- ▁partially- ▁priest- ▁fluffy- Batok- ▁Audi- ▁steady- ▁speechless- ▁David- ▁racing- ▁nick- ▁cutlet- ▁strive- ▁shallow- ▁rebel- ▁offended- ▁condensed- ▁takeaway- ▁Romeo- ▁timetable- ▁Yuan- ▁Joy- ▁fryer- ▁warning- ▁temper- ▁rallying- ▁heavier- ▁haha- ▁cai- ▁heroes- ▁hunter- ▁spiders- ▁required- ▁loop- ▁fastest- ▁bathing- ▁Xin- ey- ▁ongoing- ▁instruments- ▁tied- ▁toddler- ist- ▁incorporate- ▁Ray- ▁Chi- ▁led- ▁lied- ned- ▁tooth- ▁cooler- ▁habits- ▁tested- ▁pushed- ▁Shu- ▁concepts- ▁lotion- ▁eve- dy- ▁Tim- ▁urban- ▁figurines- ad- ant- ▁bl- ▁redo- ▁trunks- ▁Egypt- ▁beliefs- ▁Jian- ▁lecturers- ▁beats- ▁root- ▁poem- rry- ▁contain- ▁pigeon- ▁scholar- ▁twin- ▁logistic- ▁described- ▁novels- ▁magazines- ▁fo- ▁practic- ▁museums- ▁stab- ▁soil- ▁instructions- ▁roles- ▁ji- ▁pr- ▁rag- king- cause- pan- ▁pun- ▁accounts- ▁nor- ▁drown- ▁reverse- ▁assess- ▁drift- ▁desert- ▁punish- ▁millions- ▁bulk- ▁intellectual- ▁frank- ineapple- Tau- ▁prime- ▁advertise- ▁Beijing- ▁BreadTalk- ▁Koufu- ▁Mookata- ▁Telegram- ▁alpha- ▁dialysis- ▁embrace- ▁heirloom- ▁irresponsible- ▁navy- ▁nuisance- ▁exclusive- ▁genius- ▁hardcore- ▁swipe- ▁faux- ▁Suzuki- ▁Superga- ▁diverse- ▁spectrum- ▁reliable- ▁Sharon- ▁assistance- ▁hopping- ▁pinpoint- ▁bacon- ▁macam- ▁mingle- ▁ordinary- ▁distinction- ▁tendency- ▁Coffee- ▁Sierra- ▁oval- ▁nursery- ▁cashier- ▁underwear- ▁coke- ▁simi- ▁cardboard- ▁regretted- ▁fatter- ▁rape- ▁memorize- ▁Airport- ▁beforehand- ▁individually- ▁folded- ▁malay- ▁bonded- ▁touristy- ▁mold- ▁delaying- ▁pinch- ▁released- ▁scored- ▁frying- rs- ▁attachments- ▁graded- ▁cl- ▁African- ▁storey- ▁gum- ▁worthy- ▁rounds- ▁rats- Gardens- ▁backup- ▁Lei- dai- ▁seasoning- ▁Mel- per- ▁treats- ▁prob- saw- ko- ▁noted- ▁Le- ▁dreaming- ▁winner- ▁recommendation- ▁criminal- ▁classical- ▁lap- ▁pamper- ▁employee- ▁tarts- ▁millennial- ▁differ- ▁worm- ▁logistics- ▁queueing- ▁pas- ▁st- ▁knees- ▁equals- ▁starter- ▁nuggets- ze- ▁whe- cy- ▁Ping- ▁outer- ▁scares- ▁stocks- ▁ooh- ba- ▁olives- ▁beans- ▁tattoos- ▁biting- ▁defend- ▁shoots- ▁imp- ▁whoo- ▁vege- ▁appeal- ▁tolerate- ▁renovate- ▁confuse- ▁implement- ▁invent- Silver- Bean- <- ▁newspapers- ▁stain- ▁overlook- ▁latte- ▁bronze- ▁unfortunate- ▁critical- ▁buff- ▁juniors- oreal- ▁Jonathan- ▁Microsoft- ▁Nokia- ▁Okinawa- ▁Starhub- ▁asthma- ▁cholesterol- ▁conducive- ▁contributing- ▁differentiate- ▁distant- ▁division- ▁duration- ▁emperor- ▁enemies- ▁exotic- ▁immature- ▁investigate- ▁jersey- ▁piercing- ▁prioritise- ▁sardine- ▁tolerance- ▁Buddhist- ▁Doctor- ▁Prime- ▁hammer- ▁reddish- ▁subscription- ▁terrorist- ▁venue- ▁wrist- ▁Osaka- ▁compound- ▁niche- ▁Duel- ▁defence- ▁unicycle- ▁Puma- ▁indecisive- ▁Lisa- ▁Bollywood- ▁Macau- ▁Oreo- ▁numb- ▁comfortably- ▁recap- ▁Geraldine- ▁fought- ▁amazed- ▁apologise- ▁Spine- ▁wireless- ▁Jessie- ▁dairy- ▁stability- ▁promoting- ▁mechanic- ▁shiny- ▁photographer- ▁slight- ▁hotter- Panther- ▁League- ▁tilted- ▁Gold- ▁lian- ▁Mary- ▁alot- ▁agreement- ▁requested- ▁poker- ▁torn- ▁Kitty- ▁carefully- ▁thicker- ▁ranger- ▁campus- ▁herring- ▁spine- ▁entertaining- ▁paddle- ▁chewing- ▁shouted- ▁supplies- ▁vacuuming- ▁sporty- ▁ticking- ▁accomplished- ▁expressed- ▁appreciated- ▁sharks- ▁pressing- ▁import- Fung- ▁lotus- ▁torture- ▁treating- ▁te- ▁rage- ▁obstacles- ▁deeds- ▁tilt- ▁parenting- ▁caps- ▁courts- ▁ow- ▁Ku- Wong- ▁bug- ▁placed- having- ▁hut- ▁owning- ▁lighting- ▁lag- ▁elements- ▁spark- ▁ponytail- ▁clue- ▁crocodile- ▁composition- ▁deadline- ▁bundle- ▁qualification- ▁sample- ▁dolphin- ▁Lao- ui- ▁fasting- ▁Uh- ▁singers- va- ▁minimal- ▁tart- nce- ei- ▁chart- ▁ke- cted- ▁swee- day- ▁peers- ▁pic- ▁De- ated- ke- ▁Sec- ▁indicate- ▁witness- ▁roast- ▁neglect- ▁tee- Ghaut- Simon- ▁distinct- ▁expert- ▁Ngee- ▁Adobe- ▁Amsterdam- ▁California- ▁Dakota- ▁Teochew- ▁Vegas- ▁acapella- ▁agenda- ▁altogether- ▁arguing- ▁dementia- ▁experiencing- ▁horoscope- ▁housewife- ▁immune- ▁injury- ▁pincer- ▁preparation- ▁protagonist- ▁remedial- ▁supernatural- ▁underrated- ▁viral- ▁wisdom- ▁withdraw- ▁yishun- ▁abroad- ▁committee- ▁hectic- ▁microwave- ▁stagnant- ▁tactic- ▁Tanglin- ▁orphanage- ▁vanilla- ▁railway- ▁Phantom- ▁interchange- ▁pasir- ▁stewardess- ▁parade- ▁Islam- ▁Somerset- ▁blade- ▁visible- ▁Thomson- ▁temporary- ▁animate- ▁Cube- ▁cruel- ▁Prison- ▁speechlessness- ▁monk- ▁villain- ▁du- ▁iconic- ▁medal- ▁overhead- ▁assembly- ▁naan- ▁Studies- ▁tete- ▁Lady- ▁kidney- ▁Kelly- ▁compo- ▁freezing- ▁binge- ▁humanity- ▁surrounded- ▁polo- ▁chatting- ▁passive- ▁bumper- ▁sci- ▁peo- ▁Song- ▁fallen- ▁biased- ▁Peter- ▁bid- ▁promoter- ▁privileged- ▁Steven- ▁remem- ▁broth- ▁Dan- ▁asset- ▁Russian- ▁flavoured- ▁weaker- ▁Sarah- ▁smallest- ▁ethical- ▁softly- ▁judged- ▁gardening- ▁lacking- ▁divided- ▁guessed- ▁weights- ▁soci- ▁attending- ▁dressing- ▁backwards- ▁nat- ▁confirmed- ▁followers- ▁methods- uhthe- ▁bass- ised- ▁masters- ▁stigma- ▁Re- ▁web- ▁overly- ▁qua- ▁camps- ster- ▁stations- ▁commitments- ▁soak- ▁gi- ▁ab- ▁tablet- ao- Yai- ▁Fa- bi- ▁fundamental- ▁bins- ▁characteristic- ▁candle- ▁element- bo- ▁insect- ▁intrigue- ▁nowaday- yu- ▁cookie- ▁aliens- ▁Go- ▁accidents- ▁ships- ▁ki- ▁Hill- ▁weddings- ial- ▁ro- land- ▁weigh- yo- ▁Lit- ▁bands- ying- ▁shots- ▁flop- ▁ga- di- iest- ▁gana- ▁ed- ▁chemicals- ▁resign- made- ▁thread- ▁brows- ▁polish- ▁Chu- ▁profession- Barrage- prata- ▁staple- Hong- ▁coast- ▁Captain- ▁Channel- ▁Adventure- ▁Bitcoin- ▁Claudia- ▁Ernest- ▁Internet- ▁Kanken- ▁Nintendo- ▁Standard- ▁alumni- ▁anxious- ▁automated- ▁calendar- ▁celebrities- ▁creativity- ▁cubicle- ▁facility- ▁gesture- ▁hummus- ▁mandatory- ▁parasol- ▁rewind- ▁rinse- ▁shadow- ▁tertiary- ▁unknown- ▁vampire- ▁Belgium- ▁Benjamin- ▁hotpot- ▁psychological- ▁abusive- ▁maturity- ▁tedious- ▁Friends- ▁fifties- ▁Thomas- ▁crystal- ▁scientist- ▁Anonymous- ▁juggle- ▁tempted- ▁Genki- ▁laser- ▁acne- ▁selection- ▁species- ▁static- ▁stationary- ▁litter- ▁protection- ▁sustainable- ▁hangout- ▁hind- ▁carbs- ▁Story- ▁fatty- ▁Silver- ▁cutter- ▁wana- ▁Five- Ann- ▁Village- ▁standby- ▁mock- ▁outfield- ▁credits- ▁kayaking- ▁lull- ▁Bank- ▁pointless- Yum- ▁trans- ▁wisely- ▁invested- ▁tryna- ▁represents- ▁achieved- ▁proven- ▁alley- ▁safest- ▁noob- ▁kaya- ▁creamy- ▁lifting- ▁Care- ▁inspires- ▁Bo- ▁thousands- ▁drying- ▁wat- ▁bull- ▁comp- ▁mixing- ▁turner- ▁Jen- ▁continued- ▁importantly- ▁explaining- ▁blast- ▁user- ▁gifts- ▁sin- ▁The- ▁mon- ban- ▁smells- Ming- book- ▁warrior- ▁examination- ▁Game- ▁affair- ▁device- ▁rhyme- ▁earring- ▁Pa- ▁piranha- ▁En- ▁prayers- ▁des- ▁tele- ▁falls- ▁chapters- ▁compet- ▁machines- ber- ▁mug- ▁hotels- ▁Ris- ▁aid- ▁Xi- lly- ▁zi- ▁sacrifices- ▁kan- ana- ji- ▁linked- ul- ▁gem- ▁temp- ▁grind- ▁greet- ▁rail- ▁align- ▁defeat- ▁strain- Loong- Heng- Yuan- ▁creep- ▁definite- Long- ▁fond- ▁Stephen- ▁Zouk- ▁Bhutan- ▁Khao- ▁Kosong- ▁Lazada- ▁Messi- ▁Pakistan- ▁Tribute- ▁Uncle- ▁ambiguous- ▁ambulance- ▁asshole- ▁assumption- ▁categories- ▁century- ▁cleanliness- ▁climate- ▁cluster- ▁disadvantage- ▁earthquake- ▁fattening- ▁foresight- ▁gigantic- ▁haystack- ▁inflation- ▁libraries- ▁milkshake- ▁multitask- ▁paragraph- ▁plenty- ▁reservoir- ▁seminar- ▁syrup- ▁themself- ▁transaction- ▁transcript- ▁wardrobe- ▁Samuel- ▁boast- ▁clap- ▁gauge- ▁granddaughter- ▁trimming- ▁unsure- ▁Skype- ▁Tony- ▁brunch- ▁relief- ▁unemployed- ▁receptionist- ▁stiff- ▁Bayfront- ▁harmony- ▁meditation- ▁analysis- ▁muddy- ▁obligation- ▁popiah- ▁scariest- ▁cohort- ▁illness- ▁prior- ▁rising- ▁Wanton- ▁cancelled- ▁zao- ▁Beauty- ▁Keith- ▁preferably- ▁recce- ▁serial- ▁Alice- ▁console- ▁dual- ▁personalities- ▁peop- ▁Angel- deciding- ▁pillar- ▁Cold- ▁Xuan- ▁Parade- ▁merit- ▁prone- ▁Wang- ▁overthinking- ▁tension- ▁doggo- ▁Dota- ▁Tru- ▁discovered- ▁secretly- ▁outgoing- ▁jealousy- ▁Raya- ▁suggested- ▁converted- rilyn- ▁sexy- ▁barking- ▁upside- ▁stem- ▁stalking- ▁positively- ▁hired- ▁pipe- Rangers- ▁announce- ▁floating- ▁cartoons- ▁existing- ▁warming- ▁marinate- ▁respectful- ▁shaped- ▁rounded- La- ▁advocate- ▁hence- ily- ▁seated- ▁mistaken- lin- ▁Bu- ▁returning- ▁ted- ▁glue- ▁cows- ▁prelims- if- ▁Girls- char- ▁listeners- ▁creatures- ▁tu- ▁handed- ▁charm- ▁believed- ▁Eve- ▁forum- ▁penguins- ▁lasted- ▁gong- ▁beg- ▁careless- ization- ▁zoom- ▁directions- ▁digg- ▁posters- ▁apa- ▁squirrel- ▁tale- ▁beginner- ▁drone- ▁aged- ▁kitten- ▁ambition- ▁honour- ▁folk- ▁Philippine- ▁YouTuber- tion- ide- ▁visitor- op- Ho- ▁Or- ▁dancer- ▁gram- ▁Las- ▁packs- ▁tool- Pa- ▁ko- ▁miles- peh- eo- ▁cam- ▁format- ▁concerns- cha- fun- ▁ty- rebus- ▁pri- ▁Glen- ▁z- park- ▁emphasize- Clinton- ▁flesh- Parade- Square- English- Year- Master- ▁Premier- Lian- ▁stitch- ▁Hawaii- ▁dang- ▁contest- ▁Amanda- ▁Lamborghini- ▁Marsiling- ▁Mooncake- ▁Munafik- ▁Vivian- ▁blossom- ▁breeze- ▁broccoli- ▁charcoal- ▁dictionary- ▁exploring- ▁extension- ▁google- ▁grandchildren- ▁hierarchy- ▁invisibility- ▁kallang- ▁lettuce- ▁outstanding- ▁palace- ▁principle- ▁savvy- ▁trombone- ▁unlimited- ▁virtual- ▁whisper- ▁workload- ▁Pacific- ▁Robert- ▁Taurus- ▁luxurious- ▁northern- ▁Alicia- ▁Sony- ▁architecture- ▁ninth- ▁padlock- ▁probability- ▁StarHub- ▁tekan- ▁Mexican- ▁rollercoaster- ▁identified- ▁batak- ▁certification- ▁miserable- ▁vocabulary- ▁Marine- ▁Novena- ▁dwell- ▁storage- ▁Tanjong- ▁impactful- ▁landmark- ▁Kimchi- ▁mike- ▁Jerome- ▁attendance- ▁Primary- ▁spiderman- ▁Ocean- ▁pax- ▁wiping- ▁yolo- ▁caption- ▁Emma- ▁Mission- ▁Royal- ▁bleeding- ▁Jenny- ▁vegan- ▁Poke- ▁Prata- ▁overwhelming- ▁Light- ▁forgotten- ▁Jerry- ▁frankly- ▁accomplishment- ▁tuck- ▁Goreng- ▁preferred- ▁employed- ▁barefooted- ▁handmade- ▁bulky- ▁Cher- ▁malaysia- ▁artistic- ▁abandoned- ▁renovated- ▁Marche- ▁reciprocate- ▁expired- ▁Nine- ▁disappeared- ▁Mao- ▁combat- ▁darkness- ▁cargo- ▁backside- ▁signing- Men- ▁Appa- ▁lemak- ▁recognised- ▁compensate- ▁Shen- ▁manners- ▁weirdest- ▁seventh- ▁epic- Glory- ▁Kang- ▁Po- ied- ▁catcher- ▁fighter- ▁heater- ▁Sri- ▁improved- ▁Bob- ▁drawer- ▁spy- ▁estimate- ▁charged- ▁wi- ▁rim- ▁relaxed- ack- ▁siam- ▁Lau- Ying- ▁timeline- ac- ▁cater- ▁generate- ▁sneakers- ▁belongs- ▁gloves- ▁trainers- ger- ▁Ross- ▁Australian- ▁ironic- mi- ▁jars- ▁Jan- ▁flights- gong- ▁collectors- ir- ▁Ro- ▁acts- ▁gadgets- ▁malam- ▁pigs- cal- ries- ye- ating- ▁Cha- ▁thr- ▁stake- ▁storybook- ▁puzzle- ▁passage- ▁employer- ▁kaki- ▁grape- ▁belonging- ▁spectacle- ▁misunderstand- Asian- ▁alter- ▁hah- ities- ▁pla- ▁caused- ▁Sal- ach- ▁gamer- ▁carbo- war- ▁melts- ▁Kit- sha- ▁swings- ▁elders- ▁sip- ▁hap- ▁shame- ▁fits- lu- ▁colors- ▁expir- ▁surround- ▁Leo- ▁tidy- ▁emcee- ▁rally- ▁Tang- ▁attach- ▁educate- cetera- Jackson- Junior- Xuan- Chong- Zhi- Poly- ▁Nepal- peng- ▁continent- ▁wok- ▁Swee- ▁excess- ▁neuro- ▁Airbnb- ▁Annabelle- ▁Argentina- ▁Fila- ▁GoPro- ▁Marcus- ▁Neopets- ▁Rihanna- ▁Sanchez- ▁Seletar- ▁Volkswagen- ▁adorable- ▁aerospace- ▁avenue- ▁bargain- ▁bathtub- ▁behavior- ▁cocoa- ▁comprehension- ▁diarrhoea- ▁energetic- ▁kiosk- ▁multiracial- ▁negativity- ▁puberty- ▁pyramid- ▁receipt- ▁repetitive- ▁reunion- ▁singlish- ▁testimonial- ▁trampoline- ▁tribute- ▁unreasonable- ▁unstable- ▁vinegar- ▁Chope- ▁Silat- ▁Zalora- ▁floral- ▁nuclear- ▁scanner- ▁Safra- ▁consistency- ▁Greek- ▁haircut- ▁riot- ▁steel- ▁Akash- ▁Grace- ▁Queen- ▁cumin- ▁laziness- ▁serum- ▁Scandinavia- ▁survival- ▁Lorong- ▁Running- ▁tinder- ▁detective- ▁restart- ▁savory- ▁bojio- ▁Shakespeare- ▁stray- ▁naive- ▁Taiwanese- ▁couch- ▁lump- ▁woohoo- ▁legitimate- ▁cotton- ▁lava- ▁xiao- ▁Ralph- ▁qualified- ▁fox- ▁bible- ▁Sonia- ▁skyline- ▁hiring- ▁Republic- ▁Kids- ▁hassle- ▁epok- ▁bathroom- ▁ashes- Panjang- ▁clan- ▁hugging- ▁Wall- ▁Market- ▁classified- ▁parasailing- ▁Fei- ▁motivational- ▁thankfully- ▁catered- ▁remembering- ▁Mid- ▁deserted- ▁Yang- ▁Wee- ▁upcoming- ▁mage- ▁convinced- ▁fulfilled- ▁Fish- ▁pastry- mail- ▁Hip- ▁organised- ▁accordingly- ▁porn- ▁introverted- ▁kiap- ▁topless- ▁breakup- ▁union- ray- ▁businesses- ▁editing- Tan- ▁Joey- ▁introduced- ▁punching- ▁blindly- ▁stealing- ▁Mile- ▁guns- ▁comb- ▁swinging- ▁Americans- ▁fairly- ▁colder- ▁coaching- mack- ▁targeting- ▁rented- ▁solar- ▁jumped- ▁pon- ▁sized- ▁filming- ▁Fai- ▁prim- wa- ▁fields- ▁br- ▁regional- ▁eighth- ▁brains- der- ▁disc- ▁chao- ▁rows- ▁diagnose- ▁cupcakes- ▁beng- ▁earphones- ▁Gu- ▁metres- ▁units- ▁codes- ▁sheeps- ▁Min- ▁smokers- ▁basics- ▁plump- ▁tools- ▁Sea- kio- ▁complaints- ▁earrings- ci- ▁outlets- ley- ▁Be- ▁investments- ▁scout- ▁curtain- ▁decoration- ▁negotiable- ▁document- ▁gadget- ▁penguin- ▁Boy- ick- ▁expense- ▁joker- ▁clo- ▁smoker- ▁idols- ▁pat- ▁requirements- ina- ▁entrepreneur- istic- ▁acquire- ▁Do- gu- master- ▁blond- ▁MacDonalds- ▁heel- ▁eater- Li- ▁toilets- ▁bonds- ▁sentiment- ▁interrupt- ▁Steve- ▁Shaw- ▁demolish- ▁compose- food- ▁kayak- ▁emphasis- ▁assign- ▁launch- ▁barefoot- Smith- Stadium- Goreng- Street- ▁Grand- Hill- ▁crunch- ▁Latin- padi- Dai- ▁steep- Link- ▁witch- ▁confide- ▁Super- ▁ethnic- ▁Alaska- ▁Avenue- ▁Croatia- ▁Eunos- ▁Joshua- ▁Mecca- ▁Sabrina- ▁Samantha- ▁Takoyaki- ▁Water- ▁aluminium- ▁arcade- ▁bacteria- ▁bazaar- ▁billionaire- ▁capsule- ▁caravan- ▁controversies- ▁deodorant- ▁domestic- ▁engaging- ▁escort- ▁eyeliner- ▁fraud- ▁frisbee- ▁impromptu- ▁inclusive- ▁instagram- ▁jurong- ▁messaging- ▁modify- ▁motive- ▁nevertheless- ▁occupation- ▁possibilities- ▁pretentious- ▁receiving- ▁reservation- ▁showcase- ▁stereotypical- ▁substitute- ▁tempura- ▁therapeutic- ▁timid- ▁unusual- ▁versatile- ▁comedian- ▁dialogue- ▁earliest- ▁summon- ▁attire- ▁Blackshot- ▁Blue- ▁clown- ▁kiwi- ▁virgin- ▁Andy- ▁plaster- ▁Jakarta- ▁bankrupt- ▁compile- ▁Coca- ▁election- ▁bluish- ▁lucid- ▁Nicole- ▁Venice- ▁aloe- ▁Charlie- ▁Wendy- ▁capabilities- ▁modified- ▁Charles- ▁banned- ▁favor- ▁urine- ▁layout- ▁Henry- ▁legacy- ▁mocha- ▁laid- ▁Superman- ▁washroom- ▁overpriced- ▁ease- ▁Halal- kali- ▁wax- ▁Missus- ▁Mitch- ▁capability- ▁sleeveless- ▁floorball- ▁blink- ▁Tiger- ▁pores- ▁rejection- ▁flush- ▁Trump- ▁Siti- ▁progression- ▁assam- ▁retriever- ▁consistently- ▁Cheng- ▁hai- ▁bookshop- ▁wealthy- ▁cui- ▁visually- ▁Forty- ▁naps- ▁obedient- wen- ▁Eleven- ▁hyper- ▁Sang- ▁mindful- ▁Bang- ▁bitten- ▁separately- ▁dresses- ▁Val- ▁pao- ▁delayed- ▁Bad- ▁deleted- ▁registered- ▁pastel- ▁bay- ▁yellowish- ▁arranged- ▁promoted- ▁migrated- ▁Land- ▁contributed- ▁downloaded- ▁directed- ▁windy- ▁solved- au- ▁cease- ou- ged- ▁calming- ▁ob- ▁wasabi- ▁designs- ▁lu- ▁contacted- ita- ▁Bears- ▁supporter- ▁investing- ▁cleared- ▁Nan- siew- ▁ancestors- ▁tackle- fan- ▁renting- ▁smelling- ▁Per- six- ▁def- ▁begins- ▁circled- ata- ▁ram- ▁glu- mation- ▁boarding- ▁tiles- Asia- ability- dey- bit- les- Pok- ▁revis- ▁biscuits- ten- ▁heading- ▁rappers- ▁Boys- her- ▁Han- ▁storm- zz- ▁Qi- ▁involves- tro- ▁candles- ▁vet- ▁holds- ▁efforts- ▁Ed- ▁originate- ▁limits- ▁Bel- our- ▁vera- ▁fe- ▁tease- ▁expire- ▁vendors- ▁milestone- ▁landscape- ▁ano- side- ▁Master- ice- ▁alphabet- ▁statue- ▁minister- ▁Legend- ▁airline- ▁consumer- ▁lastly- ▁rapper- ▁teenager- ▁belief- ▁Tu- ging- ▁downstair- ▁occur- ▁shades- ku- ▁Christ- ▁backstab- ▁defer- mai- ▁arguments- ▁writer- ▁flap- while- ▁memes- cai- ▁He- use- ▁sigh- fe- ▁volunteers- ▁sources- ▁San- ▁dri- ification- ship- ▁Mos- ▁Co- ▁tunnel- ▁Break- ▁employ- ▁choke- ▁explode- ▁perceive- ▁conquer- ▁discard- ▁approve- ▁manipulate- Pooh- ▁transcribe- ▁disrespectful- Kee- ▁shove- ▁trauma- Kai- ▁addition- ▁athletic- ▁Admiralty- ▁Digimon- ▁Eighteen- ▁Eminem- ▁President- ▁Sydney- ▁WeChat- ▁accommodate- ▁aglio- ▁attentive- ▁coleslaw- ▁congrats- ▁consumption- ▁cringy- ▁deaf- ▁district- ▁drumstick- ▁evaporate- ▁expenditure- ▁gantry- ▁hummingbird- ▁hypocrite- ▁inconvenient- ▁instinct- ▁intuition- ▁irrational- ▁policies- ▁pricing- ▁purplish- ▁servant- ▁skeptical- ▁surviving- ▁syndrome- ▁terrace- ▁turret- ▁wedges- ▁Angkor- ▁Ellen- ▁Hanoi- ▁Ofo- ▁Rebecca- ▁increasing- ▁outdated- ▁pursuit- ▁Heartland- ▁association- ▁psychologist- ▁unpredictable- ▁Yates- ▁manufacturing- ▁index- ▁botak- ▁quantity- ▁Marco- ▁runner- ▁memorising- ▁obsession- ▁ferment- ▁lamppost- ▁balm- ▁Tuas- ▁Frank- ▁announcement- ▁penalty- ▁Nyonya- ▁leverage- ▁Monkey- ▁stroke- ▁font- ▁token- ▁massive- ▁chopping- ▁wheat- ▁kiasi- ▁optimistic- ▁mochi- ▁subtle- ▁embarrassment- ▁secretary- ▁smartphone- ▁wives- ▁Arabic- ▁bold- ▁popping- ▁sync- ▁curb- ▁summary- ▁kacang- ▁Catholic- ▁continuously- ▁Mio- ▁reuse- ▁colorful- ▁problematic- ▁Tower- Centre- ▁Hsien- ▁Jackie- ▁fussy- ▁counsellor- ▁koi- ▁wastage- ▁countryside- ▁worn- ▁longkang- ▁Junior- ▁Clinton- ▁revolve- ▁cetera- ▁Rong- ▁Eastern- Schooling- Tong- ▁quitting- ▁handful- ▁Eric- ▁sewing- ▁knowledgeable- Tay- ▁walkway- ▁petty- ▁outlook- ▁disappointing- ▁monkeys- ▁Mama- ▁instantly- ▁Breaking- ▁Maggie- ▁smoothly- ▁Pong- ▁tailor- ▁Lord- ▁payout- ▁encountered- ▁updated- ▁refreshing- ▁typically- ▁warmer- ▁intended- ▁protected- ▁Potter- ▁ideally- ite- ▁shorten- ▁dull- ▁checkup- ▁borrowed- ▁tougher- ▁sheltered- ▁reported- ▁tau- ▁removed- ▁hoop- ▁tenth- ▁prisoner- pped- ▁pearls- ▁dough- Hut- ▁placement- ▁figures- ▁chewy- ▁dash- ▁coasters- tuk- ▁hurting- ▁sentences- ▁promotions- ▁lorh- ▁undergo- let- ▁loans- ▁expressing- ▁opt- ▁cult- ▁pest- ▁meow- ▁Ar- ▁cuisines- ▁mentioning- ▁fireworks- ▁teammates- ▁shi- ▁epi- ▁kang- ▁claims- ▁patterns- ▁programmes- ▁Got- ▁engineers- ▁props- ▁donut- iel- ▁vouchers- ▁overload- ▁watery- ue- ▁interviews- iao- ▁rea- lan- ▁owners- ▁extract- ▁So- ome- ▁systems- ▁faced- ara- ▁metre- can- ▁yearly- ▁terminate- ▁connections- ▁joint- ▁exception- ▁drip- ▁scrape- ▁cre- ▁listing- ▁Fun- ▁scrap- ▁lan- ▁questioning- ▁Mar- ythic- ▁scholars- hipped- hu- ▁reader- ▁col- ▁quotes- ▁strengths- ery- ▁calculation- ▁feather- ▁muffin- ▁restriction- ▁slaves- ▁downward- ▁Bun- ▁handles- ▁sandal- ▁shoulders- ▁exists- od- ▁lac- ▁que- ec- ▁Wu- ▁Ice- ring- ▁Dad- ▁ter- id- ▁Fat- ▁rob- ▁pointer- ▁min- ▁wan- ▁sy- ▁Roman- ▁sua- tai- ▁gut- ▁nieces- uhyou- ▁hun- School- ▁overthink- ▁execute- scape- ▁pierce- Kayu- ▁Louis- America- club- House- ▁rotate- Hao- ▁singlet- ▁gracious- ▁Taufik- ▁Mickey- ▁Beyblade- ▁Clara- ▁Donald- ▁Drake- ▁Eiffel- ▁Kelvin- ▁Natalie- ▁Nigel- ▁PlayStation- ▁Porsche- ▁Sundram- ▁Tamarind- ▁Tamiya- ▁Watson- ▁Zumba- ▁allergy- ▁ambience- ▁balancing- ▁belacan- ▁bimbo- ▁bisque- ▁bouncy- ▁carried- ▁clarify- ▁climax- ▁condominium- ▁decrease- ▁diversity- ▁efficiency- ▁eyelid- ▁fascinate- ▁feast- ▁fickle- ▁filtration- ▁forklift- ▁fortune- ▁increment- ▁infrastructure- ▁mattress- ▁nostalgic- ▁packaging- ▁pollution- ▁pregnancy- ▁prominent- ▁redundant- ▁revenge- ▁scandal- ▁shrink- ▁sneeze- ▁violent- ▁welcoming- ▁Avatar- ▁George- ▁Harvey- ▁Shakti- ▁cyber- ▁enforce- ▁palette- ▁shelves- ▁thinner- ▁vulnerable- ▁Conan- ▁Shangri- ▁creator- ▁Langkawi- ▁cosplay- ▁farewell- ▁literacy- ▁annual- ▁eczema- ▁Simei- ▁typing- ▁collar- ▁variation- ▁impose- ▁miracle- ▁sojourn- ▁hairstyle- ▁journalist- ▁snowball- ▁theories- ▁bedsheet- ▁lasting- ▁digit- ▁injection- ▁foil- ▁supplier- ▁charging- ▁prioritize- ▁refund- ▁gassy- ▁spur- ▁reception- ▁nagging- ▁vain- ▁occupied- ▁revision- ▁signature- ▁flute- ▁cancerous- ▁papa- ▁Harley- ▁squatting- ▁grandson- ▁pathetic- ▁measurement- ▁Melaka- ▁Hitch- ▁subconsciously- ▁ladder- ▁footage- ▁Bible- ▁consecutively- ▁hung- ▁fishcake- ▁Baby- ▁retrenched- Ondeh- anakan- ▁Jeremy- ▁patches- ▁Mario- ▁bookstore- ▁mangoes- ▁Scrabble- ▁affection- ▁investigation- ▁Tsum- ▁snorkeling- ▁relive- ▁restricted- ▁officially- Hall- ▁ballad- ▁cosy- ▁underage- ▁publication- ▁fainted- ▁pang- ▁possessed- ▁Abu- ▁Bao- ▁catering- ▁jie- ▁buyer- mark- ▁ramp- ▁poisoning- ▁dusty- ▁marvel- ▁carton- ▁setup- ▁adopted- ▁shaker- ▁hose- ▁sweaty- ▁vine- ▁pastor- ▁cheering- ▁repeated- ▁pumping- ▁Dim- ▁passes- city- ▁tearing- ure- ▁sooner- Balance- ▁figured- ▁lifted- ▁commonly- ▁printing- ▁Arts- ▁oppose- ▁retrieve- ▁Sundays- ▁caus- ▁essays- ▁organisations- ▁moderate- ▁tri- ▁camel- ▁funds- ▁warn- ▁para- ▁Muslims- ▁wool- ▁statistics- ▁shooter- ▁subtitles- ▁motivates- ▁alpacas- ▁Ji- ▁sounded- ▁morals- ▁tissues- ▁saver- ▁mart- ative- ▁Hall- ug- ▁intentions- ▁lively- ▁comforting- ▁matching- ▁Ne- ▁arc- ▁Chin- ▁covers- ake- ew- ▁Ja- ▁thi- ▁Hwa- ▁mute- ▁mar- ▁sam- ▁reasoning- ▁forces- ▁rot- ▁grapes- ▁dancers- ▁tha- ▁ordering- ▁Tuesdays- ▁devices- ▁rhymes- ▁coun- ▁chocolates- ▁Dee- ▁vo- ▁wordings- ▁dolphins- ▁packets- ▁rebu- ▁pigeons- vert- ▁pl- ▁fellas- ase- ▁whi- sion- po- den- ▁lar- wi- hai- ▁bowls- ▁clothings- con- ▁clam- ▁Scoot- ▁chunk- ▁incentive- ▁rope- ▁attribute- ▁Caucasian- ▁Alia- ▁bud- ▁acquaintance- ▁participant- ▁graphic- ▁electives- ▁earphone- ▁creature- ▁trunk- ▁females- ▁grandparent- ▁flyer- ▁awards- ▁sl- ▁instance- ▁nutrition- don- ▁tra- ▁prom- ▁Sa- ala- ▁tons- ▁Lu- ▁hamsters- ▁touche- chu- ▁swan- ▁relations- ▁via- ▁monsters- lie- ▁poo- ▁Teo- ▁ir- min- ▁hoo- ▁nets- ▁Pin- ▁High- ▁containers- ▁dan- ▁ratio- ▁disappoint- ▁Panda- wood- ▁distribute- ▁cultivate- ▁sneak- ▁exceed- Faber- McCartney- Fingers- Padang- tarik- Hotel- screen- centre- ▁dense- wei- Gaga- ▁swam- ▁fade- Wang- ▁underline- ▁interfere- ▁Sherlock- Soto- ▁Alibaba- ▁Benedict- ▁Cambridge- ▁Dylan- ▁Eunice- ▁Florence- ▁Gordon- ▁Kraken- ▁Kranji- ▁Oliver- ▁Rolex- ▁alarum- ▁autumn- ▁backyard- ▁beancurd- ▁brisk- ▁burrito- ▁butterflies- ▁collaboration- ▁concubine- ▁denim- ▁envelope- ▁esteem- ▁eyesight- ▁frivolous- ▁guidance- ▁heartbroken- ▁intensive- ▁kettle- ▁khaki- ▁lemonade- ▁liberal- ▁magenta- ▁mousse- ▁mundane- ▁muscular- ▁necessities- ▁negotiate- ▁obsolete- ▁prejudice- ▁providing- ▁raccoon- ▁resolution- ▁rhythm- ▁scotch- ▁sequence- ▁slaughter- ▁snail- ▁snatch- ▁staycation- ▁victim- ▁violin- ▁vocab- ▁abnormal- ▁collab- ▁dribble- ▁export- ▁hardware- ▁hollow- ▁jackfruit- ▁permission- ▁royal- ▁unconscious- ▁Brooklyn- ▁Hindi- ▁bouncing- ▁communicating- ▁kebab- ▁romcom- ▁Gucci- ▁Roti- ▁armrest- ▁carbonara- ▁Harbourfront- ▁Kuala- ▁inspect- ▁excitement- ▁Amazon- ▁Coney- ▁convertible- ▁grace- ▁beware- ▁biological- ▁saint- ▁galaxy- ▁inequality- ▁jewelry- ▁proposal- ▁Laksa- ▁Shopee- ▁cement- ▁disappointment- ility- Blyton- ▁Alps- ▁lobby- ▁planner- ▁disability- tinous- ▁chainsaw- ▁paragliding- ▁rapping- ▁Morrie- ▁craze- ▁relating- ▁conventional- ▁Lego- ▁Zul- ▁bullies- ▁impaired- ▁thoroughly- ▁Waterway- ▁unlock- ▁Jess- ▁q- ▁techno- ▁diary- ▁underwater- ▁opinionated- ▁engagement- ▁whine- ▁meditate- ▁specialise- ▁encouragement- ▁bride- ▁Haji- ▁institution- ▁seaside- ▁agar- ▁teamwork- ▁singaporean- ▁conductor- ▁vanish- ▁Loreal- ▁macaroon- ▁Secondary- ▁checkpoint- ▁acceptance- ▁marksman- ▁clingy- ▁eastern- ▁judgemental- ▁popularity- ▁Safari- ▁pastries- ▁brighten- ▁established- ▁intellectually- ▁amuse- ▁dramatic- ▁Holy- ▁Stadium- ▁grasp- ▁becau- ▁mono- ▁policeman- ▁tribe- ▁Rose- ▁Ahmad- ▁carries- ▁Tay- ▁fireman- ▁Lily- ▁mansion- ▁peeping- ▁peep- ▁manageable- ▁expresses- ▁guaranteed- ▁Mike- ▁interactions- ▁drowning- ▁briefing- ▁momentum- ▁trader- ▁consulting- ▁begging- ▁Shawn- ▁captured- ▁herbs- ▁strictly- ▁Kok- ▁fullest- ▁circl- ▁stolen- ▁Ash- ▁successfully- ▁painted- ▁commented- ▁impacted- ▁usage- ▁wider- outhern- ▁leaders- ▁delivering- ▁gown- ▁deeply- ▁safely- ▁positions- ▁disciplined- ▁scratching- ▁Ubin- ▁pronounced- you- ▁freshie- ▁socially- ▁timers- ▁spoiling- ▁siap- ▁tickle- ▁locally- ▁orangey- ▁paints- ▁viewers- ▁Ju- Mall- ▁simpler- ▁forties- ump- ▁Ki- ▁stepp- ▁braces- ▁seeking- ▁processing- ▁laughed- ▁cheapo- ▁boxer- ▁Home- lian- ▁simplest- ▁rumours- ▁dope- mian- ▁darts- ▁Xing- ▁serves- ▁mommy- ▁struggles- ▁Mu- ▁cracks- ▁stinks- ▁Maps- ▁branding- ▁weed- ▁graphics- ▁hints- ▁ribbons- ▁slices- Nila- ▁musicals- ▁alight- nia- Xue- ▁homely- ▁Mer- ▁apologize- fa- ▁chun- ▁sha- halia- ble- ▁kenn- ▁kites- fu- ▁Kan- ▁Na- ▁pampers- ▁differs- ▁decorate- ▁nan- ▁pu- ▁Sum- ▁twins- ▁experiments- ▁scores- nine- ▁Kat- ▁directors- ▁ration- ▁sons- com- Go- ▁estates- ▁crow- ▁notebook- ▁worksheet- ▁Guardian- ▁contribution- ▁Olympic- ▁hotdog- ▁cocktail- ▁regard- ▁headlight- ▁cupcake- ▁ray- ▁filler- ▁Girl- ▁chu- ▁influencers- ▁afterward- ▁jar- ▁tablets- ▁va- ▁appears- ▁listener- ▁realis- ▁fl- ▁Mr- ▁ache- ▁rains- ▁maps- ▁Eni- ▁trades- ▁Harri- aga- oon- ▁markets- ▁cen- ▁communications- ▁econ- Xin- ▁Ring- ▁hits- lving- ▁fro- ▁islands- ▁lizards- ▁turtles- house- ▁sen- point- Jia- ▁convey- ▁lick- ▁allocate- ▁evolve- ▁tangle- ▁dedicate- ▁disrespect- Kiat- ▁addict- carte- Theme- ▁excessive- ▁Sakura- ▁diagonal- Ayer- Xian- Siew- ▁truthful- Your- ▁vocation- ▁Spider- ▁rash- ▁proportion- ▁Carol- Hawk- ▁smash- ▁Alexandra- ▁Antarctica- ▁Balestier- ▁Barcelona- ▁Bryan- ▁Davon- ▁Domino- ▁Elizabeth- ▁Madinah- ▁Maplestory- ▁Mitsubishi- ▁Mountbatten- ▁Odac- ▁Ovaltine- ▁Pioneer- ▁Qatar- ▁Shazlin- ▁Siloso- ▁Spurs- ▁Takashimaya- ▁Under- ▁Uzbek- ▁athlete- ▁bachelor- ▁baggage- ▁beggar- ▁believing- ▁bridesmaid- ▁brilliant- ▁bursary- ▁caffeine- ▁candidate- ▁churros- ▁column- ▁culinary- ▁curfew- ▁curiosity- ▁deviate- ▁diabetic- ▁distinguish- ▁dormitory- ▁grasshopper- ▁handwriting- ▁invitation- ▁jalebi- ▁mandarin- ▁overweight- ▁portrait- ▁premier- ▁producing- ▁pursuing- ▁reputable- ▁sacrificing- ▁shredded- ▁skydive- ▁slanted- ▁societal- ▁spiciness- ▁steroid- ▁stool- ▁superstitious- ▁survivor- ▁syntax- ▁transcribing- ▁transgender- ▁tteokbokki- ▁uncultured- ▁uneasy- ▁unnatural- ▁Valentine- ▁coincidence- ▁eligib- ▁multiplication- ▁outward- ▁starving- ▁Ariana- ▁Jessica- ▁brim- ▁pronouncing- ▁redeem- ▁undeveloped- ▁Chingay- ▁FoodPanda- ▁duties- ▁merchandise- ▁excla- ▁grid- ▁coordination- ▁dynasty- ▁conversion- ▁enthusiastic- ▁flashback- ▁Catherine- ▁Kolo- ▁Samyang- ▁Cameron- ▁consultant- ▁pharmaceutical- ▁Quran- ▁Subaru- ▁Tori- ▁pumpkin- ▁representative- ▁screenshot- ▁Lush- ▁stew- ▁tropical- ▁Xiaomi- ▁cursing- ▁jamming- ▁mysterious- ▁patty- ▁slam- ▁acid- ▁coupon- ▁Karen- ▁daring- ▁permit- ▁voluntary- ▁Cherry- ▁philo- ▁armour- ▁Wicked- ▁bugis- ▁narrative- ▁foster- ▁aircraft- ▁grain- ▁admitted- ▁interpretation- ▁sceneries- ▁Jean- ▁Etude- ▁Hawaiian- ▁flick- ▁progressive- ▁arrangement- ▁indirectly- ▁lorry- ▁dispenser- ▁confession- ▁torturing- ▁wander- ▁Obama- ▁Ramly- ▁explicitly- ▁advancement- ▁Nathan- ▁workforce- ▁Lola- ▁adoption- Yan- ▁weightage- ▁warmth- ▁brag- ▁fuss- ▁Jayden- ▁White- ▁alcoholic- ▁achieving- Day- ▁laze- ▁Padang- ▁tarik- ▁specialist- ▁lightning- ▁flame- Hua- ▁sotong- ▁sixties- ▁presentable- ▁implemented- ▁Heng- ▁punished- ▁relaxation- Simpson- ▁Pris- ▁Nick- ▁hopeless- ▁cleanse- ▁freezer- ▁cop- ▁Chuan- ▁Your- ▁downside- ▁hoc- ▁vomited- front- ▁fling- Jin- ▁businessman- ▁lord- ▁preach- ▁missus- ▁wishes- ound- ▁struggled- ▁postpon- abi- ▁divorced- ▁superman- ▁sling- ▁crashed- ▁coolest- ▁funding- ▁switched- ▁draining- ▁artsy- Highland- ▁donkey- ▁former- ▁tense- ▁blown- ▁Fen- ▁fourty- ▁server- ▁cur- ▁suited- ▁tuk- ▁poorer- ▁Kate- ▁pur- ▁interacting- ▁gossiping- ▁copying- ▁survived- ▁Ann- ▁swearing- ▁screening- ▁verbal- ▁congratulations- ▁regulations- ▁sleeves- ▁blocked- ▁milky- uhso- ▁supported- ath- ▁shifting- ▁weapons- ▁cooker- mun- ▁earned- ▁tracking- ▁hanger- ▁competitors- ▁laptops- ▁Mc- ▁carbon- ▁brownies- ▁tak- ile- ▁shred- ▁baller- ▁neh- ▁trending- ▁crane- ▁solutions- ▁surroundings- ▁snakes- ▁hatch- lon- ▁listed- truck- ▁freely- ▁clash- ▁Ling- ▁phrases- ▁organs- ▁keys- ▁newly- ▁Times- ▁Malaysians- ▁shook- ▁instances- ▁participants- ties- ▁bing- ▁drawn- ▁laz- ▁perm- ▁individuals- ▁brat- ▁cal- ▁captains- ▁stressing- kar- ▁barb- ▁Lan- ▁grams- An- ▁mushrooms- ock- fish- ▁ce- ob- jo- ▁corners- ky- ▁fights- ▁rela- ell- ister- ▁Exo- ▁squats- ▁med- ▁Des- ▁complaint- rus- ▁pal- fault- izing- ▁shapes- ▁functional- tered- ▁emoji- ▁kilo- ▁vlog- ▁pudding- ▁liar- ▁highlighter- ▁prelim- ▁glitter- shit- ▁stink- ▁Map- ▁Hi- ugh- ▁ea- urf- ▁An- ▁dia- ▁deed- over- read- Legends- ▁upright- isation- vin- ▁textbooks- za- ▁cul- ▁pens- ▁lunche- ox- ▁occasions- ▁promises- Sing- ▁yum- ishan- Fu- ▁tires- ▁ov- uhbut- work- Co- ▁rum- ▁sto- sum- ▁El- ▁beak- ▁insta- back- hur- ▁excuses- ▁medic- ▁tram- ▁kindly- ▁burp- ▁flood- school- ▁analyze- ▁Yue- ▁restrict- ▁rewatch- ▁invade- Serai- padang- Bond- Express- Hsien- ▁verse- bean- Star- Canning- Yong- Kun- ▁bloom- Nine- Shop- Cola- ▁dispos- Yang- Chang- ▁Walk- ▁urge- ▁quirk- ▁Sports- ▁Buona- ▁Wolf- ▁Buangkok- ▁Dorcas- ▁Dutch- ▁Encik- ▁Eugene- ▁Farrer- ▁Fedex- ▁Gallery- ▁Giselle- ▁Gossip- ▁Israel- ▁Liechtenstein- ▁Malcolm- ▁Mustafa- ▁Northshore- ▁Phyllis- ▁Pokka- ▁Predator- ▁Pringles- ▁Sarawak- ▁Sepak- ▁Tioman- ▁Turkish- ▁Ustad- ▁absence- ▁appraisal- ▁asterisk- ▁beachcombing- ▁bluetooth- ▁calculative- ▁choosy- ▁civic- ▁claypot- ▁clutch- ▁crucial- ▁darling- ▁declare- ▁fairytale- ▁footstep- ▁fracture- ▁futsal- ▁haywire- ▁hypebeast- ▁inconsiderate- ▁invalid- ▁jewellery- ▁karma- ▁karung- ▁lanyard- ▁mayonnaise- ▁paranoid- ▁phantom- ▁placing- ▁poetry- ▁pokemon- ▁positivity- ▁replies- ▁reshuffle- ▁rooster- ▁satellite- ▁treadmill- ▁tuxedo- ▁undergrad- ▁universities- ▁unsafe- ▁yoghurt- ▁BoJack- ▁Brandon- ▁Queenstown- ▁abstract- ▁mould- ▁parrot- ▁wagyu- ▁Pontianak- ▁Stitch- ▁ZoukOut- ▁hustle- ▁vacant- ▁valley- ▁conversing- ▁crop- ▁dentist- ▁discrimination- ▁residential- ▁sperm- ▁whiny- ▁Redhill- ▁barrel- ▁distilled- ▁koala- ▁soothing- ▁recreate- ▁sauna- ▁innovation- ▁chincai- ▁citizenship- ▁keychain- ▁Melissa- ▁bubbly- ▁indicator- ▁reckless- ▁translator- ▁Nightcrawler- ▁Rudy- ▁polyclinic- ▁Christine- ▁Kenya- ▁etcetera- ▁sensible- ▁Meetings- ▁platoon- ▁Richard- ▁Chiang- ▁purse- ▁abang- ▁ledge- ▁intensity- Horror- ▁vulgarity- ▁Ramen- ▁Keaton- ▁Josh- ▁Friza- ▁blusher- ▁Joanne- ▁pantry- ▁fulfillment- ▁capitalism- ▁Saudi- ▁Sabah- ▁bloated- ▁interactive- ▁buried- ▁incredible- ▁reborn- ▁madam- ▁Martin- ▁repay- ▁Ninja- ▁accountant- ▁jalan- ▁nationality- ▁retro- ▁Body- ▁archery- ▁thrice- ▁ballroom- ▁conjur- ▁Gina- ▁Yusof- ▁biz- ▁recited- ▁maple- ▁misery- ▁traveller- ▁barbie- ▁Lynn- ▁trace- ▁sprint- ▁Way- ▁junk- ▁Angmoh- ▁Place- ▁Anne- ▁waterfront- ▁stating- ▁entertainer- ▁evolved- ▁fortunately- ▁assigned- ▁acad- ▁arrogantly- ▁latch- ▁benches- ▁commando- Chai- ▁cringey- ▁lining- ▁emphasise- ▁Love- ▁drifted- ▁Yio- ▁greenery- ▁tempered- ▁commander- ▁primer- ▁growling- ▁adrenaline- ▁decently- ▁eel- ▁Hor- ▁feeder- ▁padi- ▁tenant- ▁recorder- ▁irony- ▁freaky- ▁wired- ▁shortest- ▁healing- ▁chope- ▁united- ▁Skin- ▁reaches- ▁loading- ▁provider- ▁Mian- ▁conditioned- ▁negatively- ▁Qua- ▁approached- ▁structured- Sat- ▁coughing- ▁Kway- ▁onboard- ▁Jin- ▁bento- ▁pilates- ▁utensils- ▁Ron- ▁States- ▁otah- Hop- ▁spoiler- kueh- ▁edges- ▁protecting- ▁Jim- ▁aw- atic- ▁pressured- ▁Juliet- ▁fave- ▁Mathematics- ▁Netherlands- ▁deer- ▁marbles- ▁farting- ▁photoshop- ▁Ven- ric- ▁interning- ▁boobs- kin- ▁willingly- ▁richest- ▁Farm- ▁duplicate- ▁shortly- ▁mayo- ▁operations- West- ny- ▁settl- ▁kim- ▁Nat- ▁researching- ▁mag- shop- ▁deco- ▁tutors- ▁holder- ▁offering- ▁yawn- ▁Zac- ▁tock- ▁Ren- Lanka- ▁opener- ▁headed- thing- ified- ▁Straits- ▁beating- ▁wahseh- bay- ▁upsize- ass- ▁genetics- ▁Incredibles- ▁images- ▁Time- ▁arch- ▁viewing- wor- ▁Pes- ▁moths- Ling- seng- ▁crackers- ology- gan- ▁leak- ld- ▁offers- ▁headlights- ▁anot- Yu- ▁sno- ▁ping- gen- ▁guts- Wat- ▁teenagers- ▁Cove- ▁sch- Bo- ▁temples- ▁accents- ▁affairs- ▁characteristics- nam- ▁ku- ▁Te- ▁Joo- ▁samples- ▁Fan- ▁Pop- ▁girly- ▁patients- yi- ▁Ming- ▁equipments- eng- bar- log- ▁tit- ▁ops- ▁stu- ▁socialise- ▁influences- ▁straws- ▁ge- econs- ▁ham- ▁indi- ▁hum- uck- ▁pirate- ▁meatball- Chef- ▁prospect- ▁sunflower- ▁cosmetic- ▁intimate- ▁Euro- ▁sitcom- ▁vocal- ▁dynamic- hand- ▁obstacle- ▁cracker- ▁figurine- ▁consequence- night- ▁organ- iz- ▁Ai- ▁prop- ▁stacks- ▁bob- Mai- ▁veggies- ▁ghosts- nna- ▁Mont- uhokay- ▁sheets- ▁tutorials- ani- ipping- ▁ja- Gi- bed- ▁Cola- ▁hacks- ▁sta- ▁traditions- pao- Xi- bing- ▁workshops- ▁customs- ▁erasers- ▁cri- ▁betray- ▁detox- ▁skateboard- ▁sniff- ▁Ye- ▁canoe- ▁buffer- ▁confine- born- ▁censor- Albom- cheong- ▁nurture- Place- ▁fidget- Beach- Burger- Service- hundred- Blangah- Neo- Town- ▁hypothetical- ▁technological- ▁continuous- ▁awful- ▁selective- tete- ▁Coop- ▁gentleman- Cheng- ▁portrays- ▁manifest- ▁fav- ▁offend- ▁inferior- ▁regime- ▁quota- ▁compassion- ▁architect- ▁prac- ▁Asean- ▁horizon- ▁persevere- ▁pivot- '0'- Civic- Rebus- ▁Amoy- ▁Brussels- ▁Canadian- ▁Converse- ▁Decathlon- ▁Deloitte- ▁Engineering- ▁Kindergarten- ▁Mongolia- ▁Norman- ▁Sophie- ▁SpongeBob- ▁Taichung- ▁Tumblr- ▁accessibility- ▁algebra- ▁bonnet- ▁buggy- ▁cheerleading- ▁critique- ▁deejay- ▁disguise- ▁faculty- ▁flexibility- ▁frustrating- ▁gimmick- ▁giraffe- ▁glimpse- ▁handicap- ▁housekeeping- ▁idiom- ▁injuries- ▁intangible- ▁intolerant- ▁intriguing- ▁jelak- ▁jovial- ▁kranji- ▁liquor- ▁lontong- ▁mediocre- ▁morbid- ▁offensive- ▁operator- ▁orchestra- ▁parachute- ▁rapport- ▁sengkang- ▁soggy- ▁striking- ▁supervise- ▁thunder- ▁tolerant- ▁ungrateful- ▁unhappiness- ▁upwards- ▁vibration- ▁worldwide- ▁Pikachu- ▁abort- ▁cheque- ▁compensation- ▁impart- ▁inbound- ▁invincible- ▁jagged- ▁rigid- ▁Maroon- ▁encik- ▁fascinating- ▁Biology- ▁attain- ▁crude- ▁edible- ▁jazz- ▁moderation- ▁trek- ▁Hawker- ▁isolated- ▁mechanism- ▁rotten- ▁Ethan- ▁blister- ▁expedition- ▁fondue- ▁humility- ▁motivating- ▁personnel- ▁Sivaya- ▁Omar- ▁accuse- ▁blazer- ▁database- ▁revive- ▁sew- ▁shaggy- ▁admirable- ▁chaotic- ▁fulfilment- ▁rust- ▁mumbling- ▁oats- ▁stomachache- ▁trivial- ▁Aljunied- ▁Nemo- ▁Sunway- ▁buzz- ▁confinement- ▁flea- ▁Canon- ▁borderline- ▁Maple- ▁swimmer- ▁Liho- ▁sideways- ▁echo- ▁Flame- ▁Lucky- ▁legendary- ▁Nakhon- ▁Pentagon- ▁observing- ▁Chanel- ▁swimwear- ▁Sein- ▁innate- ▁copper- ▁mount- ▁stout- ▁Sophia- ▁inherently- ▁respective- formed- ▁baseball- ▁Creed- ▁scatter- ▁charred- Thai- ▁properties- ▁casing- ▁arthritis- ▁glory- ▁artwork- ▁detector- ▁guideline- ▁Oppo- ▁consuming- ▁trance- ▁Hannah- ▁gaze- ▁Mirror- ▁weaknesses- ▁prolong- ▁biryani- ▁workaholic- ▁werewolf- ▁sunlight- ▁hunger- ▁bury- ▁stranded- ▁Shepherd- ▁manufacturer- ▁Perry- ▁kart- ▁thrifty- ▁Siglap- ▁tomatoes- ▁intentional- ▁Astro- ▁modelling- ▁flipped- ▁Dragon- ▁puncture- ▁yelling- ▁starch- ▁Muse- ▁whiteboard- ▁Kevin- ▁resell- ▁barber- ▁southern- ▁taxes- ▁saga- ▁stretches- ▁kith- ▁booster- ▁roaming- Jie- Zi- ▁hou- ▁pek- ▁logically- ▁formulas- ▁Meng- ▁priceless- ▁nev- ▁sincerely- ▁slimy- ▁Mei- ▁Jade- ▁chemo- ▁Chen- ▁brighter- ▁rationale- ▁transform- ▁slippery- ▁genie- Flyer- ▁loaded- ▁smartest- ▁sunk- ▁initiated- ▁charming- ▁largely- ▁striker- ▁twisted- ▁sumo- ▁Lebar- ▁concentrated- ▁sweetness- ▁participated- ▁unzip- ilda- ▁voted- ▁teow- ▁toasted- ▁delivered- ▁lessen- max- ▁interviewer- ▁Choon- ▁mai- ▁steamed- Five- ▁demanding- ja- ▁pickup- ▁vomiting- ▁recreational- hell- crabble- ▁discounted- ▁widely- ▁Chem- Kim- ▁gifted- ▁tutoring- ▁moody- ▁peck- ▁kueh- for- ▁paced- ▁Vibes- ▁freebies- ▁slacking- ▁fuse- ▁strangest- ▁chased- ory- ▁tally- ▁Jon- ▁pes- Teh- ▁adopting- ▁similarly- ▁challenged- ▁grant- ▁sweeter- ▁trim- ▁pouring- ▁kissing- ▁Shah- ▁quarreling- ▁thesis- ▁melon- ▁rider- ▁commenting- ▁marked- ▁trendy- anese- ▁slime- ▁designed- ▁Airlines- ▁Max- ▁cared- ▁updates- ▁bites- ▁reminding- ▁undo- ▁professors- ▁expen- ▁formation- ▁Ko- ▁rumors- ▁litre- ▁yu- esh- ▁superb- hal- tter- ▁orca- ▁loo- ▁weirdly- ▁chap- ▁fu- ▁tile- ▁Aisha- ftee- ▁starve- ▁linguistics- itty- Besar- ▁complained- ▁fishy- ▁handphones- ▁sites- ▁clips- ▁Shak- siam- ▁Popeyes- ▁attracts- pok- ▁lungs- unch- ▁indulge- Vinci- ▁earns- tary- ▁rem- ▁Shin- ▁soba- lyn- gie- ▁memori- ▁settings- ▁acquaintances- zi- ▁Hat- ▁Les- ▁restrictions- ▁stimulate- eth- ▁rev- ▁writers- ▁bot- ▁cr- ▁Nas- aving- ▁angels- ▁waiter- ▁ambitions- ▁hash- ▁cer- ▁payments- ▁div- fro- ▁Un- ▁Sat- ▁lobsters- buy- ▁Laos- ▁bundles- ▁qualifications- ▁employees- ▁amen- ▁decor- ▁contains- ▁Macs- ▁costumes- ▁fla- ▁strips- ▁Goh- ▁mal- ▁specialize- ▁supplements- ▁achievements- ▁Happ- ▁Mas- ▁Tri- ▁til- ith- ppl- ▁conflicts- ▁Car- ▁Shan- ▁certifi- ▁borders- ▁sacks- ▁cucumber- ▁rifle- ▁Ame- ▁photograph- ▁cube- ▁accelerat- ▁soldier- ▁chopstick- ▁interval- ▁moth- ▁physic- ▁pane- ▁bas- ▁competitions- ▁ph- ▁lung- ▁gene- ▁limb- ▁maids- ▁tours- ▁cinemas- ▁rip- ▁Wednesdays- ▁Hu- ▁influenc- ▁sk- ▁oth- ▁shu- zan- The- ▁remains- sided- ▁spil- ▁Di- ▁overlap- aw- ▁marina- ▁Cat- ▁liter- ▁Fri- ▁planks- ▁dine- ▁ala- ▁opera- Kut- ▁failures- ▁scor- Oh- ▁Zoey- ▁chai- ▁establish- ▁presentations- ▁broadcast- ▁gardens- ▁Mi- sale- ▁Tam- ▁contra- ▁condense- ▁blindfold- ▁construct- Lumpur- Bird- Opera- Minister- Safari- Tower- Market- Young- economics- Cafe- white- ▁Bangladesh- ▁incline- Khalifa- ▁lee- ▁charit- ▁builds- eteor- ▁suburb- ▁navigat- ▁exhibit- ▁jewel- ▁lang- ▁knit- ▁mortal- ▁charisma- ▁orphan- ▁humanitarian- ▁Jeff- ▁kidnap- ▁Class- ▁chalk- ▁Alexander- ▁Champion- ▁Isaac- ▁Jeffrey- ▁Swiss- ▁spiral- Rudolph- Siong- uhbecause- ▁Abby- ▁Adelaide- ▁Allied- ▁Amirul- ▁Dancing- ▁Doraemon- ▁Elaine- ▁Gundam- ▁Herschel- ▁Kenneth- ▁Kopi- ▁Louvre- ▁Neutrogena- ▁Saizeriya- ▁Sapporo- ▁SingPost- ▁SkillsFuture- ▁abrasion- ▁acoustic- ▁admission- ▁algae- ▁amateur- ▁antibiotic- ▁appetite- ▁bitcoin- ▁bruise- ▁chickpea- ▁clerk- ▁collaborate- ▁complement- ▁conform- ▁democracy- ▁descriptive- ▁despair- ▁diarrhea- ▁dignity- ▁exploit- ▁foremost- ▁frustration- ▁gallery- ▁grandkid- ▁handicapped- ▁improvise- ▁industries- ▁inefficient- ▁insomnia- ▁intestine- ▁jasmine- ▁keyword- ▁librarian- ▁loaf- ▁loophole- ▁lucrative- ▁manicure- ▁mascara- ▁mascot- ▁maternity- ▁mushy- ▁nostalgia- ▁offense- ▁outspoken- ▁paramedic- ▁partition- ▁paternal- ▁piggy- ▁pitiful- ▁pleasing- ▁prestigious- ▁primarily- ▁psychopath- ▁quinoa- ▁reducing- ▁registration- ▁reluctant- ▁sembawang- ▁spacious- ▁spectacular- ▁squarish- ▁strapped- ▁suitcase- ▁takoyaki- ▁tandoori- ▁trophy- ▁tsunami- ▁tumour- ▁ultra- ▁unnecessarily- ▁unwind- ▁Chendol- ▁Feb- ▁Lukaku- ▁Wisma- ▁WolfTeam- ▁dengue- ▁determination- ▁evolution- ▁geez- ▁observation- ▁raft- ▁aisle- ▁guiding- ▁inverted- ▁radiation- ambeng- ▁Coach- ▁Evelyn- ▁Greenland- ▁Monaco- ▁demographic- ▁masala- ▁quack- ▁Grail- ▁compatible- ▁Alfa- ▁compassionate- ▁dimsum- ▁fragrance- ▁gravity- ▁skipped- ▁Penguin- ▁appreciative- ▁dominant- ▁segregate- ▁Mattar- ▁splurging- ▁taiwan- ▁versa- ▁Sambal- ▁poisonous- ▁sociology- ▁dangling- ▁gentlemen- ▁Shakira- ▁Shilin- ▁firefighter- ▁Sherry- ▁communism- ▁Titanic- ▁goalkeeper- ▁ripped- ▁uneven- ▁napping- ▁dedication- urai- ▁comparable- ▁VivoCity- ▁remake- ▁savage- ▁cashback- ▁cozy- ▁gradually- ▁Chicago- ▁haiya- ▁Danish- ▁Liam- ▁victory- ▁multiplier- ▁zai- ▁Zhou- ▁Northpoint- ▁goldfish- ▁plateau- ▁addiction- Qian- ▁Zack- ▁tweet- ▁procreate- ▁villagers- ▁haji- ▁hoarder- ▁Polo- ▁Troy- ▁laonua- ▁pique- ▁severe- Bao- ▁overwhelmed- ▁Youth- ▁crust- ▁takraw- ▁blueberry- ▁fillet- ▁blackshot- ▁hover- ▁Terry- ▁fearful- ▁Cruise- ▁monopoly- ▁lenses- ▁mosquitoes- ▁knob- ▁Lauren- ▁Dory- ▁login- ▁Green- ▁diagonally- ▁adaptable- ▁Impossible- ▁Palace- ▁edu- ▁bodybuilding- ▁enlisted- ▁hopeful- ▁losses- ▁handball- ▁Minister- ▁endure- ▁tyres- ▁romantically- Pang- ▁briefly- ▁contrast- ▁solely- ▁labor- ▁trainee- ▁vaguely- ▁scribble- ▁Centre- ▁Tuk- ▁facebook- ▁meaningless- ▁Santa- ▁Zhi- ▁Balik- ▁psycho- ▁Liu- ▁neglected- ▁behalf- ▁hood- ▁driverless- ▁Jap- ▁dean- ▁unlikely- ▁wage- ▁approved- ▁ayam- ▁specialised- ▁pong- ▁accountancy- ▁Mong- ▁arrived- ▁featured- ▁crosses- ▁Pang- ▁cling- ▁eleventh- ▁comeback- ▁puked- ▁Pandan- ▁comma- ▁kao- ▁coldest- ▁Gates- ▁ashame- ▁Dai- ▁wand- ▁Maki- ▁infinity- ▁folder- ball- ▁conducting- ▁Job- ▁num- ▁raped- ▁jobless- ▁choreo- ▁disturbed- ▁sinking- ▁furious- ▁trashy- ▁quietly- ▁attacked- ▁stumble- ▁diam- ▁dryer- ▁presented- ▁seemed- Kosh- ▁leech- ▁grounded- ▁Daru- ▁incidents- ▁filmed- ▁Payoh- ▁lego- ▁mayb- ▁mil- ▁planting- ars- ▁planes- ▁rom- ler- ▁insult- ▁rated- ▁arise- ▁soupy- ▁noble- stop- ▁suite- ▁souffle- ▁baker- az- ▁Googled- ▁Nets- ▁Yum- ▁toggle- Theory- ▁heated- ▁boo- ▁Hut- ▁rounder- ▁rode- ▁onions- ▁jap- ▁interviewing- ▁constraints- Gate- ▁oldies- ▁mor- ▁advantages- ▁pots- ▁Sin- ▁discounts- ▁Vin- ▁Los- ▁Stan- ▁scripts- ▁likewise- ▁nam- ervin- ▁ble- hy- ▁openly- ▁beers- ▁hua- ▁dynamics- Qi- ▁bicycles- eries- ▁Ni- ▁hills- ▁Hot- ▁Ra- era- ▁beret- ▁Ga- ▁Mars- ▁Hal- Scooter- ▁airlines- ▁consumers- ▁widen- ▁advertisements- ▁cables- Pagar- shi- act- ▁coloni- ▁kakis- ▁informal- ▁exco- ney- ▁grabb- ▁Mari- ▁Games- ▁examinations- ▁tights- ▁tigers- ▁Phi- ▁gaps- Ping- ▁coordinate- ▁compositions- ▁crocodiles- ▁fins- ▁sca- ▁roots- lee- 'off'- eat- ▁cheeks- ▁Se- ▁exceptional- ▁Sims- reme- ▁pil- ▁professionals- ▁graduates- ▁indoors- ▁analys- ▁aft- ▁instill- pay- zing- ▁peanuts- ▁explains- ▁flavors- ▁critic- ▁insight- ▁owned- Mi- shirts- che- ▁wipes- ek- ▁Met- ▁stuffy- ▁fer- ▁hardships- ▁thrill- ▁politician- ▁Studio- ▁Popeye- ▁sailor- ada- ▁calorie- ▁scissor- ▁Clement- hill- ction- ▁diamonds- ▁bae- zone- ▁Mon- ▁sac- ▁pita- San- ▁Saturdays- wn- xi- Ki- ▁Par- ▁scoops- going- terior- ▁stuffed- uring- agon- erie- ▁signals- mor- xin- ▁Sem- ▁actua- ▁Ap- Merah- ▁mega- Korea- ▁tar- ▁distract- ▁contour- ▁simpl- ▁manipulat- ▁celebrat- ▁Chua- You- ▁arrest- ▁Zoe- flower- Cheong- Lagoon- Utama- Crab- Willows- Dragon- White- Light- Central- Club- ▁guilt- ▁batter- Hub- ▁rapid- ▁consecutive- ▁precise- Sushi- ▁fluent- ▁raisin- puteh- ▁inject- ▁drastic- ▁worship- migrating- ▁punctual- ▁empathi- ▁Fifty- ▁Fantastic- Kinabalu- fieri- thyroid- ▁Alpha- ▁Aurora- ▁Cathay- ▁Christopher- ▁Cineleisure- ▁Dunman- ▁Expo- ▁Heaven- ▁Hitler- ▁Kumon- ▁Kylie- ▁Kyoto- ▁Lavender- ▁Learn- ▁Major- ▁Maybelline- ▁Mentaiko- ▁Micheal- ▁Mitsuba- ▁Nescafe- ▁Orchestra- ▁Oscar- ▁Pablo- ▁Pepsi- ▁Punita- ▁Radiant- ▁Ramadan- ▁Smule- ▁Snape- ▁Snorlax- ▁Sperry- ▁Swedish- ▁Wolverine- ▁Wreck- ▁administrative- ▁autobiography- ▁bicep- ▁brinjal- ▁brulee- ▁calculating- ▁calculator- ▁chimpanzee- ▁cloudburst- ▁communal- ▁correlation- ▁cricket- ▁crypto- ▁daydream- ▁dilemma- ▁disclose- ▁dizzy- ▁enlighten- ▁epitaph- ▁excursion- ▁extinct- ▁facilitator- ▁fragrant- ▁gastric- ▁geog- ▁guppies- ▁handbrake- ▁hurricane- ▁hygienic- ▁imaginary- ▁imagining- ▁immunity- ▁inappropriate- ▁jigsaw- ▁kingdom- ▁knives- ▁migration- ▁mobility- ▁moustache- ▁obnoxious- ▁offshore- ▁offspring- ▁organising- ▁paradise- ▁pedestrian- ▁platonic- ▁practising- ▁rebond- ▁safari- ▁salaries- ▁shepherd- ▁shuffling- ▁somersault- ▁stereotyping- ▁subordinate- ▁subsidies- ▁subsidy- ▁superstition- ▁swollen- ▁tamarind- ▁telepathy- ▁tentacle- ▁testament- ▁thrash- ▁tricep- ▁trophies- ▁trustworthy- ▁vibrate- ▁vicinity- ▁violence- ▁volley- ▁zinc- Hartono- ▁Aisyah- ▁Beyonce- ▁Mazda- ▁Mongkok- ▁People- ▁Yoshi- ▁android- ▁bliss- ▁bracelet- ▁cabbie- ▁output- ▁sassy- ▁sensation- ▁signify- ▁terrifying- ▁translucent- ▁Arjun- ▁Discovery- ▁Faizal- ▁Fiona- ▁Hafiz- ▁Indie- ▁Volde- ▁bangkok- ▁circus- ▁doggy- ▁esophagus- ▁hockey- ▁overheat- ▁participation- ▁sliding- ▁ColourPop- ▁Denmark- ▁Oxley- ▁botox- ▁bunnies- ▁crappy- ▁interface- ▁Joker- ▁aroma- ▁downtown- ▁empathize- ▁exaggerating- ▁orchid- ▁pixel- ▁tasting- ▁thosai- ▁trapped- ▁whiskey- Khan- ▁Reyes- ▁corporation- ▁Madam- ▁eager- ▁mercury- Bieber- ▁potluck- ▁Agent- ▁Note- ▁newbie- ▁substance- ▁Gongcha- ▁Ariel- ▁International- ▁Polytechnic- ▁Vijay- ▁Yuji- ▁productivity- ▁subset- ▁Life- ▁bartender- ▁deem- ▁pardon- ▁Ezra- ▁mhm- ▁grammatical- ▁educator- ▁arrival- ▁judgmental- ▁scarier- ▁telemarketer- ▁Face- ▁humorous- ▁stale- ▁Haj- ▁baba- ▁Llao- ▁bakso- ▁clementi- ▁overturn- ▁referee- ▁Chucky- ▁haze- ▁roundabout- ▁sinus- ▁buoy- ▁evaluate- ▁immortal- Mile- ▁visualise- ▁voting- ▁divert- ▁shatter- ▁salon- ▁probation- ▁agitated- ▁cashew- ▁expelled- ▁realistically- ▁jetty- ▁lifespan- ▁trafficking- jio- ▁Jem- ▁competent- ▁Joanna- ▁goggles- ▁Canyon- ▁pouch- ▁roar- ▁Shafiq- ▁Andrea- ▁braised- ▁whoops- ▁minority- ▁Kaka- ▁wound- ▁Christianity- ▁softball- paid- chap- ▁Chew- ▁jaw- ▁bulb- ▁fringe- ▁minimize- ▁bait- ▁Jude- ▁Nerf- ▁Brun- ▁luge- ▁Boat- ▁Aldo- ▁gland- ▁Chomp- ▁sabo- ▁panicking- ▁Angsana- ▁dispute- ▁technologically- ▁twe- ▁Storage- ▁sharpen- ▁warranty- ▁skies- ▁Train- ▁barley- ▁Thrones- ▁editor- ▁paul- ▁Dick- ▁embarassing- ▁enriching- ▁pestering- ▁Willows- ▁Secret- ▁bland- ▁Princess- ▁bobo- ▁windsurfing- ele- ▁browse- ▁waitress- ▁cray- ▁actresses- ▁Sky- Bang- ▁Chef- ▁Fingers- ▁Gary- ▁scratches- ▁bingo- ▁crunchy- ▁Smith- ayam- ▁vertically- ▁sai- ▁Athen- ▁shining- ▁intent- ▁bitchy- ▁Uno- ▁gist- ▁faded- ▁optional- ▁rooted- Cove- rrow- ▁adventures- ▁churches- ▁movements- hristian- ▁bagel- otton- ▁deepest- Sheeran- ▁blackout- ▁nerdy- ▁Chai- ▁Tian- ▁specialty- ▁predicted- Fun- ▁emceeing- ▁yacht- ▁Er- ▁somemore- ▁Nai- ▁fitting- ▁Sir- ▁skid- ▁onsen- Armour- Jian- ious- ▁forgetting- ▁Transformers- ▁mannered- ▁appealing- ▁sparkle- ▁wiper- ▁rear- ▁raging- ▁lin- ▁gathered- ▁flawed- ▁hooked- ▁Tham- ▁hesitate- ▁purchased- olio- ▁conflicting- Ji- ▁strangely- ▁backpacking- ▁skiing- ▁bodoh- ▁Pan- ▁goodnight- ▁wink- ▁Tamp- ▁tame- ▁compartment- ▁crumble- ▁pager- ▁explorer- ▁lookout- win- ▁spirited- ▁phonics- ▁tykes- ▁upgraded- ▁Call- sua- ▁fright- ▁discussed- ▁feminist- Panda- ▁blueish- heck- rmit- ▁processed- ▁untangle- ▁inconvenience- ▁spreading- ▁grudges- ▁burned- ▁retirees- ▁cycled- ▁shuffled- ▁peed- ▁titled- ▁geographical- ▁Get- ▁daytime- ▁reporting- ▁shophouses- ▁meaty- ▁escaped- atch- ▁butler- Le- ▁Bea- ▁Bon- ese- ▁justice- ▁lifts- ▁washed- ▁chilled- ▁trusted- ▁motherly- ▁pains- ink- ▁provides- ill- ▁fated- ▁topping- ▁replying- ▁instructors- uk- ▁idiots- Boys- ▁beverages- ered- ▁weirdo- ▁Eli- person- ▁cliques- ▁contacting- ▁Ri- Wars- ▁gays- ▁ques- wear- ▁drops- ▁residents- ▁chomp- roll- Peach- ▁outsider- lisa- ▁Ros- ▁Maris- ▁backgrounds- ▁Pi- ▁chopsticks- ▁intervals- ▁photographs- ▁peek- ▁panes- ▁spaces- ▁saturat- ▁trusting- ▁ew- pong- ▁triggers- ▁sober- ▁vocals- ▁acc- ▁conclude- lick- ▁poles- ▁liars- ▁highlighters- ▁Pu- ▁endless- ▁cocktails- ▁occurr- how- ▁mover- ▁criticis- ▁lawyers- ▁clams- ▁Mal- rk- ▁gory- ▁practices- ▁passengers- ▁ec- ▁farms- kai- set- ▁negotiables- ▁curtains- ▁decorations- ▁chaos- ▁shifts- ▁flooring- ▁employers- ▁boats- ▁flipp- ▁buyers- ▁defines- ▁drawings- ▁mirrors- appy- books- ▁gra- ▁guards- ▁Link- ▁warriors- ▁judges- ▁creates- ▁ser- ▁fishballs- ▁gir- nan- ▁bre- ▁deadlines- ▁clues- ▁inculcate- ▁hon- ▁Den- anti- ▁criminals- Teng- ▁lanes- ▁rant- ▁gin- ▁users- ▁farmers- Lua- ▁tasks- ▁supermarkets- ▁cabinets- ▁techniques- ▁cor- ingly- ▁smokes- ▁Swensens- ix- ▁Mua- ▁grip- ▁norms- ▁hydra- ▁bou- ically- ▁mist- ▁systematic- ▁disasters- dding- ▁surprises- ▁sho- ▁superpowers- wal- ▁Eight- ▁cho- ▁decks- ▁diseases- ▁outright- ▁procedures- ▁Che- ▁managers- ▁rug- ▁Koreans- cou- ▁sculpture- ▁nerve- ▁Aston- ▁honor- ▁dumpling- ▁resident- War- ▁Incredible- ▁genetic- ▁teammate- ▁firework- ▁backward- ▁onward- ▁reminder- ▁Starbuck- ▁Roa- ▁strategi- ▁errors- ▁producers- ▁chicks- ▁audi- iff- eddy- ▁bestie- ▁workouts- ▁dorm- ▁follower- ▁ticks- ▁notification- wer- ▁fabric- Huan- lance- ham- board- ▁astro- cake- ▁sap- dication- rich- ▁Cheese- Story- soto- ▁Philip- ▁firms- wee- ▁pai- ▁duet- ▁hyp- Kart- ▁boulder- ▁Bra- print- ▁ignor- ▁exfoliat- ▁activate- ▁enhance- ▁spots- ▁customise- Chen- ▁deform- ▁derive- ▁Xia- ▁paralys- Everest- Vista- ▁speci- Talent- Impossible- Palace- ▁Pek- Trump- Studies- River- Force- Pasir- ▁thrift- ▁Jerem- ▁Farhan- ▁assembl- ▁fiance- wash- Jerry- ▁husk- eww- Born- Lane- ▁explicit- Teck- makase- onopoly- Sheng- erminal- ouble- Peng- ▁Steph- ▁damp- ▁oblig- ▁Thom- ▁rival- ▁Brazil- ▁inherit- ▁compress- ▁symbio- aneous- ▁Felicia- ▁Ajisen- ▁Phillip- ▁Upper- ▁dismantl- ▁occupy- ▁singular- Educators- ▁Adeline- ▁Andak- ▁Bizhub- ▁Brisbane- ▁Burmese- ▁Cisco- ▁Deadpool- ▁Deliveroo- ▁Edinburgh- ▁Giordano- ▁GrabHitch- ▁Hamilton- ▁Horlicks- ▁Hyuna- ▁Jaguar- ▁Jewish- ▁Kaohsiung- ▁Kembangan- ▁Kyushu- ▁Lisbon- ▁Lynette- ▁Migros- ▁Murtabak- ▁Outram- ▁Prawn- ▁Reddit- ▁Ritz- ▁Rosyth- ▁Timberland- ▁Vikram- ▁Yakult- ▁Yvonne- ▁afterlife- ▁ambassador- ▁appreciation- ▁aqua- ▁autograph- ▁bamboo- ▁bibimbap- ▁bolster- ▁botanic- ▁cactus- ▁carrier- ▁catapult- ▁ceramic- ▁chandelier- ▁clumsy- ▁cognitive- ▁conference- ▁continuation- ▁corporal- ▁cursive- ▁defensive- ▁delicacies- ▁delicacy- ▁detergent- ▁disastrous- ▁dissolve- ▁distribution- ▁elevator- ▁elitist- ▁endurance- ▁equator- ▁equipped- ▁excellence- ▁extravagant- ▁freestyle- ▁gerpe- ▁grumpy- ▁havoc- ▁heartbeat- ▁hybrid- ▁illusion- ▁inflatable- ▁insensitive- ▁institute- ▁interrogate- ▁intimidate- ▁liberty- ▁lodging- ▁mermaid- ▁metabolism- ▁minimise- ▁motivator- ▁muslim- ▁naval- ▁neigh- ▁nightlife- ▁obtain- ▁oxy- ▁pajamas- ▁paranormal- ▁parliament- ▁philosopher- ▁pontianak- ▁postcard- ▁protocol- ▁provision- ▁puppet- ▁puppies- ▁quadrant- ▁recyclable- ▁releasing- ▁resurrect- ▁sampling- ▁sepak- ▁skeleton- ▁snowskin- ▁spendthrift- ▁summit- ▁synopsis- ▁teriyaki- ▁ulcer- ▁underwhelming- ▁unglam- ▁untouch- ▁vicious- ▁violet- ▁wharf- ▁wrapped- ▁Clarence- ▁Eileen- ▁Football- ▁Oxford- ▁Tesla- ▁Twilight- ▁affiliation- ▁ample- ▁brunette- ▁hulk- ▁ninja- ▁oblivious- ▁skull- ▁soundtrack- ▁terrain- ▁twilight- ▁utility- ▁Regina- ▁Risotto- ▁Taxi- ▁empathetic- ▁hormone- ▁impulsive- ▁lodge- ▁pessimistic- ▁racism- ▁truant- ▁Adrian- ▁Civil- ▁fragment- ▁torchlight- ▁Daiso- ▁Maidy- ▁Midnight- ▁Spy- ▁vitamin- ▁digress- ▁robbed- ▁Celine- ▁Glasgow- ▁Java- ▁Jews- ▁entitlement- ▁ignorance- ▁taekwondo- ▁terrorism- ▁puking- ▁rabak- ▁Yole- ▁whining- ▁contestant- ▁organism- ▁pegro- ▁pedal- ▁Valak- ▁disruption- ▁shotgun- ▁tangible- ▁troubleshoot- ▁Government- ▁Hundred- ▁conscience- ▁feasible- ▁makcik- ▁thrive- ▁Howard- ▁bedridden- ▁expat- ▁soundproof- ▁swine- ▁Debra- ▁lawsuit- ▁Angeline- ▁establishment- ▁Zilong- ▁batteries- ▁candies- ▁debatable- ▁accessory- ▁distraction- ▁analytical- ▁siva- ▁Panic- ▁cruelty- ▁complication- ▁component- ▁photoshoot- ▁aura- ▁humidity- ▁treetop- ▁Faith- ▁Galaxy- ▁presume- ▁shady- ▁egoistic- ▁fellowship- ▁lighthearted- ▁Kiri- ▁suc- ▁waterproof- ▁Bangla- ▁surrender- ▁warden- ▁banter- ▁scanning- ▁bali- ▁coincidentally- ▁Totoro- ▁storeroom- ▁confidential- ▁squishy- ▁pension- ▁Danny- ▁diluted- ▁Asus- ▁stationery- ▁posh- ▁westernised- ▁Valley- ▁deprived- ▁Mandai- ▁Wanna- ▁gymming- ▁submitted- ▁secretive- ▁Shuan- ▁hangover- ▁Switch- ▁floss- ▁introducing- ▁Nancy- Mars- ▁autis- ▁Baba- ▁existent- ▁corgi- ▁Ireland- Shiong- ▁Amos- ▁Rover- ▁Suria- ▁punk- ▁spize- ▁paperwork- ▁Liao- ▁Liz- Meng- Out- ▁expressway- ▁sniper- ▁leap- ▁idiotic- ▁lingo- ▁dent- ▁clinical- ▁Sega- ▁elf- ▁Fuji- ▁Leona- ▁specialisation- ▁intentionally- ▁quitted- ▁Cody- ▁bedok- ▁chanting- ▁cyst- ▁decorating- ▁competitiveness- ▁Lok- ▁upsetting- ▁integrated- ▁transcriber- ▁gray- ▁censored- ▁munch- ▁portal- ▁vast- ▁budd- ▁sloth- ▁stopover- ▁publicity- ▁Music- ▁approachable- ▁strolling- ▁confined- ▁Jones- ▁Singap- ▁coaches- ▁allocated- ▁escalate- ▁backstage- ▁Opera- ▁Barrage- gro- ▁executed- ▁Jackson- ▁suppress- Musk- ▁labourer- ▁invented- ▁downhill- ▁replay- ▁bash- ▁ikan- ▁projection- ▁breakout- ▁accountable- ▁heavenly- ▁bumpy- ▁tortured- ▁mian- ▁merged- ▁projector- ▁raid- ▁discovery- ▁greeting- ▁crown- ▁Quay- ▁ruler- ▁legally- ▁quarterly- ody- ▁perfection- ▁router- ▁Yen- ▁combi- ▁Hell- ▁troll- ▁grooming- Mulan- ▁networking- ▁melting- ▁locker- ▁casting- ▁distinctive- Ishak- ▁encouraged- ▁printer- ▁farted- ▁wary- ▁promised- ▁sacrificed- ▁freshly- ▁Ram- ▁nutrients- ▁Ant- ▁Zai- ▁miser- ▁adjusting- ▁Pe- ▁Kar- ▁clearer- ▁homeless- ▁awfully- ota- ▁reset- ▁winded- ▁kno- ▁quant- ▁deter- ▁maintained- ▁openness- ▁steaming- ▁began- ▁rejecting- ▁faulty- ▁Arm- ▁cheater- ▁boomers- yer- ▁pisse- ▁wiser- ▁opponents- ▁performer- ▁taxing- ▁Out- ▁Sen- ▁causeway- ▁Taman- ▁delight- ▁boundar- ▁defin- Ru- seven- ▁guides- ▁procrasti- ▁directing- ▁greener- Brothers- ▁snoop- ▁ubi- ▁replac- ▁recommending- ▁lobangs- ▁touchy- ▁lightly- ▁wrinkles- ▁Ying- ▁fri- mort- ▁Mai- mary- ▁banker- ▁researchers- ▁Jolin- kuah- gate- ▁bothering- chan- ▁Timb- ▁smoked- ▁formed- ▁cheers- phy- nto- ▁Pai- ▁clogg- Studios- ▁kilometers- ▁syllables- ▁aeroplanes- ▁perfumes- ▁measures- ▁Pola- Got- ▁dragg- ▁lea- ▁beetles- source- ▁cuter- ▁handbags- ▁Timah- ▁founder- ▁partying- ▁Bras- ▁Nov- ▁donated- ▁thrills- ▁scenarios- ▁meantime- ency- ▁Lab- ▁soldiers- ▁tiers- Wala- ▁Poo- ▁cosmetics- ▁Euros- tory- ▁classy- ▁trib- ▁ming- ▁Kin- ▁Rim- ater- ▁loc- ▁lunches- ▁hotdogs- ▁rays- ▁fillers- ▁hays- ▁collapse- inda- 'On'- ching- Board- ▁shin- ▁rubb- ▁sys- ▁muffins- ique- gh- ette- ▁hais- ▁cabs- ator- ▁recon- ▁bef- ▁persuad- ▁gamers- ▁Ta- ▁Dal- ▁kn- ▁kittens- ▁guitars- lated- ▁faithful- end- ▁performances- chou- ▁Bing- ▁sponsors- ille- Del- ▁roses- que- ▁apples- ▁Lo- ▁Teen- ▁laps- ▁poems- ▁je- ▁sciences- ▁Bi- ▁aesthetics- ▁arrows- ▁streams- ▁crimes- ▁Ez- ▁Del- ▁hal- ▁advis- ▁Ting- ▁lis- ▁sw- ▁concentrat- ▁planets- ium- ▁sal- ▁bricks- ▁Maria- ▁Xu- lter- Ko- ▁controlle- ▁donations- ▁Pets- bell- ▁protecti- ▁balling- Basah- ▁Raj- ogging- este- stance- arry- pol- ▁Sh- ▁pom- dan- ▁footballers- ▁Ke- ▁ruins- ▁connects- wise- ▁lim- ▁san- ica- ▁limitation- ▁robotic- Time- ▁cyclist- ▁decade- ▁beetle- ▁rib- ▁linguistic- ▁Strait- ▁dart- ▁yuck- ▁glove- ▁archetype- ▁mathematic- ▁circumstance- ▁Court- ▁Lad- ▁cra- ck- ▁dick- Bell- ▁canal- uffle- ▁impor- ▁exp- ▁frogs- ▁belts- ▁Dog- ▁startup- ▁dep- ▁Cel- Kia- yang- lash- ▁flexi- ▁sectors- ▁Carl- eba- een- iding- sai- Tea- ▁jets- Bar- ▁gia- ▁reciproc- we- ▁depress- ▁sketch- ▁Indo- hold- ▁heartbreak- ▁march- ▁roam- ▁glow- ▁demo- phone- ▁whisk- down- ▁exaggerate- ▁customize- ▁integrate- ▁enlist- ▁scent- ▁considerations- ▁reclaim- ▁eliminate- lapis- Factor- iglap- Guan- Shui- Swift- Crush- High- puff- Plus- Secondary- Fuji- Premier- University- coaster- ▁manufacture- Bear- North- generation- briyani- ▁warrant- ▁matte- jiao- ▁Iraq- personal- ▁scoot- ▁indirect- ▁subsequent- ▁Leonard- ▁fulfil- utdoor- ommunity- ▁Carousel- Box- ▁Drag- ▁depict- ▁Fresh- ▁Hero- ▁absurd- ▁coop- ▁terror- ▁resist- quid- ▁proficien- ▁Heart- ▁Arctic- ▁Dempsey- ▁Jamie- ▁continual- ▁intellect- ▁prescripti- ▁render- ▁ulti- Anatomy- Azhar- Buffet- Dhabi- Holmes- Mirza- Ramsay- Takraw- tsuka- zealand- ▁Austria- ▁Barbecue- ▁Britney- ▁Caleb- ▁Chapteh- ▁Chihuahua- ▁Chivas- ▁Chloe- ▁Citibank- ▁Commonwealth- ▁Crescent- ▁Desmond- ▁Diwali- ▁EXO- ▁Exco- ▁FairPrice- ▁Freedom- ▁Grinch- ▁Hyundai- ▁Ibiza- ▁Illusion- ▁Jurassic- ▁Keppel- ▁Maniac- ▁Mauritius- ▁Minesweeper- ▁Mohammad- ▁Normal- ▁Olivia- ▁Photoshop- ▁Popular- ▁Queensway- ▁Ringgit- ▁Scarlet- ▁Serena- ▁Shirley- ▁Slurpee- ▁Snapchat- ▁Society- ▁Supper- ▁Tiffany- ▁Ultra- ▁Vasantham- ▁Vishnu- ▁Wales- ▁Wikipedia- ▁Zendaya- ▁abuden- ▁academy- ▁accustom- ▁affirmation- ▁altitude- ▁apocalypse- ▁apostrophe- ▁articulate- ▁assertive- ▁avatar- ▁beansprout- ▁bhutan- ▁bodyguard- ▁bollard- ▁calcium- ▁chapati- ▁colourblind- ▁comfy- ▁complacent- ▁connotation- ▁crumpled- ▁deluxe- ▁detriment- ▁duff- ▁dyslexic- ▁encyclopedia- ▁enthusiasm- ▁envision- ▁envy- ▁eternal- ▁eternity- ▁folklore- ▁foreground- ▁forgiving- ▁gecko- ▁gladiator- ▁glaring- ▁gratitude- ▁gullible- ▁handkerchief- ▁handshake- ▁hologra- ▁horrendous- ▁iKon- ▁inaccessible- ▁infection- ▁innuendo- ▁intimidating- ▁judgy- ▁loneliness- ▁macchiato- ▁mankind- ▁maternal- ▁mentaiko- ▁ministry- ▁misconception- ▁misunderstood- ▁moisturising- ▁nipple- ▁notorious- ▁nudge- ▁outskirt- ▁pavilion- ▁paycheck- ▁persistent- ▁pilgrimage- ▁pledge- ▁punggol- ▁reckon- ▁recluse- ▁reincarnation- ▁retreat- ▁risotto- ▁satisfactory- ▁scalp- ▁squeak- ▁suicidal- ▁threshold- ▁tobacco- ▁twelfth- ▁unattended- ▁unfollow- ▁verify- ▁vinyl- ▁waveform- ▁widow- ▁youself- ▁Azmi- ▁Becky- ▁Drive- ▁Javanese- ▁Khairul- ▁Monica- ▁Parkinson- ▁Pasta- ▁Skyview- ▁Wonder- ▁brutal- ▁flask- ▁glitch- ▁harvest- ▁loner- ▁psychiatrist- ▁smoky- ▁spelt- ▁superstar- ▁updating- mbian- ▁Coldplay- ▁Maxwell- ▁Sungei- ▁kampong- ▁slipped- ▁stern- ▁Belinda- ▁Casino- ▁Shenyang- ▁Urban- ▁astronaut- ▁canopy- ▁melody- ▁moisture- ▁sickening- ▁sidetrack- ▁unrealistic- ▁guacamole- ▁hereditary- ▁hougang- ▁teaspoon- kerang- ▁Sasi- ▁amenities- ▁garang- ▁platter- ▁Buddhism- ▁Jazz- ▁cino- ▁drizzle- ▁elevation- ▁implication- ▁plaza- ▁reliant- ▁carbonated- ▁Luke- ▁Taco- ▁disabilities- ▁steward- ▁twinkle- ▁Barbie- ▁shisha- ▁thumbprint- Ngah- ▁Infinity- ▁mediator- ▁Brian- ▁addictive- ▁Pawan- ▁Tarte- ▁completion- ▁barrow- ▁bobian- ▁jellyfish- ▁entice- ▁Code- ▁Mahathir- ▁adverse- ▁basil- ▁Jasper- ▁eff- ▁Bradley- ▁concede- ▁populated- ▁womb- ▁comparatively- ▁complimentary- ▁hoodie- ▁resistance- Piece- ▁chute- ▁spinach- ▁pinball- ▁astronomy- ▁rivalry- ▁employment- ▁Miya- ▁courageous- ▁clueless- Dahl- ▁journalism- ▁peacock- ▁Gardenia- ▁fartsy- ▁spear- ▁Fir- ▁liais- ▁demonstrate- ▁ironically- ▁Orto- ▁documentation- ▁lagging- ▁patronize- ▁Akshay- ▁Laura- ▁Virgin- Tuk- ▁Halong- ▁Santorini- ▁mannerism- ▁Bella- ▁styrofoam- ▁disposable- ▁deja- ▁iceberg- ▁salivate- ▁preschool- ▁cherries- ▁foie- ▁proportionate- ▁invention- ▁dental- ▁jumbled- ▁modernised- ▁glider- ▁tempting- ▁moist- ▁halfhearted- ▁sphere- ▁Business- ▁Halimah- ▁irri- ▁nuance- ▁batman- ▁punny- ▁symbolise- ▁empire- ▁deduction- ▁hardwork- ▁installation- ▁fanatic- ▁conceive- ▁layman- ▁Center- ▁stitches- ▁Dark- ▁Johnson- ▁broom- ▁codeine- ▁meteor- ▁disgusted- ▁faraway- ▁gelat- ▁maze- ▁Navy- ▁Scott- ▁Three- ▁Miller- ▁adjustment- Fong- ▁involvement- ▁jab- ▁Belle- ▁continental- ▁Fanny- ▁suspended- ▁brotherhood- ▁buttock- ▁setback- ▁harness- ▁collagen- ▁deliveries- ▁healthily- ▁hospitality- ▁Colo- ▁hypothetically- ▁branches- ▁bandung- ▁vaping- ▁Peru- ▁despi- ▁plantation- ▁disbanded- ▁disconnected- ▁husky- ▁Rosa- ▁Ronaldo- ▁consciousness- ▁Bread- ▁duckling- ▁Talent- ▁knots- ▁overflowing- ▁Deb- ▁superheroes- ▁controller- 'Off'- ▁Benga- ▁Bangladeshi- ▁forgetful- ▁Law- ▁chatty- ▁sane- ▁enable- ▁cries- ▁exaggerated- ▁padding- ▁runny- ▁overturned- ▁olio- seal- ▁handover- ▁scarf- ▁Express- ▁instrumental- ▁betrayed- ▁exhausting- ▁Bird- ▁duo- ▁conch- ▁kok- ▁neon- ▁Phu- ▁playboy- ▁thirteenth- ▁exfoliate- ▁dropout- ▁partnership- ford- ▁caf- ▁armor- ▁pirated- ▁Himalayan- ▁objectively- ▁dice- ▁heartbreaking- ▁glowing- ▁beaten- ▁remov- Pong- ▁stalker- ▁sadder- jie- ▁cultivated- ▁paru- ▁Arabian- ▁nurtured- ▁countless- ▁horny- ▁satire- ▁toaster- ▁puzzled- ▁childlike- ▁permanently- ▁Keat- ▁published- ▁skater- ▁mashed- ▁Kishan- diac- ▁fend- ▁Kaki- ▁Hap- ▁Forest- ▁spotting- ▁Mini- ▁coal- ▁regulate- ▁jerk- ▁copyright- ▁subconscious- ▁thou- irways- ▁Army- ▁Yuen- ▁extroverted- ▁recognized- ▁consensus- ▁confessed- ▁tightly- ▁replicate- ▁Tshirt- ▁Siam- ▁signifi- ▁Leon- ▁observed- ▁sq- Horseman- ▁Fave- ▁angst- ▁ple- ▁sibeh- ▁morally- ▁Gem- ▁successes- ▁abused- ▁Chun- ▁sliced- nk- ▁Miam- ▁eee- ▁destroying- ▁largest- ▁fresher- ▁suffered- iang- ▁Kio- ▁rudely- ▁functioning- ▁smiley- ▁Aus- ▁discovering- ▁revealing- ▁recovering- ▁footed- ▁criticism- indows- not- ▁Toast- Thrones- pek- ▁Shell- ▁comprises- ▁dimples- ▁functions- Glam- ▁To- ▁apparent- plan- ▁mari- ▁nominate- ▁claws- ▁avoided- ▁scheduled- ▁Yin- ▁crate- ▁flex- ▁Bin- ▁castles- ▁stocking- ▁crazie- ▁electro- ▁capsize- shall- ▁Yisha- ▁teleporting- ▁eyeballs- ▁closeness- ▁Ranger- ▁crashing- more- ▁Amy- ▁Merli- itch- ▁reconcile- ▁switching- ▁troubled- ▁dum- take- ▁progressing- Carlton- Chok- ▁lima- ▁smokey- Qing- Wenger- ▁whatnot- ▁analytics- store- ▁Winn- ▁sayang- ▁wondered- ▁Lot- ▁rotat- chang- yan- ▁Hop- ▁Thor- ▁presenting- ▁channels- ▁apt- ▁dra- ▁Chee- ▁midterms- ▁kilometres- ▁symptoms- ▁poll- oke- ▁misc- ▁Tommy- ▁Bro- ▁publicize- ▁merchants- ▁souvenirs- njuk- ▁fewer- ▁Du- ible- Times- ▁ribs- ▁cyclists- ▁decades- ▁lawn- ▁fishers- ▁gan- ▁notifications- ▁Idol- ▁syn- ▁lighted- ▁Yam- ▁sailors- ▁Pass- bin- lude- ▁cubes- ▁Jenn- ▁websites- ▁interestingly- ▁acai- ▁sitcoms- ▁Kinder- ▁seating- Pi- ▁che- ▁ci- ▁puddings- aj- here- ▁odds- ax- ▁margin- ▁Caucasians- ▁attributes- ▁Alias- ▁dreamer- ▁flyers- ▁Ze- ▁blanks- list- ▁temperatures- Chi- llao- ▁Meet- ▁alphabets- ▁ministers- ▁statues- ▁Legends- rou- ▁attacks- ▁notch- ▁pointers- ▁etc- ▁gears- ▁Zhuan- ault- ▁seize- ▁puzzles- layer- ▁mana- ▁tents- ▁directional- ▁dun- omo- ▁snapp- ▁del- ▁Angu- ▁aids- ▁Ch- ▁Tun- ▁Jac- ▁sins- aki- ▁Ver- ▁wou- ▁fundamentals- non- ▁triangles- ▁buns- ▁bugs- now- ▁ele- run- ▁integrati- ▁recommendations- ▁Pad- ▁gar- shao- ▁hol- ▁fisher- old- ▁Raja- ▁spikes- ▁mun- ▁dinosaurs- ▁mentors- ▁Har- ▁spirits- ▁organizations- zy- ▁Christians- Magic- ▁dangers- erry- oi- ▁dock- ▁slopes- ▁artistes- ▁ru- ▁references- ongs- ▁Wiz- ▁markings- very- eresa- ▁kam- ▁blessings- ▁gigs- gle- ▁improvements- ▁pubs- ▁sib- bel- ▁comms- ▁meta- ▁pimples- ▁stares- ▁pota- ▁Ken- ene- Xun- ggle- ▁paw- ▁threat- ▁resonate- ▁axe- ▁schoolmate- ▁emerge- Studio- ixes- ▁merchant- ▁souvenir- hop- ▁kilometer- ▁syllable- ▁beverage- Boy- ▁competitor- ▁rumour- ▁ancestor- ▁sneaker- verse- ▁compromises- ▁whip- low- ▁brownie- ▁notion- assim- then- ential- ▁tang- ▁campaigns- ▁constrain- ▁zha- ami- ▁Eu- bal- ched- ▁constraint- fron- ▁Col- ▁Sai- ▁nu- agar- ▁riches- minate- ▁chil- Chin- minating- boro- iously- ▁historic- lay- ▁Pay- ookie- ▁Tea- turn- imp- field- ▁chang- room- place- ▁blu- De- power- keeper- qi- ▁stroll- rick- ▁snorkel- ▁Tao- ▁discharge- breaker- ▁empower- ▁vari- charge- ▁obsess- ▁locate- ▁injure- ▁disband- ▁disconnect- provoking- ▁recharge- Talk- Cooper- pedas- Bowl- Arabia- Brown- Pool- Storage- Republic- Tiger- Andrew- Mother- heaven- regardless- Bukit- kampung- eleven- Briyani- bono- curry- ▁moisturise- cute- with- Jones- ierce- Fox- ▁ima- ▁sensi- ▁convention- ▁Port- Chiong- onesty- ▁equip- iculous- ▁eavesdrop- ▁descend- ▁Naomi- ▁Warner- ▁cigar- Carter- Ferguson- Lloyd- Miserables- Purcell- '`'- ligence- ▁Atlanti- ▁Azazel- ▁Bendemeer- ▁Berlin- ▁Bluetooth- ▁Chirashi- ▁Derrick- ▁Dhey- ▁Dropbox- ▁Farouk- ▁Fifa- ▁Fitness- ▁Fullerton- ▁Henderson- ▁Jacqueline- ▁Kentucky- ▁Kukup- ▁Kumar- ▁Manila- ▁McLaren- ▁Mediterranean- ▁Mendaki- ▁Myeongdong- ▁Nagoya- ▁Nickelodeon- ▁Nissan- ▁Norwegian- ▁Office- ▁Phillipines- ▁Pinoy- ▁PlayMade- ▁Promenade- ▁Scape- ▁Sheldon- ▁Shermaine- ▁Smallfoot- ▁Spitz- ▁Supreme- ▁Tamago- ▁Thanos- ▁Umrah- ▁Winx- ▁Wushu- ▁Yoogane- ▁accuracy- ▁acrylic- ▁aggregate- ▁almond- ▁alternating- ▁approximately- ▁backdrop- ▁brainstorm- ▁calculus- ▁cannibal- ▁cassette- ▁cautious- ▁centuries- ▁chlorine- ▁chrono- ▁cinnamon- ▁cipher- ▁closure- ▁cobra- ▁comprehend- ▁condiment- ▁confusion- ▁courier- ▁cradle- ▁cuddle- ▁debrief- ▁decathlon- ▁democratic- ▁disapprove- ▁distillat- ▁diversify- ▁documentaries- ▁eclipse- ▁empress- ▁enclosed- ▁encompass- ▁equation- ▁esplanade- ▁filthy- ▁frugal- ▁funfair- ▁gengar- ▁giddy- ▁headquarter- ▁hospitable- ▁hotplate- ▁iguana- ▁impulse- ▁incense- ▁inviting- ▁jelat- ▁karate- ▁krabi- ▁laundrette- ▁magnesium- ▁marshal- ▁microchip- ▁murtabak- ▁narcos- ▁nauseous- ▁netflix- ▁odour- ▁overdrive- ▁patriotic- ▁pelican- ▁perspire- ▁pertain- ▁pringle- ▁province- ▁radiant- ▁rebuild- ▁recount- ▁rephras- ▁residence- ▁resilience- ▁revamp- ▁rinsing- ▁robbery- ▁sakae- ▁salicylic- ▁seduce- ▁silicon- ▁silliest- ▁sincerity- ▁slogan- ▁soulmate- ▁stereo- ▁sunshine- ▁symphony- ▁synonym- ▁tchoukball- ▁territory- ▁thunderstorm- ▁tragedy- ▁troublemaker- ▁unethical- ▁unplanned- ▁unpleasant- ▁untidy- ▁unwilling- ▁urgency- ▁vanguard- ▁velvet- ▁vodka- ▁whitish- ▁wholeheartedly- ▁zumba- Gerrard- Kusama- ▁Aloy- ▁Bachelor- ▁Darren- ▁Dream- ▁Dumbledore- ▁Eugeo- ▁Fairprice- ▁Googling- ▁Hunger- ▁Khalid- ▁Manhattan- ▁Mystic- ▁Topshop- ▁cadet- ▁chemotherapy- ▁communities- ▁concise- ▁convincing- ▁diagram- ▁disintegrate- ▁fragile- ▁ideology- ▁irregular- ▁lavish- ▁narrator- ▁orangutan- ▁saikang- ▁triangular- ▁Cedar- ▁JetStar- ▁Laneway- ▁Persian- ▁Totally- ▁constitute- ▁delta- ▁eatigo- ▁emulate- ▁futuristic- ▁gulp- ▁immerse- ▁mercy- ▁monologue- ▁prosperity- ▁telegram- ▁trotter- ▁unreal- China- ▁Bartley- ▁Cartoon- ▁Coleen- ▁Tutu- ▁bilingual- ▁bulldog- ▁criticizing- ▁darn- ▁hesitation- ▁interim- viation- ▁GameBoy- ▁Nazi- ▁amusing- ▁bangtan- ▁descendant- ▁garland- ▁organizing- ▁Lipton- ▁PayWave- ▁bravo- ▁brillante- ▁embassy- ▁friction- ▁hijab- ▁snoring- Hanks- ▁Elisha- ▁Entertainment- ▁Warcraft- ▁cellphone- ▁harassment- ▁multilingual- Decay- ▁comedic- ▁copied- ▁inventory- ▁rabz- ▁telok- valent- ▁Charizard- ▁Sager- ▁depressive- ▁lagoon- ▁overspend- ▁primark- angoon- ▁Kobe- ▁protest- ▁Skyline- ▁charismatic- ▁cristofori- ▁Barbra- ▁Huda- ▁bragging- ▁chinese- ▁courteous- ▁criticize- ▁ruling- lihood- ▁Percy- ▁bulgogi- ▁blaming- ▁crepe- ▁frail- ▁genetically- ▁obey- ▁retrenchment- Ridge- ▁Sandra- ▁fondant- ▁optimisation- ▁Irfan- ▁civilization- ▁physiotherapy- arnia- ▁Direction- ▁Drama- ▁Hulk- ▁Restaurant- ▁Ultron- ▁electrons- ▁hazard- ▁icing- ▁snowboard- ▁width- ▁disciplinary- ▁flavorful- ▁speedboat- ▁baggy- ▁Nando- ▁preserving- ▁adulthood- ▁stepmother- ▁Congkak- ▁Fenty- ▁Geog- ▁ethnicity- ▁guai- ▁laminate- Fei- ▁Mersing- ▁Rosie- ▁snowflake- ▁sophisticated- Steak- ▁dumbbell- ▁penny- ▁variable- ▁convict- ▁infantry- ▁slapping- ▁evergreen- ▁Edna- ▁Josephine- ▁PowerPoint- ▁amoy- ▁tuas- ▁hummer- ▁taco- ▁sunken- quel- ▁Snoopy- ▁beekeeper- ▁creation- ▁varies- ▁blondie- ▁rustic- ▁Stamford- ▁Zheng- ▁stoic- ▁examiner- ▁interruption- ▁famine- ▁copies- ▁insecurity- ▁blob- ▁crooked- ▁erupt- ▁complian- ▁Juan- ▁fanta- ▁rotation- ▁fireplace- ▁rowdy- ▁managerial- ▁korea- ▁tinge- ▁nude- ▁Chung- ▁profanity- ▁unicorn- ▁tapping- Up- ▁Mourinho- ▁Simpang- ▁Roth- ▁crutch- ▁starring- ▁vividly- ▁flawless- ▁Escooter- ▁Genie- ▁lasagna- ▁Mandy- ▁witches- ▁haul- ▁mafan- ▁Zhong- ▁subsidised- Lok- ▁Bobby- ▁appointed- ▁hurtful- ▁forgiveness- ▁midway- Boon- ▁Sandy- ▁Noel- ▁adaptation- ▁stunning- ▁bail- Yee- ▁Leonardo- ▁tonne- ▁shaky- ▁headset- ▁oppa- ▁broaden- ▁revert- ▁Oral- ▁collectible- ▁metric- ▁mountainous- ▁catfish- ▁hideout- ▁Titans- ▁strategic- ▁labelled- ▁infant- Singh- ▁sandwiches- ▁chopper- ▁selectively- ▁sexist- ▁shivering- ▁exhausted- ▁steer- ▁travelator- ▁angsty- ▁fog- Air- ▁Albert- ▁Crush- ▁Arsen- ▁Plus- ▁Halo- ▁blackboard- ▁draggy- ▁Strike- ▁moderately- ▁swamp- ▁ballot- ▁contradicting- ▁Daily- ▁protector- ▁Ruth- ▁boar- ▁Julin- ▁rusty- icity- ▁Mona- Gong- ▁Chao- ▁kung- ▁archer- ▁tempo- ▁cord- Phi- Ray- ▁fitter- ▁qi- ▁spiritually- ▁Young- noodle- ▁Baha- ▁Roy- ▁Town- ▁bunker- ▁housekeeper- ▁Canning- ▁alighted- ▁stapler- ▁transformer- ▁spinal- ▁unexpectedly- ▁Once- ▁Fang- ▁inconsequential- ▁discarded- ▁Aden- ▁greenhouse- ▁gambler- ▁Loong- ▁Bose- ▁vac- ▁pierced- ▁Ghaut- ▁Ching- ▁departmental- ▁aligned- ▁Mind- ▁yard- ▁thrilling- ▁Bond- ▁regretting- ▁hangman- ▁Tung- ▁crank- Tang- ▁dependable- ▁tuner- ▁accurately- ▁Pig- ▁flooding- Met- ▁chic- ▁steamer- ▁freelancer- ▁licking- ▁postman- ▁Rock- ▁conditioner- ▁Keng- ▁fairies- ▁Jong- ▁badass- ▁Rahma- ▁Tyr- ▁Lian- ▁voter- ▁ruby- ▁bounded- ▁conducted- ▁Along- ▁Xiang- ▁yarn- ▁Eng- ▁internationally- ▁surfer- ▁Hao- ▁duel- ▁offline- ▁rubbery- ▁entertained- ▁secured- ▁represented- ▁recovered- ▁Fest- ▁thoughtful- ▁secon- ▁Satur- bee- ▁kap- ega- Technological- ▁cracked- ▁Sally- ▁recycled- ▁balding- Siam- ▁coldness- ▁belay- Upon- ▁volt- ▁succeeded- rine- ▁fad- ▁translated- ▁conveniently- ▁ironed- ▁refused- ▁teared- ▁tendon- ▁retailer- ▁hosted- ▁seriousness- ▁advisor- ▁wayang- ▁Dell- ▁rave- ▁shaded- ▁rewarding- hood- ▁coup- ▁ranked- lock- ▁Marriott- ▁traded- ▁impre- tree- ▁Aka- ▁neighbourly- ▁packaged- ▁triggering- ▁verb- ▁Hin- taker- ▁framed- ungee- ▁showered- ez- well- ▁Sar- Lang- ▁sapa- ▁pier- ▁rushed- ▁reporter- ▁lad- ▁shelving- empt- ▁sham- ▁fashioned- ▁bask- ▁remix- ▁snowing- ston- ▁Zak- ▁tester- ▁header- Girls- odium- ▁remarks- ▁premises- ▁streaks- ▁wolves- ▁flakes- Kids- ▁suan- ▁Pat- ▁harden- ▁Wing- ▁excused- ▁Biore- ▁pung- ▁reno- ▁quo- ▁crossed- ▁Seah- ▁accom- nea- ▁educat- ▁centered- rade- ▁justified- ▁metro- ▁striv- ▁peeing- ▁Resorts- ▁tantrums- asan- ▁pickles- sheng- ▁withstand- ▁faked- Zhen- ▁matched- ▁Holl- ▁avoiding- ▁disappears- ▁perks- ▁corals- ▁bead- ▁Pooh- ▁addressing- ▁Yun- ▁landing- ▁asam- ▁singa- ▁spoons- ▁nouns- ▁emissions- ▁otters- ▁Ham- Ha- ▁unc- ▁orang- ▁pairing- ▁shap- ▁sash- ▁haters- ▁donating- ▁Falah- ▁Denis- ▁skim- ▁forgo- ▁asian- ▁Simpl- ▁schoolmates- ▁axes- ▁paws- ▁Ipoh- ▁influ- ▁wires- ▁yucks- ▁cosm- ▁Pit- ▁deteriorate- ▁Pana- ▁cou- ▁cutest- dicated- ▁dumplings- ▁honors- ▁stirr- ▁sued- ▁batche- ▁Salah- ▁hairy- lec- ▁bam- ▁Studios- ▁Salt- ▁Vi- ▁wit- ▁limbs- ▁nations- ▁lem- lux- ▁prospects- ▁sunflowers- Chefs- ▁besties- 'yes'- ▁closely- rip- ▁pleased- katsu- kart- ▁vlogs- rlyn- ▁Ais- ▁touring- ▁bore- ker- ▁See- teen- ▁rang- ▁Guardians- ▁contributions- ▁Olympics- ▁rations- ▁medi- ▁Mrs- iew- rance- ▁colouring- ▁manly- ▁Huat- ▁ropes- ▁incentives- ▁pans- gged- ches- ▁vu- ▁salads- ▁motors- ▁feathers- ▁calculations- ▁ads- late- ▁Cos- ▁rel- ▁flaps- ▁circulat- ▁choppe- eas- ▁barn- ▁scouts- ▁jokers- ▁aches- ▁counsel- ▁generalise- ▁drones- ▁beginners- ▁YouTubers- ady- ▁fined- ▁Mia- ▁consi- ▁Ever- je- eck- fin- ▁ponytails- ▁sparks- alam- ▁spo- ▁winners- riving- ▁flatter- opo- agi- ache- ▁creamer- lar- hun- ▁bullets- lio- illa- arian- ▁deb- ▁persuade- ▁reli- ▁factual- ▁reta- ▁trac- ▁nightmares- ▁tw- Cantona- Bones- lted- ester- ▁Tar- Tock- Hu- Hoon- isang- ception- ▁xia- ▁desires- ▁pleasures- ▁bom- ▁boug- pping- ▁objectives- ▁standardise- ▁Kia- laying- ▁kiam- Koon- ▁rig- ual- ppy- ▁lions- ▁Ari- ▁Gra- tech- ▁cit- owing- chong- ▁Mag- ership- ▁missions- ▁Ge- but- ▁mannequins- lab- ▁memora- alari- fraction- stro- ▁ep- cast- ▁volun- ▁litera- rselves- ▁files- ▁ethic- ▁Mad- ima- ogy- water- jun- fer- pend- Soo- ▁memor- ▁blackhead- ▁emission- Toba- ▁otter- ▁kilometre- ▁symptom- ▁midterm- ▁rumor- ▁swi- ▁alpaca- abby- ▁strand- ▁stair- ▁railing- oki- ctors- ▁Won- ▁hog- ▁Ser- ▁corona- ▁moo- ▁ei- unny- rise- ▁por- kang- coming- adi- ▁transparen- ▁snoo- ▁nex- ▁For- ▁repea- ▁brew- ▁debat- ▁Fu- ▁haunt- ▁subtitle- ▁alia- vo- ▁Zy- key- pra- ▁torch- ▁Gan- cumulative- ▁procras- ▁hesita- look- ▁Bala- ▁ven- Hit- ▁cycl- ▁exhaust- Sia- ▁respon- ably- ▁zig- ▁frown- ▁stat- ▁parasail- ▁Arabia- ▁expos- ▁separat- ▁incur- ▁nurtur- ▁invad- ▁Find- ▁Prince- ▁Vic- scooter- corn- Karat- ▁subsidize- ummer- lbert- ▁congest- ▁recite- ▁misuse- ▁retrench- about- course- oodle- ▁debut- Smart- Batisah- Jovi- Turtle- ristiano- Airline- Titans- Ronaldo- Chomp- Cruise- Mirror- States- Nathan- Leong- kacang- Prata- Romeo- jalan- Autumn- William- negotiable- Chicken- James- Science- boyfriend- chocolate- machine- drama- twenty- Miam- ▁crisp- biryani- Mouse- center- ▁summar- motion- ▁theoretical- Minh- ▁clutter- ▁vivid- ▁instantaneous- ▁Lor- ▁Saba- asian- ▁authorit- ▁midfield- post- chiong- ▁imply- Wee- ▁proactive- ▁pronoun- ▁immigrati- ▁disrupt- eptic- ▁Buddh- ▁experi- ▁revolution- ▁Yayoi- ▁Xav- ▁Corp- Vuitton- ▁indefinite- ▁mislead- ▁residu- '?'- Bilis- Einstein- Giggs- Hospital- Local- Muniz- Quinn- Sivan- jumma- siol- ▁After- ▁Atiqah- ▁Backstreet- ▁Badminton- ▁Bidadari- ▁Britain- ▁Broadway- ▁Capella- ▁Century- ▁Chijmes- ▁Cinderella- ▁Colosseum- ▁CrossFit- ▁Cyclops- ▁Daegu- ▁Darvis- ▁Dasani- ▁Diablo- ▁Diploma- ▁Dyson- ▁Egg- ▁Elliot- ▁Fight- ▁Foodpanda- ▁Foodshed- ▁GERPE- ▁Garfunkel- ▁Generation- ▁Genghis- ▁Gentle- ▁Ghost- ▁Gillman- ▁Haagen- ▁Heidegger- ▁Hermione- ▁Hermoine- ▁Hiroshima- ▁Inferno- ▁Istanbul- ▁Jasmine- ▁Jerusalem- ▁Lancer- ▁Lapidas- ▁Leftfoot- ▁Machine- ▁Medisave- ▁Mendel- ▁NAFA- ▁Newcastle- ▁Odette- ▁Olympiad- ▁Orchid- ▁Palestin- ▁Picoult- ▁Portugal- ▁Rafiq- ▁Razor- ▁Redbull- ▁Ripple- ▁Riverdale- ▁Samoyed- ▁Shamsuddin- ▁Sharlene- ▁Sheryl- ▁Skechers- ▁Snickers- ▁Sogurt- ▁Sprite- ▁Sucremo- ▁Sudoku- ▁Terengganu- ▁Theodore- ▁Tomahawk- ▁Toothless- ▁Vanguard- ▁Vitality- ▁Yogyakarta- ▁accreditation- ▁advancing- ▁aloud- ▁analyzing- ▁angklung- ▁annoucement- ▁apologies- ▁apparatus- ▁appreciating- ▁armband- ▁asbestos- ▁asylum- ▁barista- ▁belanja- ▁berserk- ▁biography- ▁blockbuster- ▁boardwalk- ▁breadwinner- ▁buffalo- ▁buttermilk- ▁contraband- ▁convocation- ▁cosmopolitan- ▁counterpart- ▁croissant- ▁cryptocurrency- ▁culprit- ▁curvy- ▁delicate- ▁discourage- ▁durable- ▁ectomorph- ▁elbow- ▁endearing- ▁epidural- ▁etiquette- ▁evaluation- ▁eyeshadow- ▁fabulous- ▁facade- ▁facilitate- ▁fatigue- ▁favoritism- ▁favouritism- ▁fencing- ▁fiesta- ▁fingernail- ▁freshener- ▁frizzy- ▁gargantuan- ▁ghetto- ▁gondola- ▁gorgeous- ▁graveyard- ▁grumble- ▁gyoza- ▁heartwarming- ▁homecooked- ▁hurdle- ▁hyuna- ▁iCarly- ▁iTunes- ▁illogical- ▁incorrect- ▁intermediate- ▁intrinsic- ▁intuitive- ▁invigilator- ▁jesus- ▁kacau- ▁laundries- ▁leukemia- ▁lieutenant- ▁lifeguard- ▁mammal- ▁marshmallow- ▁masculine- ▁meddle- ▁meddlesome- ▁merrier- ▁monotonous- ▁neural- ▁nonsensical- ▁observant- ▁outbreak- ▁paintbrush- ▁paprika- ▁parquet- ▁participating- ▁penalise- ▁platinum- ▁plunge- ▁pragmatic- ▁procrastinator- ▁propaganda- ▁proximity- ▁pufferfish- ▁quantify- ▁racquet- ▁rambutan- ▁receptive- ▁reciting- ▁recliner- ▁referral- ▁remembrance- ▁renovating- ▁retrain- ▁ripple- ▁safeguard- ▁seashore- ▁staycay- ▁stylist- ▁substantial- ▁sundae- ▁surgeries- ▁susceptible- ▁symbiosis- ▁tablespoon- ▁telemovie- ▁terrapin- ▁terrified- ▁tombstone- ▁toothbrush- ▁traumatising- ▁traumatizing- ▁tudung- ▁tumble- ▁uncooked- ▁unhygienic- ▁universal- ▁unofficial- ▁unsightly- ▁unused- ▁velcro- ▁vibrant- ▁vibrating- ▁wildlife- ▁windshield- ▁xiaxue- ▁xiong- /- ▁Basil- ▁Calbee- ▁Children- ▁Coco- ▁Hershey- ▁Karaoke- ▁Nivea- ▁Pandora- ▁Ricky- ▁Rulang- ▁Spies- ▁Stephanie- ▁Teacher- ▁Wheelock- ▁crazily- ▁granddad- ▁narrating- ▁perpetually- ▁quizzes- ▁recurring- ▁snooker- ▁swirl- ▁titans- ▁trilogy- ▁zodiac- ▁Lakeside- ▁Mentos- ▁Penny- ▁Rosti- ▁Stanford- ▁Underwater- ▁Vanessa- ▁Yamaha- ▁beneficiary- ▁bookworm- ▁bowtie- ▁cooperative- ▁dehydration- ▁depreciate- ▁engross- ▁martini- ▁silat- ▁slingshot- ▁symbiotes- ▁tamp- ▁tulang- ▁Hazel- ▁Ravana- ▁Vicky- ▁gigabyte- ▁strangle- ▁visor- Spears- ▁Avene- ▁Cecilia- ▁emptie- ▁innovative- ▁reflexes- Before- ▁Daven- ▁Intel- ▁Katsu- ▁commuters- ▁elastic- ▁exploding- ▁obese- ▁unfit- Downey- ▁Forex- ▁geek- ▁radar- ▁seasick- ▁Yolo- ▁posi- ▁Batu- ▁Burma- ▁Jaws- ▁purification- ▁summarise- Kook- Yacob- ▁Allen- ▁Pahang- ▁congee- ▁cooperate- ▁corpus- ▁statistically- ▁trumpet- ▁Christina- ▁contemp- ▁crease- ▁extinguisher- ▁hooray- ▁Barney- ▁Janice- ▁kanasai- ▁phoenix- ▁repetition- ▁scammed- ▁wiring- ▁backbone- ▁blunt- omodo- ▁assassination- ▁approv- ▁babysit- ▁bugger- ▁championship- ▁prospective- ▁Bencoolen- ▁roster- ▁stoning- ▁claustrophobic- ▁delusional- ▁dysfunctional- ▁leash- ▁punctuality- ▁boastful- ▁mugging- ▁paddling- ▁Dead- ▁Toby- ▁churn- ▁torso- ▁traumatic- Lipa- ▁playmate- ▁shush- ▁Foot- ▁Perak- ▁decompose- ▁enlistment- ▁inevitable- ▁mythology- ▁refine- ▁reproduce- ▁Margaret- ▁civilised- ▁lentil- ▁photocopy- ▁Maltese- ▁Prada- ▁chrome- Bahar- ▁Fantasy- ▁appetizer- ▁kuku- ▁maritime- ▁piping- ▁cunning- ▁hesitating- ▁blockchain- ▁pagan- ▁sequel- ▁Channing- ▁Celsius- ▁expertise- ▁globalization- ▁raspberry- ▁existential- ▁hastily- ▁Library- ▁biking- ▁grim- ▁disfigured- ▁reggae- ▁palate- boy- ▁Metro- ▁Saat- ▁naggy- ▁Bogo- ▁Artbox- ▁Mayday- ▁Shark- ▁Taiti- ▁deviation- ▁govern- ▁deferment- ▁possessive- ▁lingerie- beng- ▁eyelashes- ▁frighten- ▁rehearsal- ▁scarred- ungry- ▁annoyance- ▁anthem- Runner- ▁dilly- Caesar- ▁duper- ▁Pinnacle- ▁Makan- ▁immersi- ▁quartermaster- ▁Sanya- ▁Zhang- ▁carriage- ▁dumbass- ▁Joelyn- ▁Lovi- ▁Murder- ▁Kenny- ▁raving- ▁Vada- ▁overlord- ▁Shahira- ▁Banyan- ▁authenticity- ▁intima- Claus- ▁carpenter- ▁seawater- ▁Tupperware- ▁consultation- ▁macro- ▁attendant- ▁traumatised- ▁Lilo- ▁restrain- ▁flock- ▁squeezy- egor- ▁mozz- ▁scarce- ▁charities- ▁flavourful- ▁Cali- ▁Academy- ▁Reservoir- ▁parenthood- ▁dhal- ▁Lester- ▁Ruby- ▁recep- ▁Faris- ▁furry- ongdae- onito- ▁prettier- ▁commercialised- ▁slopp- ▁enterprise- ▁Timor- ▁Davidson- ▁rotting- Jong- ▁Never- ▁fortnight- ▁beatbox- ▁College- ▁Garfield- ▁Kacang- ▁Lena- ▁omakase- ▁elevated- ▁objection- arnish- learning- ▁Moses- ▁spies- ▁nonstop- ▁amplifier- ▁shortlisted- ▁representation- ▁Parkway- ▁Brigade- ▁Pattaya- ▁Noah- ▁Dua- ▁psychic- ▁Wak- ▁moto- regano- ▁throwback- ▁parkour- ▁attractiveness- ▁Real- ▁tada- ▁backstabbing- ▁Mouse- ▁Angeles- ▁Brown- ▁Taj- ▁sketchy- ▁pulley- ▁Toy- ▁Fire- ▁clubber- ▁agony- ▁Swift- ▁expressive- ▁spotlight- ▁truthfully- ▁choy- rgent- ▁chord- ▁subsidized- ▁Ford- ▁Momo- ▁baseline- ▁repeatedly- ▁seasaw- ▁Guan- ▁mite- ▁Pool- Frost- ▁Koko- ▁convent- ▁Duck- ▁bala- ▁Crab- ▁Leong- ▁mindedness- ▁paralysed- ▁Eden- ▁Kanji- ▁hump- ▁Ulu- ▁connector- ▁seamen- ▁sleepover- ▁hoarding- ▁johor- ▁okie- ▁lent- ▁constructed- ▁Belly- ▁goosebump- ▁hahaha- ▁Serai- ▁customised- ▁critically- ▁ign- ▁sneaky- ▁chunky- ▁padang- ▁Owen- Kat- talk- ▁italy- ▁Gang- ▁reap- ▁socialize- ▁cookhouse- ▁offset- ▁satan- ▁scape- ▁sadden- ▁overboard- Lau- ▁Shao- ▁pony- ▁composer- ▁overdo- Ego- ▁dua- ▁desc- hei- ▁marching- ▁ladylike- ▁transferable- ▁aspiring- ▁Shui- ▁Jose- ▁Peking- ▁Ox- ▁criticising- ▁exploded- ▁perceived- ▁contouring- ▁distracting- ▁Alexa- ▁stickman- ▁stickies- ▁superficially- ▁Ayer- ▁mumble- ▁Tok- ▁witnessed- ▁netting- ▁probe- ▁collective- ▁Alan- ▁Maha- ▁environmentally- ▁abus- ▁mak- ▁canoeing- ▁skateboarding- ▁lament- ▁smoother- ▁suspected- ▁peacefully- ▁burping- ▁yeha- ▁cramped- ▁postponing- ▁manipulated- ▁readily- ▁seaman- arents- Mutant- ▁sway- ▁anonymous- ▁frost- ▁Shar- ▁Kith- Khoo- ▁professionally- ▁lup- ▁healed- ▁cocky- ▁organiser- ▁Tau- ▁Villa- ▁buster- ▁interrupting- ▁tel- ▁respectable- ubl- ▁tidying- ▁recovery- ▁exited- ▁excluded- ▁Tong- ▁abuser- Char- ▁hav- ▁sourc- ▁Bai- dong- ▁shaved- ▁fest- ▁independently- stain- ▁sacrificer- ▁funded- ▁tun- ▁tricked- Aziz- gun- ▁owing- ▁adapted- ▁Evi- Sum- ▁Bahru- ▁overdose- ▁bearded- ▁molest- ▁absorbing- ▁cured- ▁Matt- ▁reflected- ▁ondeh- ▁Mun- ▁Planet- ▁exes- ▁Easter- ntil- ▁remover- ▁simulate- ▁lighten- ▁sinful- ▁painter- ▁actu- nstitution- Aw- shot- ▁twisting- lia- ▁Khan- Bin- ▁What- ▁pine- ▁Fall- ppo- that- ▁Can- caf- ▁clothed- ▁gui- ▁cracking- Don- ▁meowing- ▁hampers- ▁fluctuates- ▁refugees- rina- ▁carte- ield- ▁broker- ▁ignored- ▁Will- ▁Tup- ▁hater- oul- ▁ward- ▁Mumm- ▁angri- ▁blamed- ▁incoming- ▁caged- ▁feat- ▁Ger- ngkat- ▁gained- ▁helli- ▁vent- ▁connecting- ▁mach- ▁sugary- ▁Glenn- ▁pretending- ▁suntan- ▁hunting- ▁aerial- ▁disagreements- ▁Semb- Min- rawl- ▁devoted- dri- ▁downloading- ▁chor- ▁creak- zhen- ▁identi- ▁gam- ▁bossy- ▁thirdly- ▁noun- ▁Ani- ▁climber- ▁Tap- ▁Ng- ▁apparels- ▁enrolling- ▁admired- ssured- ▁respected- ▁gras- nding- ▁graz- ▁misbehave- epok- ▁Net- ▁ringing- ail- ▁tangent- ▁chilly- ▁Nam- ▁returned- ▁Miru- ouch- ▁crumbs- ▁Sands- ▁powered- ▁bon- Jolie- ▁railings- ▁blackheads- ▁bearing- loo- ought- ▁Julia- fort- ▁positioning- Cadet- oba- ▁hid- ▁emerg- ▁buttered- utan- olate- ▁resonates- ▁threats- scow- Thief- ▁colli- Jing- ▁Bart- ▁liner- ▁Marl- ike- ida- ▁yourselves- ▁pasty- creme- ▁cultured- ▁dicks- ▁startups- ▁limitations- ▁robotics- ▁astrolog- ▁Farah- ▁flopp- gates- ▁momento- ▁beam- ▁priced- ▁Astons- ▁nerves- ▁sculptures- ▁rested- ▁reminders- cous- ▁Sher- ▁kneel- Coles- ▁anticipate- ▁DC- ▁politicians- ▁pam- arley- ▁commercialize- ▁harp- ▁accelerate- Donki- ▁cucumbers- ▁rifles- ▁Run- ▁gro- ▁insider- ▁jav- ▁meatballs- ▁pirates- ▁spi- ▁handy- ▁Pas- ▁blogg- kie- rack- illion- ▁Pak- ▁emojis- ▁kilos- ▁Thin- lying- ▁worksheets- ▁notebooks- ▁crows- cia- ▁Kent- urity- ▁anal- ▁chunks- ▁buds- ▁Zen- ude- ▁ze- ola- ▁concentrati- ▁shak- ▁selfless- ▁Masters- ▁landscapes- ▁milestones- ▁expires- ▁moderniz- misunderstanding- Rush- ▁lou- ipped- ▁growl- ▁skit- elle- oid- por- Cook- ▁stakes- ▁belongings- ▁passages- smati- ▁zhu- ▁storybooks- ▁Rav- ▁fra- opped- ▁val- ▁squirrels- ▁tales- ▁prais- ▁colon- kee- rul- ▁relocate- ▁Cad- ▁Gia- ▁oppo- ▁opp- ▁optim- alized- ▁zipp- ▁Phil- dar- neo- ▁Pant- nuel- ▁Shake- ▁auditor- ▁Zhu- own- ▁tec- ▁stru- ▁terminat- gue- ▁rece- achi- urn- ftie- ▁opposit- ▁exa- ▁worsen- ▁sti- folding- shui- lessly- ▁marginal- ▁lob- rom- ▁crumb- bble- ▁Alon- acy- ▁Jenni- ▁spe- ▁Band- ▁spra- ▁shoo- afar- ▁ste- bak- Pie- ▁stan- ▁Ou- ime- fetched- iterate- ▁stead- ▁ferri- elecast- anna- ▁Lam- dol- ▁Bab- uhwe- mpang- ▁mindless- rman- Leste- ▁sympath- ▁ken- Clan- pad- ▁Human- atory- chai- decker- ▁cous- ▁Com- onia- ▁Bee- ▁bermuda- ▁scallop- ▁Pilate- ▁diaper- ▁pebble- ▁germ- ▁coral- ▁investor- ▁statistic- Ranger- ▁brace- ▁lyric- ▁alway- ▁zo- ▁slush- merah- ▁perk- ▁researcher- alism- stage- leen- body- ▁rab- ▁sportsman- ▁neg- Cent- make- ▁decorat- ▁certif- ▁gran- ▁oldie- Cage- ▁iden- ▁clog- ▁Chang- ality- ▁hur- ▁glam- wo- ▁Pul- ▁Julie- ▁Cal- ▁lectur- ▁Sand- west- Jobs- ▁complet- ▁achiev- tude- oup- nova- away- ▁Kee- Ban- ▁purchas- ▁esca- ▁wor- ▁Himalaya- ▁froze- ▁Sho- ▁deserv- ▁blush- ▁hoard- ▁choreograph- ▁dishearten- craft- ▁deci- ▁windsurf- ▁disco- ▁sightsee- ▁accord- ventu- ▁figur- pson- ▁schem- ▁arrang- Angel- ▁snip- icular- world- ▁ostracise- ▁chant- ▁confiscate- ▁excite- ▁elect- ▁endanger- bloc- ▁detach- atholic- ▁suspend- Network- Singapore- Woman- vious- Grande- Brigade- holder- Scott- Three- Bull- chomp- child- takraw- colli- tempered- Obama- Ninja- Ocean- attaya- restricted- Ralph- lifting- spirit- Busan- Black- Stella- ngsana- tight- different- grass- merit- queue- wak- consider- road- Maths- Ayam- boat- ondeh- Grey- Singaporean- shock- ▁greed- heard- yana- obby- ▁Ronald- Strange- clockwise- ▁suff- ▁graceful- ologist- open- ▁carpent- astle- ▁swag- ▁servic- ▁rehears- ▁millenni- vergreen- ▁submissi- hennai- enegade- esistance- ▁Mexic- ▁obstruct- ▁Aqua- ▁coincide- ▁depart- ddling- ▁celeb- ▁deploy- evio- negotia- ▁hydro- ▁protrud- ▁Comfort- ▁Disco- ▁boycott- Beckham- Bennett- Carrey- Clues- DiCaprio- Muhammad- Payne- Ramsey- Ribbon- Rowling- Solo- Uemura- arella- ligently- rrogate- ▁AddMath- ▁Adele- ▁Aidil- ▁Akbar- ▁Aloysius- ▁Anderson- ▁Anjib- ▁Anusha- ▁Bermuda- ▁Buddy- ▁Canberra- ▁Carnage- ▁Clean- ▁Colorado- ▁Coupet- ▁Daryl- ▁DeepMind- ▁Depot- ▁Donnie- ▁Durian- ▁Edusave- ▁Fiido- ▁Georgia- ▁Ghibly- ▁Gudetama- ▁Guinness- ▁Guzheng- ▁Heidi- ▁Hummus- ▁Immortal- ▁Insidious- ▁Jewel- ▁Kahshee- ▁Katherine- ▁Kelantan- ▁Kozminski- ▁Labyrinth- ▁Loann- ▁Lookism- ▁MUIS- ▁Mcnugget- ▁Millennials- ▁Mongrel- ▁Mountain- ▁Mutton- ▁Narcos- ▁Nolan- ▁Oprah- ▁Pagoda- ▁Paladin- ▁Panopticon- ▁Paramore- ▁Pochinki- ▁Raisa- ▁Rampage- ▁RedMart- ▁Rojak- ▁Rolanda- ▁Rumba- ▁Sanhok- ▁Sembcorp- ▁Shatec- ▁Shazleen- ▁Sheila- ▁Siberia- ▁Spirulina- ▁Spongebob- ▁Sugar- ▁Tiaga- ▁Tibet- ▁Tintin- ▁Toronto- ▁Umairah- ▁Vain- ▁Vegan- ▁Walter- ▁Webtoon- ▁Whatsapp- ▁Yasmin- ▁Yellow- ▁Zipline- ▁abdomen- ▁adequate- ▁adversities- ▁aftertaste- ▁aggravate- ▁armchair- ▁artefact- ▁artifact- ▁avengers- ▁averaging- ▁barnyard- ▁beloved- ▁blueberries- ▁boisterous- ▁bolognese- ▁bouquet- ▁breadcrumb- ▁brooch- ▁chamber- ▁champagne- ▁chihuahua- ▁chrysanthemum- ▁cinematography- ▁coffin- ▁coherent- ▁collarbone- ▁colloquial- ▁condescending- ▁consolidat- ▁consonant- ▁contagious- ▁contemplating- ▁contemporary- ▁coriander- ▁courtyard- ▁cynical- ▁daunting- ▁deadlift- ▁decreasing- ▁degrading- ▁dentures- ▁devoting- ▁dictate- ▁dodgy- ▁doorstep- ▁dopamine- ▁douchebag- ▁dwarf- ▁earthworms- ▁emporium- ▁enclosure- ▁entails- ▁esketit- ▁espresso- ▁execution- ▁exfoliant- ▁exquisite- ▁fingertip- ▁gizzard- ▁globe- ▁graffiti- ▁hiccups- ▁hokkaido- ▁hyperactive- ▁iModel- ▁imitation- ▁impediment- ▁indebted- ▁indomie- ▁inertia- ▁infested- ▁infinite- ▁interconnected- ▁introspective- ▁intrusive- ▁jewelleries- ▁keloid- ▁keropok- ▁knuckle- ▁liddat- ▁lychee- ▁mackerel- ▁malamute- ▁mechatronics- ▁memorabilia- ▁menacing- ▁menthol- ▁messenger- ▁migraine- ▁mortgage- ▁muachee- ▁muffled- ▁mussels- ▁narrate- ▁negotiation- ▁nitrogen- ▁obscure- ▁oriental- ▁overcooked- ▁overcrowded- ▁paitao- ▁parasite- ▁persuasion- ▁pinafore- ▁pistachio- ▁pistol- ▁predator- ▁premature- ▁preoccupied- ▁prettie- ▁profiling- ▁prototype- ▁radish- ▁reincarnated- ▁reindeer- ▁repurpose- ▁resilient- ▁retrospect- ▁revenue- ▁rhino- ▁ritual- ▁roulette- ▁salvage- ▁sandbag- ▁scorpion- ▁scrawny- ▁sculp- ▁secluded- ▁silhouette- ▁simulation- ▁simultaneously- ▁slipshod- ▁sneezing- ▁snippet- ▁sparring- ▁splatter- ▁spooky- ▁sprinkle- ▁structural- ▁strudel- ▁stylus- ▁succulent- ▁supervision- ▁tattered- ▁terribly- ▁ticklish- ▁tidbit- ▁tomollow- ▁tremendous- ▁trespass- ▁trishaw- ▁unaware- ▁uncommon- ▁uncouth- ▁underestimate- ▁understudy- ▁unknowingly- ▁unwanted- ▁upbeat- ▁username- ▁utilize- ▁wavy- ▁woodworking- ▁wurly- ▁Boost- ▁Brighton- ▁Neslo- ▁Silk- ▁abundance- ▁advent- ▁analogy- ▁calibr- ▁conscientious- ▁ingrain- ▁misjudge- ▁noisier- ▁parsley- ▁peppermint- ▁recontract- ▁smuggle- ▁spacing- ▁stomp- ▁truancy- mitten- ▁Dengue- ▁Emily- ▁Fajar- ▁Harbin- ▁Kamal- ▁Toggle- ▁abalone- ▁celery- ▁copycat- ▁dubious- ▁glare- ▁greasy- ▁hydrogen- ▁influential- ▁jeopardize- ▁laboratory- ▁perseveran- ▁reform- ▁shucks- ▁Kingsman- ▁Prive- ▁Steffi- ▁boomerang- ▁estimation- ▁eventual- ▁glamour- ▁goblin- ▁intersect- ▁mimic- ▁slimmer- Beautiful- ▁Famous- ▁Kylo- ▁figurative- ▁troop- ▁vapour- Gogh- ▁Amber- ▁Beatles- ▁Brenda- ▁Logan- ▁Nasser- ▁Ramesh- ▁avid- ▁carol- ▁flaming- ▁geese- ▁rattan- ▁sledge- ▁Nineteen- ▁Nurul- ▁Pegan- ▁apology- ▁escaping- ▁existentialist- ▁lasik- ▁mansionette- ▁masculinity- ▁percussion- ▁shards- ▁speculation- ▁template- ladder- ▁Cholo- ▁Gerpe- ▁Store- ▁Suri- ▁ambiance- ▁screwdriver- ▁shading- ▁telephone- ▁Gamebooks- ▁Valerie- ▁Zaibo- ▁antisocial- ▁carnation- ▁corpse- ▁droplets- ▁hypocritical- ▁memorizing- ▁perspiring- ▁salsa- Buloh- Patterson- ubis- york- ▁Ahkah- ▁LinkedIn- ▁babysitter- ▁battlefield- ▁censorship- ▁disruptive- ▁perfectionist- ombie- ▁backfire- ▁compact- ▁outerwear- ▁Kanye- ▁Levina- ▁diaries- ▁exclusivity- ▁indulgence- ▁intonation- ▁liberat- ▁magnetic- ▁molecul- ▁patties- ▁quotation- ▁raffle- ▁Powerpuff- ▁compatib- ▁sulk- ▁trump- ▁General- ▁Muji- ▁lulu- ▁spicie- ▁ramble- ▁stimulation- ▁Kashi- ▁thorn- ▁Colour- ▁clump- ▁dulan- ▁lazier- ▁manipulative- ▁shimmer- ▁undergraduate- logue- ▁Angelina- ▁Suzy- ▁capsizing- ▁lik- ▁psychotic- ▁understatement- ▁ventilat- Pahat- ▁bankruptcy- ▁contradiction- ▁destruction- ▁sanity- ▁Dawn- ▁Salva- ▁fluid- ▁pricy- ▁Satay- ▁frock- ▁pending- ▁restrictive- ▁scammer- ifier- ▁mingling- ▁Sapa- ▁grandchild- ▁rosy- Nun- ▁physician- ▁comprehensive- ▁kope- ▁qual- ▁rubric- ▁evade- ▁globalisation- ▁radiotherapy- ▁tripped- ▁Race- ▁denial- ▁redemption- wow- ▁anorexia- ▁displace- ▁Ashton- ▁Zeus- ▁anatomy- ▁Family- ▁Murakami- ▁Oriental- ▁dreadful- ▁glamor- ▁Damai- ▁Hogwarts- ▁billboard- ▁consumerism- ▁explosion- ▁booze- ▁cathedral- ▁pianist- ▁Shaun- ▁Freshies- ▁Lavi- ▁eeyer- ▁freight- ▁wholesome- ▁affectionate- ▁euro- ▁pussy- ▁slut- ▁twinning- ▁mellow- ▁quoting- ▁paintball- ▁primate- score- ▁Istana- ▁Kayaking- ▁affiliated- ▁blatantly- ▁dehydrated- ▁eyelash- ▁chubby- ▁hottest- ▁unproductive- ▁unrelated- ▁womanizer- endang- ▁daugh- Kheng- ▁Chronicle- ▁harmful- ▁Sakae- ▁Shoppe- ▁clipper- ▁insistent- ▁sparkling- ▁trademark- took- thical- ▁kuih- ▁diesel- ▁incest- ▁Station- arabat- ▁charac- ▁Heroes- ▁deliberately- ▁Dior- ▁discriminate- ▁zag- ▁Prudential- ▁bubbling- ▁suffocating- ▁noticeboard- ▁patrol- ▁tagged- ▁Evan- ▁wrapper- ▁Kickapoo- ▁sank- ▁Monster- ▁adaptive- ▁spillage- ▁cheongsam- ▁haram- Chamber- ▁Ella- ▁transferring- ▁Maslinda- ▁beautif- ▁Naan- ▁shaw- ▁Bosch- ▁Dash- Gandhi- ▁bodysuit- Mahal- ▁Chevron- ▁mantis- ▁trashcan- ▁utter- ▁enunciate- ▁consent- ▁guitarist- ▁Who- ▁powderful- ▁reaper- ▁rashes- ▁Conjuring- ▁Education- ▁iCloud- ▁Like- ▁propel- ▁Salvation- ▁Gula- ▁witty- ▁Keane- ▁yuan- ▁vow- ▁Evo- ▁shareholder- ▁hazel- ▁bolt- ▁changi- ▁autonomy- noya- ▁perfumery- ▁undertaker- ▁Putra- ▁Halia- ▁communist- tigate- ▁rapist- ▁zipline- dog- ▁prune- ▁bustle- ▁illustrator- ▁blurry- ▁viewpoint- ▁drawback- ▁potent- ▁repress- ▁litted- ▁disturbance- ▁treehouse- ▁Miami- ▁rework- Chuan- Wall- Depp- ▁lax- ▁Greatest- ▁formality- ▁Smoo- ▁overview- ▁validated- ▁volcanoes- Rice- ▁easel- ▁locket- ▁fluently- vour- ▁detached- ▁biasness- ▁hypo- ▁practicality- ▁elected- ▁Wood- ▁Batisah- ▁Turtle- ▁Grabfood- ▁Jovi- ▁sev- ▁cooper- ▁rundown- ▁Sedan- ▁queer- ▁kaka- ▁Stal- ▁Xbox- ▁swerve- ▁native- ▁Bowl- ▁Talk- ▁confiscated- ▁stubbornness- ▁factories- ▁jiak- ▁damm- ▁saman- ▁traumatize- ▁profitable- ▁Gmail- ▁Sakurai- ▁downfall- ▁quali- ▁percentile- ▁keng- ▁Made- ▁Factor- ▁varied- heongsam- ▁ahem- ▁signpost- ▁Biz- ▁Vista- ▁Born- ▁occasional- ▁Liang- ▁ditch- ▁crip- ▁muse- ▁Everest- ▁mainland- ▁compu- ▁denser- ▁Lagoon- ▁Utama- essert- ▁Nepali- ▁Show- ▁potion- ▁creamier- ▁Jake- ▁zipper- ▁Six- ▁Cooper- ▁Zhen- ▁pesto- ▁Guo- ▁realisation- ▁maki- ▁cheong- ▁jug- ▁restructur- chup- ▁activated- ▁minimally- ▁Chiong- ▁clone- ▁kaw- ▁crushes- ▁bender- ▁nani- ▁Minh- ▁westerners- ▁implying- ▁mustache- ▁brushes- Xie- ▁urgently- ▁tuning- ▁Sister- ▁burped- ▁eliminated- ▁strengthen- ▁doughy- ▁sizing- ▁giveaway- ▁bronzer- ▁comical- ▁disrespected- ▁beeping- ▁campaigner- wang- ▁Nara- ▁Soon- ▁Circu- ▁merely- ▁enduring- ▁exceeded- ▁standee- ▁Cass- ▁Premiere- ▁godson- ▁fleshy- ▁skii- ▁dane- ▁sketching- tiao- ▁sesh- itive- ▁tangled- Bai- Chap- ▁Gaga- ▁bir- ▁whisker- ▁Grande- ▁Post- ▁coverall- ▁distributed- ▁underlined- ▁amused- ▁adapter- ▁bouldering- ▁externally- ▁hotline- suit- ▁interrupted- ▁wholesale- ▁overwork- ▁invaded- ▁maximi- ▁Victor- ▁runway- ▁Penyet- ▁composed- ▁optimis- ▁pawn- ▁stained- ▁Kayu- ▁assessed- ▁exuberant- ▁carom- ▁kur- ▁internally- ▁worthless- ▁stopper- ▁crawled- Tee- ▁freshness- ▁insisted- ▁Jana- ▁Tik- cker- ▁bearable- ▁Puti- ▁quad- ▁dryness- ▁Dana- ▁tuba- ▁EZ- ▁absorbed- ▁Jet- ▁unto- ▁amend- ▁Dong- ▁Socr- ▁jiao- ▁threatened- ▁Taois- ▁restless- ▁outcast- ▁getaway- ▁coping- ▁additionally- ▁tasteless- ▁expanded- ▁adver- ▁jokingly- ▁dune- Brock- ▁defender- ▁gasp- Yun- ▁murdered- ▁manually- ▁desired- ▁expiring- ▁Kath- ▁fist- ▁Nur- ▁pressurize- ▁grinding- ▁traitor- ▁oopsie- ▁threading- ▁bridg- ▁stricter- ▁firsthand- ▁sucker- ▁Airy- ▁iceman- ▁ridiculously- ▁defending- ▁formally- ▁jungler- Gen- ▁Age- ▁yel- ▁applic- ▁Nadia- being- ▁sud- ▁Comm- ▁behaved- ▁damaged- ▁Sean- ▁sweeten- ▁responded- ▁Kei- langah- Dong- Guilin- Drew- ▁reviewed- ▁reminisce- fare- ▁daylight- ▁Chell- malam- ▁dozen- ▁Keds- ▁Kung- ▁tracker- ▁baht- mega- ▁retaining- ▁memorised- ▁gossipy- ▁Bosc- ▁Team- kia- ▁Cam- ▁tru- ▁screamed- Team- ▁marginalise- ▁cheeky- ▁tic- ▁puree- ▁displayed- ▁lieu- ▁slider- ▁situational- zbuy- ▁Mariam- ▁laying- ▁fru- ▁portraying- ▁Kill- ▁Jup- ▁tryout- ▁disappearing- eggae- ▁clamp- Dazs- ▁tomb- ▁filtering- ▁DJ- ▁Jacky- ▁Low- ▁beautifully- qing- ▁ghostly- ▁recalled- ▁Lucas- ▁gymnastics- ▁immigrants- ▁pellets- ▁magnets- ▁nachos- ▁glamp- ▁scorer- ▁divider- ▁sati- ▁bedding- ▁pedas- ▁responding- ▁Cambodian- ▁Live- ▁coster- ▁Pup- ▁ref- ▁Billy- ▁instruct- ▁Kal- ▁particle- ▁crushing- ▁deserved- ▁Kun- ▁misses- ▁monitoring- ▁skilled- ▁Pull- ▁Davi- Pei- ▁Tha- ▁archi- ▁inches- ▁emotionless- holster- ▁pressed- ▁curls- ▁displaying- ▁shameless- ▁conditioning- girls- ▁riddles- ▁drooling- ▁Kitte- ▁slum- ▁Malaya- ▁Cart- manship- ubby- ▁interviewed- uhwhat- ▁flavouring- ▁Ria- ▁orbit- elly- Yin- ▁Jonah- ▁stacking- ulf- ▁scrapp- ▁flowing- ▁patronis- ▁stre- ▁petals- ▁adulting- ▁poorly- irl- ▁sau- ▁pac- bati- ▁parka- ▁hanged- lendon- ▁weirder- ▁catchy- proving- ▁investors- ▁Pilates- ▁bermudas- ▁diapers- ▁germs- ▁pebbles- ▁scallops- ▁defined- yung- Reap- ▁handcuff- nut- wiping- ▁usable- diate- ▁alre- ▁doze- ▁Ande- erf- ▁beca- ▁informati- lalang- ▁centred- ▁goose- osity- ▁pete- RA- ▁suprem- ▁imme- ▁Av- ▁wrinkle- ▁pinky- ▁marr- ▁believer- ▁holi- ▁Carls- ▁realist- ▁Nav- ▁yell- ▁afro- ▁cleaned- ▁happ- ▁fractio- ▁Pen- ▁picker- sim- ▁accumulati- uge- Junction- ▁nutritional- ▁gyming- ▁forge- cho- ▁acquir- top- play- ▁luo- ▁swo- ▁plush- erome- ▁sibe- Shack- ▁Stu- entrepreneurship- aker- ▁melo- ▁optic- moo- garden- ▁wiggl- ▁memo- ▁Elf- ▁fizz- ▁Kor- ▁coloring- ▁gy- ▁Glad- anny- izard- Lamb- ▁Tur- ▁Sub- otte- ▁Baker- ▁Tora- ▁humiliat- Ringo- ▁physiologi- ▁giggl- ▁hugg- ▁Lip- ▁aimless- ▁padd- ▁Merc- addy- ggers- ilia- ▁divin- ▁minimalist- heng- ▁Za- Yeo- ▁secur- actually- Now- ▁Lol- fusing- ▁Ele- ▁dub- agging- eenage- logical- ▁gl- kay- ▁purg- ummies- hiong- fully- ▁wil- ▁downgrade- ▁coordinat- ▁walker- ▁glut- rain- oth- ▁publicise- ▁airdrop- ▁embod- ▁stor- ▁bulg- Bike- ▁perf- gui- lease- ▁committ- ▁Nest- ▁beep- ▁cripple- iction- pei- ▁bac- ▁pressur- ▁jer- ▁defi- nese- ▁Dot- ease- ▁fou- ▁Woo- lao- bur- ▁Jum- pang- roy- ▁Sia- ▁smo- ▁sel- okay- ▁pickle- ▁diagnos- izzle- media- ▁bod- ushi- ▁reme- ▁commentar- ▁indulg- ▁scrambl- ▁wag- ▁ventur- ▁sighted- ulated- Pai- ancy- pian- Gab- esar- ux- Jenner- ▁zh- ▁dial- ▁indicat- inning- ▁cran- ▁basin- ▁concur- ▁patron- ▁tackl- ▁Act- sulting- imo- arred- Kueh- erial- ▁assure- hoc- ▁apparel- Fan- ▁tantrum- ▁Resort- ▁analytic- Brother- ▁regulation- ▁congratulation- ▁Airline- ▁boob- ▁cockle- ▁frie- ▁shophouse- ▁cau- Lan- ▁fatal- ▁Soci- ▁enc- Lun- ▁clothe- ▁ela- ▁lif- ▁stin- capped- ▁eng- ▁instruc- ▁viewer- ▁conver- ▁apparen- icles- ▁feminis- ▁petal- ▁rese- abo- Por- eech- ▁Wind- Png- cination- Ten- ▁sui- ▁recreation- rmal- ▁replica- Chia- ▁quan- ▁admir- ▁Mil- ▁feng- dded- ▁appli- gba- ▁Rou- oded- Christ- kling- ▁acco- cock- ▁fir- ▁stud- ▁conti- ▁generat- ▁dab- hanger- ▁scribbl- ▁Kevi- ▁overwhelm- ▁disgust- ▁translat- learn- ▁overflow- ▁embarass- ▁enrich- ▁Zion- ▁festi- ▁eliminat- exist- ▁involv- claim- luck- ▁jade- ▁implie- shoot- ▁entitle- ▁flourish- ▁communi- axophone- abilities- fresh- ▁appoint- ▁amplifie- ▁lingui- Bueno- Campbell- Ericsson- bilis- Curry- Hardy- Possible- Waterfront- llustrator- Putra- write- cooper- College- Garfield- Kacang- clutter- Chee- Zhong- Switch- floss- Martin- Mario- Melaka- ▁Morgan- league- Audi- Royal- Museum- sufficient- South- capable- omelette- Geylang- Raffles- Secret- frame- pilot- slept- ▁autonom- Bedok- Jurong- brother- girlfriend- when- family- glory- Court- ▁enterpris- class- sports- Primary- ▁Mega- ▁procreat- Shore- stral- ▁lasagn- Katong- ▁fluff- ▁energ- arthritis- paint- balance- woman- Giant- malay- nerd- Boat- ▁meditat- ▁multiplie- Amos- ▁glide- why- ▁restore- ▁alwa- irates- ▁inherent- ▁thorough- chek- ▁especial- Center- illenials- Dark- nounce- ▁gradual- hallenger- ▁unfriend- game- erald- atural- chemic- ▁coincident- ▁judgment- ▁coincidental- ▁Michel- ormula- ▁coward- ▁explosi- ditor- ivalry- thritis- ▁enthusiast- ▁congratulat- ▁orientat- ▁assassin- ▁uncertain- linders- ▁environ- ▁subtract- latan- ▁homosexual- Huang- migrant- ▁Capital- ▁commute- ▁Casi- '3'- ▁Battle- ▁Crime- ▁Rasuk- ▁Constance- ▁Leicester- ▁Sistine- ▁dermatologi- ▁Binjai- ▁Kavis- ▁Okto- ▁Silicon- Thatcher- ▁Bohemian- ▁Dennis- ▁Raymond- ▁Taroko- ▁Whampoa- ▁bumble- ▁devotion- ▁levitat- Atkinson- Bolton- Bridge- Brule- Corden- Cumberbatch- DeGeneres- Diesel- Gambino- Garrix- Hemsworth- Heritage- Hussain- Interchange- Laundrette- Level- Negara- Neville- Pacquiao- Persie- Ramlee- Streisand- lluminati- normous- penyet- quamarine- ▁Adriel- ▁Akira- ▁Anastasia- ▁Andriod- ▁Antwerp- ▁Arizona- ▁Auckland- ▁Awaz- ▁Azkaban- ▁Beethoven- ▁Bodyguard- ▁Braddell- ▁Bruce- ▁Buzzfeed- ▁Chadwick- ▁Chandler- ▁Cheddar- ▁Chernobyl- ▁Clarins- ▁Coachella- ▁Colorpop- ▁Company- ▁Condo- ▁Counterstrike- ▁Crayon- ▁Cuisine- ▁Culture- ▁Daenerys- ▁Deekosh- ▁Digest- ▁Dillon- ▁Dungeon- ▁Durarara- ▁Esther- ▁FOMO- ▁Fajita- ▁Fieldsville- ▁Fiji- ▁Flume- ▁Hataraku- ▁Heeraj- ▁Hercules- ▁Honolulu- ▁Houston- ▁Jiufen- ▁Joakim- ▁Kadir- ▁Kasta- ▁Kindle- ▁Kitchen- ▁LMAO- ▁LaSalle- ▁Lalamove- ▁Lawrence- ▁Luqman- ▁Madonna- ▁Martial- ▁Matilda- ▁McFlurry- ▁Megazord- ▁Ministry- ▁Mississippi- ▁Mormon- ▁Morocco- ▁Napfa- ▁Nirvana- ▁Nissin- ▁Oleander- ▁Ostrava- ▁Othello- ▁Palawan- ▁Picnic- ▁Pixel- ▁Poptropica- ▁Poseidon- ▁Rabbit- ▁Radiohead- ▁Razer- ▁Redmart- ▁Reebo- ▁SOTA- ▁Sadie- ▁Sebastian- ▁Seiko- ▁Seremban- ▁Shenkuu- ▁Shiberty- ▁Shopkins- ▁Skittles- ▁Solecase- ▁Somalia- ▁Songket- ▁Spice- ▁Starfire- ▁Stomp- ▁Subsuka- ▁Sumatra- ▁Surabaya- ▁Syndra- ▁Targaryen- ▁Terraria- ▁Unfabulous- ▁Usopp- ▁Vitagen- ▁Watami- ▁Wharf- ▁Wilfred- ▁Woodleigh- ▁Xiaxue- ▁Yugioh- ▁Zidane- ▁abolish- ▁academia- ▁accommodating- ▁adjective- ▁african- ▁ahmad- ▁allegedly- ▁ambiguity- ▁anchovies- ▁appliances- ▁apprentice- ▁armskote- ▁availabil- ▁barricade- ▁believable- ▁billiard- ▁blackcurr- ▁bookshelf- ▁calefare- ▁cashflow- ▁categorise- ▁caterpillar- ▁cheapskate- ▁chief- ▁clarity- ▁clause- ▁cleave- ▁codependent- ▁commonwealth- ▁compilation- ▁concurrently- ▁conspiracy- ▁conspire- ▁corruption- ▁cottage- ▁credible- ▁crescent- ▁damaging- ▁decline- ▁declining- ▁degenerate- ▁demolition- ▁demotivate- ▁devastated- ▁devastating- ▁diaphragm- ▁dictator- ▁disgrace- ▁dispatch- ▁displeasure- ▁dystopian- ▁elitism- ▁endorphin- ▁ensemble- ▁equity- ▁estella- ▁exempted- ▁exorbitant- ▁fanciful- ▁flaunt- ▁flavourtown- ▁forefather- ▁forensic- ▁gibberish- ▁gimme- ▁gloomy- ▁glucose- ▁gratification- ▁gruesome- ▁guava- ▁gynae- ▁hammock- ▁harmonizer- ▁heaviest- ▁hibernate- ▁hickey- ▁honeydew- ▁hungrier- ▁hurried- ▁hypothermia- ▁imaginative- ▁impractical- ▁inducing- ▁inefficiency- ▁infatuated- ▁influenza- ▁infused- ▁inquisitive- ▁insecurities- ▁insignificant- ▁jaguar- ▁jinx- ▁kanken- ▁lavender- ▁lenient- ▁lilac- ▁litigation- ▁locksmith- ▁loiter- ▁longevity- ▁maggots- ▁maisonette- ▁majestic- ▁meritocracy- ▁millipede- ▁mojito- ▁monastery- ▁monorail- ▁mukbang- ▁nepotism- ▁nonchalant- ▁nonetheless- ▁obesity- ▁odac- ▁opaque- ▁origami- ▁ostrich- ▁outstretch- ▁overpopulated- ▁override- ▁parapet- ▁patriarchal- ▁persuasive- ▁phenomenon- ▁pigmentation- ▁piloxing- ▁pomelo- ▁powerbank- ▁preservation- ▁pressurising- ▁prostitute- ▁prostitution- ▁rambling- ▁recreating- ▁rectify- ▁reimburse- ▁relevanc- ▁remedies- ▁renowned- ▁reorganise- ▁reptile- ▁responsive- ▁rethink- ▁reunite- ▁revelation- ▁rosti- ▁sabotage- ▁sacrificial- ▁sanctuary- ▁saviour- ▁sidekick- ▁skinnier- ▁slapped- ▁sleek- ▁slurp- ▁smirk- ▁stellar- ▁stench- ▁storytelling- ▁stylo- ▁submarine- ▁substantiate- ▁sunbathing- ▁surcharge- ▁surmise- ▁surreal- ▁suspens- ▁swept- ▁tactful- ▁tangerine- ▁thanksgiving- ▁threadmill- ▁tortoise- ▁transmission- ▁trickshaw- ▁tumeric- ▁turmeric- ▁unbreakable- ▁unconventional- ▁unfamiliar- ▁unforgettable- ▁unfulfill- ▁unheal- ▁unpack- ▁unreliable- ▁unveil- ▁velocity- ▁vigilant- ▁volatile- ▁wacoal- ▁wicked- ▁wilderness- ▁withdrew- Ketchum- ▁Brokeback- ▁Clifford- ▁Economics- ▁Eeyor- ▁Eudora- ▁Kebab- ▁Matcha- ▁Narelle- ▁Patrick- ▁Salim- ▁berapa- ▁concuss- ▁entangle- ▁imprison- ▁inactive- ▁incinerati- ▁insured- ▁irritable- ▁juggling- ▁kerb- ▁penthouse- ▁physiotherapist- ▁posterior- ▁prosecut- ▁robust- ▁shrunk- ▁solitude- ▁turd- ▁underpass- ▁wholemeal- ▁yip- Ambeng- Kennedy- ▁Hydr- ▁Inisha- ▁Kellogg- ▁Morinho- ▁Petercrouch- ▁Reader- ▁desensitize- ▁eggplant- ▁embroider- ▁enchant- ▁fandom- ▁hamburger- ▁harmonic- ▁investigating- ▁lassi- ▁leftward- ▁miserably- ▁mistress- ▁pagoda- ▁pigtail- ▁pulpo- ▁recognising- ▁reign- ▁riffs- ▁sleepwalk- ▁tatami- ▁temptation- ▁twitch- ▁yikes- itamin- ▁Pierre- ▁bypass- ▁delegat- ▁pawnshop- Charlotte- endrick- lender- ▁Aberc- ▁Carrot- ▁Kamu- ▁Loyang- ▁Peaky- ▁Smurf- ▁Yahoo- ▁garner- ▁pressurizing- ▁simplify- Cowell- Neeson- ▁Apax- ▁Clive- ▁bloop- ▁bodied- ▁eagle- ▁jeera- ▁republic- ▁sachet- ▁witchcraft- ▁worrywart- ▁Jumper- ▁Patek- ▁Shannon- ▁Tofu- ▁Zubi- ▁airshow- ▁beacause- ▁caesarean- ▁inspiriting- ▁maximize- ▁microbio- ▁mysteries- ▁remedy- ▁saloon- ▁saucy- ▁teapot- ▁tutu- ▁Lovisa- ▁Saraca- ▁Scout- ▁arbitrary- ▁fuming- ▁ivy- ▁lollipop- ▁poetic- ▁solemn- Chaplin- ▁Carlyn- ▁Collin- ▁Gelato- ▁Kenji- ▁Merek- ▁stutter- ▁Sahana- ▁Sehun- ▁holocaust- ▁plaque- ▁Masala- ▁Pyth- ▁comedies- ▁dabbing- ▁eavesdropping- ▁frilly- ▁revolutionary- ▁uprising- ▁Yankee- ▁Melody- ▁Saku- ▁Ubergrapher- ▁obligated- ▁robbing- ▁villian- Granger- fected- ▁Peace- ▁assurance- ▁collide- ▁stubble- ▁tiresome- ologne- ▁Phisha- ▁Rasa- ▁cauli- ▁Germaine- ▁Libra- ▁Seventeen- ▁agak- ▁dividend- ▁Raned- ▁Stray- ▁detest- ▁esters- ▁froyo- ▁recollection- ▁toppled- ▁prerequisite- ▁pyjamas- ▁sacred- ▁selves- ▁Fariz- ▁Lucy- ▁Musa- ▁Davina- ▁Judy- ▁blemishes- ▁hippie- ▁porch- ▁skewe- ▁exponentially- ▁mistreat- ▁sparrow- Diaries- kram- ▁gourd- ▁horlick- ▁ascend- ▁daft- ▁subtraction- ▁maturing- ▁normative- ▁Aquaman- ▁Farid- ▁Pinang- ▁Soju- ▁parody- ▁rasp- Xiong- ▁Demi- ▁Hebe- ▁gently- ▁shameful- ▁drumlet- ertis- ▁confrontational- ▁pupa- ▁drastically- ▁guac- ▁Jared- ▁Marmalade- ▁empowerment- ▁flunk- ▁jellybean- ▁visc- Paddle- ▁Dollah- ▁Tangled- ▁bullier- ▁clapping- ▁resembles- Care- ▁Asos- ▁Moza- ▁Westgate- ▁quarry- ▁Lazuli- ▁chorus- ▁tequila- ▁wafer- ▁Jeanette- ▁SpiderMan- ▁grumbling- ▁kinship- Lapis- Madrid- ikgu- ▁coordinator- ▁dahl- ▁yoogane- ▁Kimberly- ▁Pharrell- ▁brigade- ▁forgivable- ▁dyslexia- ▁nicotine- ▁sensitivity- ▁Chick- ▁Edward- Ferrell- ▁Siva- ▁bleak- ▁Cheong- ▁civilized- ▁reciprocation- ▁Singsale- ▁elementary- ▁laloo- ▁Gear- sibility- ▁Mogu- ▁limelight- Train- ▁kakak- ▁shortlist- rped- ▁carousell- ▁footprint- Kurau- ▁globalised- ▁mower- ▁backstory- ▁monit- ▁Trans- ▁daisy- ▁hijack- ▁compass- ▁prankster- ▁Jinna- ▁transformation- ▁navigation- ▁homesick- ▁Robinson- ▁alps- ▁liability- ▁solidif- ▁whistl- ▁Luka- ▁Goro- ▁extraordinary- ▁Mollywood- ▁hobo- ▁shapeshift- ▁absent- ▁endorse- ▁exclaim- ▁tradesman- ▁Tanuki- ▁modification- ▁Asam- ▁shawl- ▁Heath- ▁chapteh- ▁Desiree- ▁alignment- ▁rollerblade- ▁grit- ▁vacancy- liath- ▁Mitchie- ▁purposeful- idle- ▁Salman- ▁cylinder- ▁supposing- ▁Dora- ▁Institute- ▁Convenience- ▁Future- ▁Gabriel- ▁Gateway- ▁Krunch- ▁Satan- ▁Schwarzenegger- ▁Technical- ▁Theatre- ▁alteration- ▁hush- ▁crayon- ▁snipe- Kardashian- ▁moonlight- ▁emit- ▁Stephenie- face- ▁aburi- ▁constipated- ▁Kurt- ▁nutri- ▁cowardly- ▁omega- ldering- ▁hopped- ▁recruitment- ▁slavery- ▁lever- ▁faci- ▁Austin- ▁rotan- ▁breathless- ▁indian- ▁swish- ▁Spartan- ▁Usman- ▁Tabata- ▁precaution- Law- ▁Anabelle- ▁Carrie- indef- ▁vary- ▁moisturize- ▁pester- ▁underdog- ▁gracefully- ▁Aquarium- ▁Caribbean- ▁Hathaway- zuo- ▁installment- ▁Shepard- ▁ladu- ▁acknowledgement- ▁affordability- ▁unfriendly- ▁tagline- ▁Camp- ▁TAF- ▁noticing- Group- ▁instantaneously- ▁roman- ▁salivating- Duck- yaki- ▁betrayal- ▁laces- ▁Fault- ▁waive- ▁Grabpay- ▁Fomo- ▁exert- ▁utai- ▁disposal- ▁unpaid- luted- liate- ▁pullover- ▁Curry- ▁Possible- ▁skillful- ▁inflated- ▁fomo- Rock- ▁Waterfront- ▁illnesses- ▁zhai- ▁uber- ▁alkali- Liu- ▁fruitful- ▁choreography- ▁jiang- ▁firewood- minal- ▁seniority- ▁Woman- ▁goatie- ▁conserving- ▁socializing- ▁sweetener- ▁speck- ▁deadass- ▁Riz- ▁trou- ▁clubhouse- Liang- Hai- ▁familiarity- ▁implied- ▁spaceship- ▁restored- ossil- ▁Semi- ▁endangered- ▁Lake- ▁Mango- Tomato- ▁Cind- ▁Smart- ▁predictable- ▁rover- ▁Huang- ▁Willy- ▁reassure- ▁Meg- ▁popper- Thanh- ▁situat- ▁Hardy- ▁Asher- ▁pushover- ▁Aqil- ▁congested- ▁ostracised- ▁shopped- cigarette- ▁blacklist- ▁appam- ▁Abba- ▁drier- ▁unfa- ▁adaptor- ▁backstroke- ▁excessively- ▁empowered- ▁worthwhile- ▁innovat- ▁Ride- ▁baton- ▁altruism- ▁Jez- ▁biases- ▁Udon- ▁epitom- ▁Dover- ▁shutter- ▁hatred- ▁poof- ▁reclaimed- ▁bitterness- ▁ushering- ▁romanticize- ▁gab- ▁smoothness- ▁songwriter- ▁Abel- oma- ▁Sota- Siang- ▁lapis- ▁firing- ▁Muk- ▁calmness- ▁interven- ▁misused- ▁crawler- ▁Stone- ▁Dew- ▁purging- ▁recharged- ▁exhi- Tsum- ▁selfishness- ▁fidgety- ▁miso- ▁Latino- ▁arrested- ringe- ▁histories- ▁Fist- ▁barrag- ▁Missha- ▁Blan- ▁deformed- ▁punches- ▁Fox- ▁doctorate- ▁kera- polis- ▁Beast- ▁Brad- ▁brainless- ▁talentless- ▁Lou- ▁masses- ▁crosster- ▁Hamza- burn- ▁specialization- ▁Tango- hmm- ▁shyness- gram- ▁Wheel- ▁Finding- ▁frowning- ▁stealth- ▁neatly- ▁lug- ▁McCartney- ▁Rex- ▁Faber- ▁deli- gana- ▁destroyer- illian- ▁homecoming- ▁raya- ▁conception- ▁betrayer- ▁nip- ▁derived- ▁kayponess- ▁Box- Candle- ▁Guy- ▁latter- Sue- ▁lun- ▁Blink- ▁headline- ▁heartedly- ctive- ▁Kasan- ▁Moon- ▁loosely- ▁versed- ▁Sci- ▁bonuses- ▁mul- ▁analyzed- ▁Haik- pize- ▁sever- ▁contradict- ▁Top- mination- lushie- ▁Ghe- fry- ▁sharper- ▁Clini- ▁desperately- ▁Dino- ▁thickness- ▁Sara- ▁Peng- ▁organizer- ▁breadth- ▁pow- icable- ▁honoured- ▁strained- ▁Hang- ▁defeated- ▁mov- ▁Tei- ▁Hary- ▁chup- ▁Fong- ▁revisi- ▁turnover- ▁establishing- Yorke- ▁polished- ▁politely- ▁befriend- ▁converter- ▁Tammy- ▁cranberr- ▁googling- ▁antagonist- ▁inconsistent- ▁Ono- ▁buffering- ▁eBay- boi- ▁sweeper- ▁Swan- ▁slowest- ▁deng- pai- ▁yawning- Gui- ▁heartless- ▁reductio- Korean- ▁Sex- ▁unle- blanc- ▁processes- ▁flavored- ▁waterway- ▁shirtless- ▁toughest- ▁speciality- ▁detected- ▁playback- ▁chicky- Food- ▁partial- ▁tolerated- ▁seng- ▁deducted- ▁teased- ▁usher- ▁resolved- ▁Bigo- ▁compl- thful- Sun- ▁tunneling- ological- ▁consumed- ▁lovingly- ▁Fann- ▁soften- ▁pate- Tian- ▁puffy- ▁rescued- Wu- ▁shoppe- ▁distressed- ▁ambi- Cai- ▁corny- otto- ▁Gilm- ▁makeover- ▁umrah- watch- ▁pref- ▁quicker- ilky- ▁conce- ▁weighing- ▁nailed- ▁roasting- ▁lec- ▁cov- ▁successor- ittle- Map- ▁filtered- Mac- ▁schoolwork- ▁Ong- ▁publishing- arments- ▁blo- ▁Zam- ▁sobbing- Dion- ▁tuned- ▁Lemak- toms- ▁Kana- ▁jailed- ▁drafting- wave- ▁Manu- ▁Tra- ▁reachable- ▁Kao- ▁guarded- ▁lightest- ▁zeroes- ▁burner- eye- ▁ou- ▁comply- ▁reduced- ▁Ibis- ▁stretchy- ▁Prat- ▁honk- ▁Bull- ▁Hali- ▁arriv- lph- ▁predicting- nstaStory- ▁pursued- ▁challenger- ▁Kris- ▁banger- ▁prevented- ▁squeezed- ▁heartlander- ▁snowed- ▁produced- ▁cram- ▁drilling- ▁spreaded- ▁treasurer- ▁imag- ▁vegeta- ▁proceeding- ▁eleg- anji- ▁racer- ▁hundredth- Phone- ▁parental- ▁planted- lding- ▁benefited- houl- ▁Barb- ▁jumper- ▁moolah- Friend- ▁mill- ▁expe- ▁deg- ▁developer- ▁contracted- ▁Schooling- ini- imbley- ▁clicked- ▁cape- ▁visualize- ▁haunting- ▁walkable- edical- ▁grilling- ▁Alar- geo- ▁worser- rinate- ▁poom- ▁Harif- most- ▁sicko- Lulu- rose- ▁bodybuild- ▁realism- itude- ▁criti- ▁handler- Ariff- ▁tramp- ▁degrade- Francis- ▁chocolatey- ▁hydrate- ▁glorif- ▁overlapp- ▁Hil- rgot- ▁asap- ▁environmentalis- AF- opper- ▁harmless- ▁curate- ▁dork- ▁chionging- ▁spank- ▁za- ▁winding- ▁blinded- ▁subside- ▁qu- ▁legi- lingual- ▁orderly- ▁lure- base- ▁Medi- ▁sleeper- ▁computerise- duh- ▁choc- curred- ▁cy- gina- ▁socio- ▁Orio- ▁Deep- ▁Yo- hildish- arro- Ah- ▁End- kul- sands- rupt- Tech- ▁earner- ▁hund- pool- ello- ▁dinn- stinate- ▁Neo- even- ▁bustl- tories- pathetic- ▁hasten- entity- oodlands- ▁Pea- Fury- eran- berg- ▁capitalise- ▁Levi- masak- ▁accumulat- inch- stand- ▁emba- oxid- gging- ▁Monte- ▁argumentati- call- bber- ▁vid- ocr- ▁Fuch- ▁backstabbe- ▁nationalis- ▁exc- ▁Zal- ▁traveler- ever- ▁eth- ▁deriv- ▁grate- ferring- ▁unfold- iation- cking- ▁Mur- rover- ▁Canton- stilled- him- ▁dime- cheng- ▁Tele- kuma- hol- ▁vin- ▁Huali- anuel- chun- eady- itis- epen- imer- ▁compe- order- ▁Myth- olla- ▁Az- ▁pul- ▁deficien- ▁matri- ulge- ▁deca- unk- With- ▁franc- lari- ▁Austra- ▁intrud- lame- ▁apologiz- Zhai- erries- utical- ego- seller- rched- lebar- emb- ▁Qu- ▁kua- uro- ▁buri- ▁circulate- lush- nial- Raw- aiyo- col- ▁kala- lang- ▁fixate- ▁cru- mati- ▁stimulat- ▁propos- ▁cel- Gao- ▁poli- Bake- ▁subscrib- Roof- Alam- Hung- zen- ▁refu- andar- ▁logge- Yung- uggle- ula- ▁jumb- nnies- erson- Cake- athon- ▁urbanis- ▁capitalist- Papa- ▁tran- ▁Vinc- ▁bul- ervic- ▁Wenh- espera- ▁capitaliz- ▁enti- ▁Aunt- ived- Boss- Bron- izer- ▁destin- ▁kisse- Maid- ▁prev- ▁angpa- ▁Juli- bab- ▁Zend- Kid- ▁interpreta- ▁gener- ▁vap- communication- ipe- anning- ▁satur- acin- Hyung- ▁advocat- ▁detaine- ▁Fin- Card- ▁labell- ▁cartoonis- ayer- ▁Web- ▁Rayna- ubbing- ▁Cho- ddler- ▁treasur- girl- ▁riddle- berry- ▁procra- oving- Girl- ▁premise- ▁wolve- ▁streak- ▁sadist- ▁disagreement- ▁flake- ▁eyeball- ▁grudge- ▁remark- ▁Mathematic- ▁Netherland- echnology- ▁Avenger- ▁Physic- ▁boomer- ▁Jame- ▁poi- ▁Father- ▁reliev- abata- lice- ruff- ▁tannin- Bare- head- utmost- wfully- lywood- ingham- ▁espe- ▁retiree- andan- ▁astig- ▁dir- ▁empha- ▁Marriot- lander- ▁expel- ▁edi- ▁catalys- ▁shou- ▁fami- ▁gif- burger- cky- ▁Wha- aggy- finity- stead- ▁dislik- tract- ryani- ▁brid- Prima- Halt- ▁twi- Sale- ▁tack- lded- ▁Gui- ▁Tae- tivating- rovi- abil- ▁regula- avier- ▁Gun- essa- shift- ▁Shape- phon- ▁instil- ▁amputat- ▁usua- ▁Gol- ▁Bur- lopp- after- ▁Havai- killers- ▁swop- oosebumps- sheet- ozy- ▁qualifi- ushed- ▁cohesi- ▁squeez- ▁smel- ▁Choo- ▁consol- ▁swerv- view- ▁schedul- ▁shiver- ▁troubl- heart- ▁ide- ▁initiat- ▁desir- ▁retir- Sua- ▁emphasiz- ▁reschedule- ▁inflate- ▁incredibl- ▁subsidise- ▁elevate- ▁Nico- ▁overrate- ▁satisfie- mother- minded- planning- science- ▁refuge- hearted- weetener- therapy- Chocolate- Health- Kingdom- curricul- xuan- Union- ▁Lyn- ▁retard- Aquarium- Caribbean- Hathaway- Tatum- fiqah- Beast- Conjuring- Education- interrupted- rapist- piece- ▁bloat- ▁financ- Academy- Davidson- Reservoir- alvation- Amri- Business- Forest- Toast- Maria- Valley- social- Mourinho- Canyon- Chew- bulb- ▁commodit- Zhou- knob- crackers- Juliet- Siti- Beauty- Cube- Keith- Lauren- Coffee- Spine- determined- ▁Anabell- Nicholas- balcony- organize- spicy- Michael- subscribe- Africa- British- professional- satisfied- typical- Cloud- married- theatre- thousand- value- written- friendly- ▁enunciat- primary- waste- drink- lemon- grown- Love- igger- ▁victor- hunter- bedok- clip- colour- tongue- ▁cemeter- ▁monopol- ▁Clair- ▁Clark- paper- ▁Tosh- upperware- metal- good- aslinda- packaged- held- butter- damn- Rod- ▁spher- ▁unconditional- Angeles- depth- anjong- Quee- ▁volcan- ▁ziplin- fringe- ▁deliberate- jack- residency- chemical- rifle- ▁clement- Polo- reasure- grapher- latform- deco- ▁firefight- ▁telemarket- ountry- riendzone- ompass- ▁carousel- ▁hawk- whitt- ▁trivia- yslexia- around- Xia- ▁measur- island- ▁communicati- enefit- ▁resembl- productive- ▁voic- ▁percepti- ▁homophob- ▁samba- ▁Burg- ▁phil- ▁squish- rigue- ejected- ▁schoo- ▁bribe- ▁rearrange- ▁exaggerati- eptical- ▁Entertain- ▁supple- ▁Bomb- ▁abili- ▁frantic- ▁transcend- ▁stagna- rank- pulsive- ▁Farooq- ▁Naru- ▁Second- ▁philanthrop- ▁repack- reckles- ▁pharma- Reptile- rocious- ▁Napoleon- ▁Wednes- ▁valentine- ▁validate- ▁Storm- bbish- constru- ▁Cecil- ▁Mastercard- ▁Sezairi- ▁Solomon- ▁hyperventilat- ▁peripheral- ':'- Alchemist- Brolin- Cavani- Converter- Defence- Exchange- Explore- Fansipan- Girlfriend- Grannis- Kerang- Lovato- Mandeb- Marbles- Marinda- Meyer- Packard- Ragnarok- Reborn- Rendezvous- Samsuddin- Spect- Tarik- Trench- Walker- appetising- appuccino- bahru- conferenc- dministration- gerrard- incarnate- iramisu- kyscraper- ntartica- ockingbird- osaurus- rangel- uhthis- '}'- '- ▁Abdullah- ▁Abraham- ▁Addam- ▁Aladdin- ▁Allyssa- ▁Anaheim- ▁Ananas- ▁Aristotle- ▁Assassin- ▁Atlanta- ▁Atticus- ▁Axel- ▁Ayden- ▁Balmain- ▁Bambang- ▁Bazaar- ▁Becka- ▁Bernice- ▁Bloom- ▁Bosphorus- ▁Brockhampton- ▁Burberry- ▁Cantho- ▁Capri- ▁Casper- ▁Chateraise- ▁Cheeketah- ▁Chipsmore- ▁Corolla- ▁Corvallis- ▁CosRX- ▁Cosrx- ▁Counter- ▁Creamier- ▁Cristofori- ▁Darrel- ▁Darwin- ▁Deathmatch- ▁Demons- ▁Design- ▁Dictator- ▁Dundee- ▁Dunkin- ▁Edgar- ▁Elane- ▁Eleanor- ▁Electro- ▁Enactus- ▁Equal- ▁Equator- ▁Eternity- ▁Ethiopian- ▁Everlast- ▁Fairuz- ▁Fatcat- ▁FavePay- ▁Favor- ▁Finsta- ▁Frisbee- ▁Front- ▁Giva- ▁Godiva- ▁Gojek- ▁Gulliver- ▁HabourFront- ▁Hanzo- ▁Harzik- ▁Hayde- ▁Hiragana- ▁Holdings- ▁Hollandaise- ▁Hologram- ▁Honestbee- ▁Hoshino- ▁Hsinchu- ▁Hunter- ▁Husserl- ▁Imperial- ▁Inktober- ▁Innok- ▁Jamaica- ▁Janabelle- ▁Jefri- ▁Jolibee- ▁Kendra- ▁Kenora- ▁Khalees- ▁Kinokuniya- ▁Kitori- ▁KouFu- ▁Leaves- ▁Leuch- ▁Lexus- ▁Libya- ▁Lilac- ▁Lontong- ▁Lorraine- ▁Luffy- ▁Management- ▁Matthew- ▁McNugget- ▁Motorola- ▁Mumbai- ▁Nebraska- ▁Nelson- ▁Nigeria- ▁Nobel- ▁Nothingness- ▁Nyx- ▁Oliander- ▁Otogi- ▁Paradise- ▁Pentatonix- ▁Petpetpet- ▁Pharaoh- ▁Poppins- ▁Portuguese- ▁Poteng- ▁Prakash- ▁Pretty- ▁Puff- ▁Qihua- ▁Reebonz- ▁Refash- ▁Remember- ▁Revlon- ▁Ribena- ▁Rooney- ▁Roxy- ▁Sabbath- ▁Sabsuka- ▁Scorpio- ▁Scramble- ▁Senibong- ▁Sennheiser- ▁Sensei- ▁Seraphina- ▁Shabir- ▁Shrek- ▁Silence- ▁Sogou- ▁Soraya- ▁Spotty- ▁Squirtle- ▁Supernatural- ▁Swarovski- ▁Syaz- ▁Sylvester- ▁Technique- ▁Thanksgiving- ▁Thosai- ▁Thriller- ▁Tigreal- ▁TikTok- ▁Transylvania- ▁Trivers- ▁Ukraine- ▁Uprising- ▁Valuetronic- ▁Vatican- ▁Velvet- ▁Wacom- ▁Wagyu- ▁Waiki- ▁Wakanda- ▁Wallace- ▁Westlife- ▁Winston- ▁Xenia- ▁Yeezy- ▁Zahirah- ▁abbreviate- ▁abbreviation- ▁abdominal- ▁abseil- ▁accessories- ▁acclaimed- ▁accompanie- ▁acutally- ▁administrator- ▁adversary- ▁adversity- ▁affluence- ▁affluent- ▁alligator- ▁alliteration- ▁anemone- ▁antihero- ▁applause- ▁apprehensive- ▁arrogance- ▁articulation- ▁ascertain- ▁asparagus- ▁bibliography- ▁bittergourd- ▁blasphemy- ▁bourgeois- ▁buckwheat- ▁bursaries- ▁cajon- ▁carbohydrate- ▁categorize- ▁catwalk- ▁caviar- ▁centimeter- ▁chameleon- ▁chauffeur- ▁chawanmushi- ▁cheddar- ▁cheebye- ▁cheerleader- ▁chimichanga- ▁chromo- ▁chrysa- ▁circumference- ▁clarinet- ▁coastguard- ▁cocoon- ▁commuting- ▁concious- ▁condolence- ▁confetti- ▁conglomerate- ▁congregate- ▁connectivity- ▁correspond- ▁coworker- ▁crisscross- ▁cuff- ▁customaries- ▁cutlery- ▁deceiving- ▁declaration- ▁deconstructor- ▁delifrance- ▁delinquent- ▁depleted- ▁digimon- ▁diminish- ▁disciple- ▁discrete- ▁discretion- ▁disparity- ▁disregard- ▁drenched- ▁droop- ▁dwindling- ▁dynasties- ▁eEcons- ▁electromagnetic- ▁enforcing- ▁entrap- ▁entrusting- ▁equilibrium- ▁euthanasia- ▁expedit- ▁expendable- ▁explanatory- ▁exploration- ▁eyebags- ▁faggot- ▁fajitas- ▁fashionista- ▁feminine- ▁fictitious- ▁florist- ▁foggy- ▁freeloader- ▁fretboard- ▁furnish- ▁fuzzy- ▁gachapon- ▁gallon- ▁gallop- ▁gonorrhea- ▁grenade- ▁griev- ▁hairpins- ▁handicraft- ▁herbivores- ▁hibernating- ▁hippopotamus- ▁hitchhiker- ▁hobbit- ▁homogeneous- ▁horribly- ▁hyena- ▁iPod- ▁identifiable- ▁ideologies- ▁igloo- ▁imperfection- ▁impolite- ▁incompetent- ▁indigestion- ▁infertile- ▁infringing- ▁instalment- ▁intricate- ▁investigator- ▁invoice- ▁iodine- ▁isolation- ▁jargon- ▁jenny- ▁jockey- ▁kicap- ▁kidnapped- ▁kinetic- ▁lechon- ▁lethargic- ▁lexicon- ▁ligament- ▁loudspeaker- ▁malacca- ▁mastermind- ▁melodies- ▁mischie- ▁miscount- ▁misguided- ▁monotony- ▁muesli- ▁multicultural- ▁multiplayer- ▁murta- ▁muruk- ▁neanderthal- ▁nihon- ▁nudity- ▁nutcracker- ▁nutritious- ▁ostracize- ▁otaku- ▁outburst- ▁outweigh- ▁overarching- ▁overcrowding- ▁overhyped- ▁overpowered- ▁paramour- ▁paraphras- ▁peacemaker- ▁perspec- ▁pessimism- ▁pesticide- ▁petroleum- ▁phenomenal- ▁phlegm- ▁physique- ▁pickpocket- ▁plural- ▁poeple- ▁precision- ▁prescribe- ▁pricier- ▁prorated- ▁pupil- ▁quantitative- ▁quarantine- ▁radius- ▁ramekins- ▁rebatch- ▁reclusive- ▁recuperate- ▁reenacti- ▁refurnish- ▁regenerate- ▁registry- ▁reinstate- ▁relativity- ▁relegate- ▁reprimand- ▁respawn- ▁retention- ▁retrac- ▁rewriting- ▁rofl- ▁rudimenta- ▁rupee- ▁scrutinise- ▁serenade- ▁shoelace- ▁shrimp- ▁shrub- ▁silhoutte- ▁skilful- ▁smudge- ▁smuggling- ▁societies- ▁spatula- ▁splinter- ▁sprout- ▁stepdad- ▁succinct- ▁sugarcane- ▁sunroof- ▁surgical- ▁surveillanc- ▁suspicion- ▁symmetr- ▁thickener- ▁titanium- ▁toothpick- ▁tornado- ▁transsexual- ▁treading- ▁trench- ▁unattainable- ▁unavailable- ▁unbeat- ▁uncountable- ▁undercover- ▁underprivilege- ▁unemployment- ▁unfrozen- ▁unleashed- ▁unopened- ▁unprepared- ▁unscrew- ▁unsustainable- ▁unwittingly- ▁utilise- ▁utilitarian- ▁vernacular- ▁vicar- ▁videography- ▁vigorous- ▁virtue- ▁voodoo- ▁waifu- ▁walnut- ▁wapiang- ▁webtoons- ▁widget- ▁workflow- ▁zebra- ▁Award- ▁Beetle- ▁Croc- ▁Easy- ▁Eeny- ▁Infocom- ▁Prize- ▁arguabl- ▁enthu- ▁inflamma- ▁misinterpret- ▁refail- ▁shrewd- ▁utopia- olitaire- ▁Burgess- ▁Cash- ▁Childhood- ▁Cinema- ▁Egive- ▁Guangzhou- ▁Hakim- ▁Johanna- ▁Laurel- ▁Merchant- ▁Miniclip- ▁Olaf- ▁Orbis- ▁Petpet- ▁Spring- ▁Talib- ▁Tuptup- ▁Zinger- ▁appendix- ▁coagula- ▁crucifie- ▁dailies- ▁demure- ▁discriminatory- ▁disperse- ▁dutch- ▁fantasies- ▁fetish- ▁gundu- ▁hairstylist- ▁hypothesi- ▁iBank- ▁imitate- ▁immigrate- ▁mangrove- ▁melanin- ▁mortar- ▁presumably- ▁rehab- ▁snitch- ▁strenuous- ▁sugarcoat- ▁tenacity- ▁theorems- ▁tutee- ▁wolverine- seido- ▁Adil- ▁Auto- ▁Battlefield- ▁Canmake- ▁Gemini- ▁Ikroh- ▁Latte- ▁Mcspicy- ▁aptitude- ▁bumblebee- ▁dismiss- ▁dissect- ▁douche- ▁generalising- ▁hairband- ▁harmonious- ▁helium- ▁kaopei- ▁nourish- ▁prophet- ▁socialising- ▁spinner- ▁swift- ▁twitter- Duxton- Golding- Monteiro- omeranian- ▁Bellerina- ▁Fernand- ▁Gareth- ▁MAN- ▁Makisan- ▁Serene- ▁Utown- ▁Work- ▁contradictory- ▁conversa- ▁farthest- ▁gambat- ▁kilogram- ▁luminous- choles- imony- ▁Barbara- ▁Goddess- ▁Protos- ▁craziness- ▁merging- ▁micromanag- ▁philanthropist- ▁pronounci- ▁retardant- ▁veteran- ▁Jonker- ▁Wingstop- ▁accomodation- ▁ailment- ▁choppy- ▁colonisers- ▁overfill- ▁ridicu- ▁serene- ▁omni- ▁stepmom- Scofield- shraf- ▁Garang- ▁Maslow- ▁Whis- ▁elongate- ▁morph- ▁motel- ▁retell- ▁revoke- ▁slouch- ▁swarm- ▁tablas- ▁uncover- ▁vegetation- ▁friendliness- ▁sociological- ridian- ▁Marshall- ▁collate- ▁fleet- ▁flim- ieved- ▁Annette- ▁Classified- ▁Mobike- ▁automobiles- ▁cider- Fuyong- ▁Meghan- ▁Yoko- ▁frantically- ▁pocky- ▁reciprocating- ▁Bombay- ▁Boston- ▁Capitalism- ▁Donkey- ▁annum- ▁colonized- ▁hedgehog- ▁intersting- ▁jacuzzi- ▁subsidiaries- alyps- ▁Theater- ▁ambient- ▁sailboat- ▁sakura- ▁Pesta- ▁breach- ▁converge- ▁counselled- ▁fluctuation- ▁hanoi- ▁staging- ▁Aiden- ▁Notebook- ▁Tasha- ▁drummer- ▁segregation- ▁Diana- ▁Reese- ▁SAR- Jackman- latoni- ▁Clare- ▁copywrit- ▁pallet- ▁variant- loating- ▁tropic- Khalsa- ▁kaput- ▁omit- ▁shredder- ▁thrones- ▁Ashley- ▁unimportant- Hwa- ▁Burj- ▁Deyi- ▁Emails- ▁Fallout- ▁bloke- ▁multimedia- ▁traction- apalang- riple- ▁BTS- ▁Laurance- ▁calisthenic- ▁profanit- ▁Zepp- ▁fertile- ▁forbid- ▁initiation- ▁Slim- ▁epita- ▁Sportslink- ▁stabbed- ▁vocalist- ▁interference- ▁opposing- commerce- ▁larva- ▁terracotta- ▁Jovina- ▁accusat- ▁countertop- ▁recollect- ▁spitball- ▁unisex- ▁yankee- osacea- ▁Dolly- ▁Heights- ▁Tapas- ▁extensively- ▁snorkelling- ▁civilisation- ▁hardwire- ▁Hazi- ▁reinforce- ▁warped- Modric- ▁Alipay- ▁campsite- ▁outshine- ▁proficiency- ▁Poland- elope- ▁Marx- ▁Zero- ▁humanitarianism- ▁marinade- ▁mentorship- ▁quirkiness- ▁Amex- ▁cooperation- ▁hydrant- ▁roving- ▁kinky- ▁Koda- ▁Radin- ▁boredom- ▁contextual- ▁swum- ▁terminolog- ▁urbanization- ▁Bengali- ▁Paper- ▁preview- ▁spectro- ▁fleshier- ▁mantou- ▁Otak- ▁tonkatsu- ▁Badang- ▁Brit- ▁mortality- Free- Russell- odyne- ▁Ginger- ▁juici- ▁drake- ▁medalist- ▁memento- ▁tolerat- ▁vapor- ▁Caroline- ▁Arthur- ▁sewage- ▁strategise- ▁suction- worth- ▁Jenga- ▁alleviate- ▁marvelous- ▁resent- ▁scrutinize- ▁termination- ▁separation- ▁neurotic- ▁viper- ▁unravel- ▁defect- ▁Complex- ▁Paradigm- ▁Singapura- ▁joving- ▁metallic- ▁punchek- ▁marries- ▁menses- ▁resourceful- rangle- ▁Subhas- ▁Milan- ▁Witch- ▁barracks- ▁evasion- upiah- ▁renegade- urgen- ▁Waken- ▁forcefully- ▁swagger- ▁tiara- ▁chapel- ▁reconnected- ▁causally- ▁habitual- ▁Bookhouse- ▁thinggy- ▁Charmander- ▁Pika- ▁friday- ▁governor- ▁newsstand- ▁subcon- eonard- ▁devour- ▁Mafu- ▁burial- ▁LiHo- ▁Redang- headed- ▁Dettol- ▁excelled- ▁glutes- Titl- ▁kennel- gedil- ▁negro- ▁radically- plish- ▁Motion- ▁dawn- ▁sunburn- uzu- ▁sedan- ▁transcendent- ▁Camry- ▁inheritance- ▁magma- ▁Inception- ▁Tepp- ▁cheeseburger- ▁prideful- ▁Hajj- ▁Orang- ▁Luna- ▁marinara- ▁Rochor- ▁Yogi- ▁hostile- ▁stepsister- ▁Tores- ▁redevelopment- ▁bidet- ▁Quek- ▁sanitizer- ▁Qiao- ▁Jackpot- ▁dampen- ▁idolise- ▁sewers- ▁crating- ▁foursome- ▁uncontrollable- ▁mailbox- ▁slipping- ▁Ashik- ▁bonobo- ▁tragically- ▁Haidi- bear- ▁iffy- ▁relearn- ▁repent- ▁Marilyn- ▁agaration- ▁civilian- ▁shrine- ▁irra- ▁concourse- ▁rubble- ▁repeti- ▁Chungha- ▁Baliza- ▁chye- ▁fantasize- ▁corp- chatting- local- ▁Skippy- ▁authorities- ▁monogamy- ▁Yoga- ▁excruciating- Luak- aksa- ▁miller- ▁Suki- ▁Glenis- Tree- ▁Pakcik- ▁vasectomy- ▁veil- ▁Escobar- ▁Francisco- ▁Shuttle- ▁Tyson- ▁scum- ▁Grill- baby- ierra- ublic- ▁ounce- ▁chemist- ▁Kardashians- comfort- interesting- ▁Atwood- Jack- ▁Jetty- ▁demoralized- ▁graciousness- ▁horrified- ▁regimented- ▁adik- ▁dependence- ▁modul- ▁repost- ▁shiba- ▁Voon- ▁organically- ▁farmhand- ▁reflective- ▁Showman- ▁prick- ▁chaperon- ▁Cuba- ▁Joann- ▁harass- ▁mindfulness- ▁prophecy- ▁chives- Steel- ▁dirtier- ▁astray- ▁submerged- ▁marley- ▁plasticky- ▁panicked- ▁punya- rief- ▁awk- ▁neutralise- ▁talism- ▁doubtful- culi- ▁Anton- ▁elev- ▁Bora- ▁treasury- ensity- ▁commodity- ddess- tweet- ▁forceps- ▁crossover- ▁Porter- ▁cordon- ▁Health- ▁Kingdom- ▁Tatum- ▁robin- ▁xuan- ▁Chocolate- ▁cupid- ▁pimp- ▁stil- ▁curricul- ▁hallucinating- ▁platelet- ▁antics- ▁Laden- thering- ▁decay- ▁Cupid- ▁mitch- acies- ▁shoul- riding- ▁Minion- ▁Take- ▁Amri- ▁Shawan- ▁bedek- ▁bloc- ▁Morgana- ▁bowel- jori- ▁heatiness- ▁Hailing- ▁jeng- ▁reese- ▁Nature- ▁cheerfulness- ▁moose- bread- ▁accountability- ▁pokka- ▁Tues- ▁hunk- ▁posing- ▁bucketlist- ▁linguist- ▁manoeuvre- ▁cyan- bury- ▁sexism- ▁Bueno- lliance- ▁Ericsson- ▁panties- ▁Campbell- ▁bilis- ▁frap- ▁thinning- ▁calf- ▁rescheduled- evolving- pagar- ▁Dude- ▁hula- ▁flailing- ▁illustrating- ▁lingering- ▁regurgitating- ▁fax- ▁ampli- ▁alrea- ▁cremat- ▁Linda- ▁brushless- ▁flatten- ▁numer- dicu- ▁voiceover- ▁Liver- miliar- ▁stopwatch- ▁optimise- ▁Buri- ▁binders- ▁MediS- ▁handcraft- erja- ▁saxophone- Pek- ▁Network- ▁colony- ▁Marrie- ▁Americanize- jang- ▁hillman- Max- ▁Shang- ▁Manny- ▁uncom- ▁astrology- Maki- ▁harshness- eletubby- ▁jaded- ▁banish- ▁rapidly- ▁Heat- ▁kwa- ▁instructed- ▁chek- bogg- ▁bloodline- ▁Summer- ▁voicemail- Stone- ▁morality- ▁gentlemanly- ▁respectively- ▁Hambr- ▁Doha- Kwan- ▁Jiu- ▁Que- ▁Deli- Kok- ▁cluttered- ▁debuted- ▁provoking- ▁bleed- ▁Tale- ▁steeper- ▁standpoint- ▁quitter- ▁policemen- ▁mili- ▁burnout- Daily- uhsorry- ▁Farhana- ▁qualifier- ▁Shaf- Shin- ▁choreographer- ▁Bike- ▁Angkat- ▁puffin- ▁taxation- ▁fiancee- ▁maxi- ▁dimensional- ▁cohesive- pour- ▁Frenchie- ▁Carri- ▁snapped- arracks- apse- hank- ▁Kip- ▁Meal- ▁scented- ▁flourishing- ▁tata- ▁mamak- ▁disrespectfully- ▁Rama- ▁Rina- ▁Botanical- ▁Buk- ▁blogger- ▁cir- ▁Taken- ▁smoothen- esco- ▁Nasa- ▁dented- ▁pasture- ▁discharged- ▁showroom- ainted- ▁trad- ▁Geo- ▁Lumpur- ▁Sweep- static- ▁Beau- ▁barang- ▁beauti- ▁siren- ▁Union- ▁blushing- ▁disheartening- ▁refresher- ▁Albom- handed- ▁bandage- ▁customized- bio- ▁blindfolded- ▁examine- ▁enhanced- ▁salesman- ▁Pound- ▁creativeness- ▁Back- ▁saltish- ▁ballpoint- ▁groomer- ▁Teck- ▁magna- ▁announcer- ▁fallout- ▁kui- Amin- ▁heroine- ▁Louise- ▁Sailor- ▁relay- ▁Sound- ▁leaked- ▁painless- Mei- ▁browser- ▁rewatched- Rex- ▁Blangah- ▁Azan- ▁bartending- ▁artificially- ▁endured- ▁Bir- ▁dif- ▁anoth- stability- ▁Irene- ▁liv- ▁Chio- ▁sexually- ▁equalise- ▁economically- ▁ponder- ▁narcissis- ▁shooked- ▁Ivy- ▁broader- ▁Gig- ▁Opeh- ▁Zionis- ▁procession- ▁Chay- Sec- ▁Imbu- jar- ▁fourteenth- ▁hiong- ▁correlate- Yen- ▁conquered- ▁tailored- rce- ▁hisses- ▁Aero- ▁Dada- avainas- chain- ▁Site- nguish- ules- ▁launched- ▁warned- ▁documented- ▁Boba- ▁Pau- ▁mutate- ▁Wani- ▁tui- ▁Lane- ▁haw- ▁Lang- eous- ▁Hard- ▁tickled- Husse- ▁choked- essie- ▁Rad- abyte- ▁Osa- ▁processor- ▁globally- ▁Full- ▁booklet- Shi- ▁chemically- ▁easter- ▁ferti- ▁frontier- ▁broadcasting- ▁clinging- ▁halve- ▁Darli- ▁soaked- related- ▁Zu- ▁classist- north- ▁Atta- ▁overlooked- ▁Achar- ▁Lai- ▁battl- ▁ceased- cord- ▁Nata- ▁detoxing- ▁betraying- ▁kee- ▁stupidity- ▁erecti- Benoit- ▁Zone- ▁seamless- ▁stealer- ▁patientuh- ▁condemned- ▁Indon- ▁emphasized- ▁rotated- Swan- ▁mengs- ▁minion- ▁Mela- ▁Date- ▁friendzone- ▁earl- ▁mandate- ▁bomber- ▁conveying- ▁showke- ▁quietness- ▁Medan- ▁reversed- ▁Dilma- ▁quieten- ▁backlash- ▁fury- ▁ranting- ▁Chou- ▁toughness- nkers- ▁formant- ▁efficiently- ▁digger- ▁Fara- ▁glorify- Fest- ▁renewed- lier- ▁Jung- ▁chairman- Sang- ▁dashing- ▁qing- ▁publisher- eacock- ▁dino- ▁highlighted- ▁polygam- ▁tighter- ▁demolishing- ▁calmly- ▁unsee- ▁awkwardness- ▁sealed- ▁Bane- ▁Cara- ▁fertiliz- ▁pap- ▁Horn- ▁relieved- Song- sebum- ▁Gar- amant- ▁Dove- ▁resigning- ▁Philipin- ▁Fred- ▁nei- Tat- ▁witnessing- ▁Kina- ▁Tange- audi- ▁compromised- ▁weeding- ▁breather- ▁Xian- ▁importing- Ali- ▁springy- ▁Sling- ▁Tell- ▁understooded- rchaeology- ▁murderer- ▁layered- Van- ▁Qin- fall- ▁hyped- ▁measured- ▁Even- ▁purchaser- ▁fainting- ▁Oman- ▁stifl- ▁scorch- ▁programmed- ▁recesses- ▁nee- ▁Choi- ▁Patta- ▁highlighting- ▁brainer- ▁dramatise- ▁bureaucra- ▁Susan- ▁braid- ▁sung- inary- ▁Check- ▁curl- alakat- ▁Chitt- entities- ▁pitcher- ringing- ▁corr- iative- ▁Rain- Unagi- ▁nin- dora- cidentally- ▁daze- ▁Kara- hepard- ▁engi- gemuk- ▁Romania- ▁Bren- erbal- moral- bike- ▁Corin- ▁Sherle- ecurity- ▁Vik- ▁rumba- urities- ▁Buck- ▁Ava- ▁Nabila- ladi- mbing- raz- ▁Westerner- oronation- ▁detain- zoning- utting- ▁confesse- ntries- ▁Sala- ▁humbl- ▁mara- ▁Halif- ▁sled- Hood- lator- ▁swank- ▁Alv- gazing- Harrison- zel- ▁strategiz- ▁Dean- ovan- umanities- untie- Ben- omer- ▁chronic- ▁Arch- ▁packer- junct- zhang- appe- ▁dabbl- ▁kato- Liars- ▁boater- ▁Wul- ▁Univers- ▁rekindle- ▁steadi- ▁rac- ▁Yao- ▁gad- amil- ▁crashe- ▁tro- anie- ▁Shaku- uppy- nite- Shopping- Baker- position- ▁Ace- ▁Magn- ▁Tubb- anner- ightful- ▁Mill- Eighty- competency- ▁legalis- impang- ▁dirtie- ▁grann- ▁Dogg- Wool- atically- ▁Mina- ▁preconce- ▁competenc- ▁boggl- ▁crippl- zed- Perr- Carlo- Chek- ▁provoke- ▁conserve- ▁Lud- caster- uted- orium- rumbling- graded- ▁cultivati- ▁nauti- shoong- ▁centralize- ▁Nestl- uchi- ▁intrude- erati- ▁optimiz- ▁reassur- ▁integra- bodies- referred- xora- ▁subtl- ridden- ▁professionalis- bbed- Dali- ▁relocat- ▁unfaithful- ltering- oller- ▁brack- ▁formulate- iggly- cialised- ▁conserv- provoked- Donut- istan- uja- ▁panick- ▁physio- zhe- ▁dependenc- haps- ▁humili- Mercy- lashes- ▁collaps- Sophia- ▁Elfi- Aini- ▁wrinkl- Name- ▁spiri- xie- logy- Pol- unned- ▁Len- contentment- Mania- yukat- ▁deteriorat- Jiang- ▁outsourc- ▁psychiatr- ▁tortur- ▁grea- ▁Thie- Simple- ompan- ▁masa- ▁Child- ador- exter- jung- ▁glen- ▁duplicat- aburi- kiang- umbling- ▁prudent- mobile- ravel- ▁educa- ▁moderat- oaky- eeper- ▁geographic- ▁Franc- ▁electrop- ▁Marg- ▁marbl- ▁ceas- flicted- ▁probab- ▁craz- ▁magnet- ▁gymnastic- ▁pellet- ▁immigrant- ▁nacho- ▁Luca- ▁defini- ▁hamper- ▁fluctuate- ▁refugee- ▁dimple- Throne- ▁comprise- ▁nutrient- ▁phonic- ▁tyke- ▁freebie- ▁Vibe- ▁utensil- ngee- ▁pilate- ▁State- ▁supplie- ▁barbecu- ▁trouser- ▁posses- ▁obviou- Nee- ▁jean- roti- ▁circ- cratic- ▁bureau- compartmentalize- conceiv- ▁Canto- ▁vol- mount- ssistant- mmoners- ifle- ▁Moham- ▁Scoo- ▁genera- ▁peda- rati- ▁reminiscen- ▁Plane- ▁impatien- ▁accep- josh- ▁buil- ▁archaeolog- ▁Horse- founded- ▁Roz- gnific- ▁fertili- ▁synchron- visible- ▁distanc- friend- ▁craw- paced- ▁statu- aiya- half- ▁revol- ▁privat- ogling- uishin- ppressed- ▁narciss- ▁Techno- opsicles- lugg- nvestigations- ▁drow- ▁Digi- enetic- etica- writers- stroke- lags- Mercie- ounce- wolf- acaroons- ▁introduc- force- ▁inclin- ▁disput- ▁collage- aholic- interest- okki- ▁professio- ▁Pearly- plit- ▁moisturiz- ▁volu- ▁candleli- ▁linger- ▁bartend- ▁illustrat- odeling- ▁regurgitat- ▁dispens- ▁Zhe- proof- ▁flail- ▁compromis- finals- ▁disciplin- ▁embarra- ▁empir- ▁bibl- perform- ▁submerge- rystal- ▁Roma- flakes- lgari- ▁apologis- ▁Jayde- ▁traumatise- akcik- ▁amaze- ▁agitate- ordinary- ▁occupie- ▁overprice- ▁fluctuat- ▁dilute- coast- fruit- collect- ▁horrifi- copy- stream- ▁demoraliz- quish- udrey- ▁constipat- ▁jumble- ambodia- ▁crook- stresses- sighted- Dogg- olution- urrender- tyrofoam- ▁impair- Buri- Escobar- Jetty- Showman- Shuttle- Tyson- ceased- aktor- ▁unexpect- Technical- Grill- Convenience- Future- Institute- Krunch- Schwarzenegger- Theatre- polished- Gabriel- antorini- Evan- Keane- Monster- ntegrated- Francisco- ▁deprive- ▁discriminat- ▁referenc- Kenny- Murder- Zhang- carriage- ▁Joan- ▁Skipp- ▁monogam- ▁prophec- Atwood- Stamford- ylvia- Akshay- Banyan- Virgin- linguistic- proportionate- founder- Music- buoy- evaluate- immortal- comparable- Jade- Miller- Friza- conditioned- innacle- Morrie- Waterway- conductor- crow- ndependence- Henry- Monkey- Nyonya- Shaw- monkeys- second- Shakespeare- catcher- organised- qualified- storage- Thomson- animate- executive- invent- starter- ▁rollerblad- ▁vacanc- Festival- Jordan- emphasis- frequent- settled- weekly- ▁Desire- college- factory- growth- organisation- profit- sentosa- Holland- Kampung- Laden- Nature- Seoul- Spirit- Tae- bridge- innocence- legend- village- Friday- Orchard- Sentosa- between- culture- decided- explore- popular- responsibility- romantic- square- studies- valuable- Great- blue- chicken- confirm- ▁cruis- akhon- album- driver- ▁regiment- Green- ▁Snoop- secondary- luckily- ppb- toast- ▁Galax- ▁demonstrat- ▁prioritiz- ▁savor- ▁vocabular- anuki- ▁voluntar- ▁temporar- heeps- ▁warehous- Gateway- ▁naught- ▁Whit- ▁itinerar- ▁ultimat- ▁ugl- Environment- ▁diverg- ▁wrestle- ▁leverag- large- cool- plus- hursday- ature- shiok- ▁Chuck- ▁sanitize- ▁suppo- ▁solemnise- usband- ▁Titani- ▁savour- chips- Paul- uesday- ▁sequential- ▁unintentional- Army- consult- ▁braise- ▁evident- ▁radical- death- dough- Comm- hicago- version- ranscendent- Mark- ropic- ▁blatant- ▁comparative- affle- Youth- rophecy- eepavali- oothpaste- welve- reserving- ▁consum- latoon- erfect- rofessor- athedral- ettol- husband- ▁Mobil- indly- ▁appetiz- iracle- ninety- erlion- urious- ragrance- flection- ▁Yog- Hyun- proper- ▁commercialise- dept- onjour- lower- rganic- ubilee- ustin- ▁delusion- ▁dysfunction- armony- dead- ulgogi- czema- lazer- utchers- xperiment- ynasty- inosaur- ▁ceter- ▁trembl- cessor- degrad- ▁misus- ▁blemish- suade- alloween- crastinating- ▁sunglass- polar- requisite- ▁evasi- ▁Project- aspberry- ▁associ- ▁pacif- wives- ▁demograph- edemption- ejection- ▁confisca- gregation- oomie- ▁Isabel- ▁Olymp- ▁satisfact- awyer- ▁pronunciat- ▁subsidiar- ▁subscript- ▁unpredictab- ngkok- ednesday- ▁challen- ▁esophag- luding- ▁typi- ▁activi- ▁arbitra- ▁opportuni- esarean- ▁transmit- eceived- ▁advan- ▁ponch- arlic- iatric- mplify- ▁Stef- ▁illumi- ▁luxuri- ▁Pontian- ▁reputa- '2'- ▁Kean- ▁Remains- cendant- rrifying- ▁desensiti- ▁jeopardi- Little- vasion- grudg- zumi- ▁Anytime- ▁Lantau- ▁Morris- ▁Niagara- ▁Preeti- ▁Qistina- ▁cerebral- ▁dhoby- ▁dysph- ▁perpetua- ckelodeon- grimage- icultural- ychology- ▁Analytic- ▁Moldov- ▁acclimat- ▁anthropolog- ▁hexagon- ▁implicit- ▁profess- ▁shrivel- ▁symphoni- '@'- Agency- Anthony- ArkBar- Atria- Brigg- Conven- Counselor- Dominique- Dracula- Effron- Fallon- Griffith- Jabba- Kinsella- Kukoh- Millionaire- Motoring- Movie- Mustachio- Mustafi- Noraini- Philipp- Regis- Robbie- Sandler- Sheares- SquarePants- Thunder- Tonic- acerbate- amgyetang- angelo- antiago- arijuana- cotta- cryptocurrencies- dchildren- deekap- dyssey- enocide- ifiable- itzer- neumonia- nspirasi- osophy- ptuous- resistible- rowana- rwegian- tête- ucerin- uddin- uhwait- umental- umentary- urgundy- ▁Abdillah- ▁Adaline- ▁Adawiyah- ▁Afghan- ▁Agnus- ▁Alfred- ▁Amirah- ▁Andorra- ▁Anglican- ▁Annalise- ▁Annyeong- ▁Applied- ▁Aravin- ▁Asmara- ▁Balenciaga- ▁Bhatoora- ▁Bibimbap- ▁BitCoin- ▁Blastoise- ▁Bleeding- ▁Boiling- ▁Bonnie- ▁Boomerang- ▁Botox- ;- .- '9'- 不- 代- 喊- 在- 沟- 钟- ','- '1'- '4'- '5'- '6'- '7'- '='- \\- à- 七- 么- 什- 们- 你- 分- 吃- 完- 样- 看- 要- 这- 苦- ê- é- '{'- init: nullmodel_conf: ignore_id: 0use_preprocessor: truetoken_type: bpebpemodel: data/en_token_list/bpe_unigram20000/bpe.modelnon_linguistic_symbols: nullcleaner: nullg2p: nulllm: seq_rnnlm_conf: unit: 1000 nlayers: 1required:- output_dir- token_listversion: 0.9.6distributed: true", + "authors": [ + { + "name_en": "Shinji Watanabe", + "name_zh": "Shinji Watanabe" + } + ], + "keywords_en": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "keywords_zh": [ + "ESPnet", + "deep-learning", + "python", + "pytorch", + "speech-recognition", + "speech-synthesis", + "speech-translation", + "machine-translation" + ], + "publication_date": 1612281600000, + "created": "", + "modified": "", + "status": "", + "license": "CC BY 4.0", + "file_size_mb": 347.33, + "file_size_bytes": 364200461, + "download_count": 0, + "visit_count": 7, + "url": "", + "source": "scidb" + } +] \ No newline at end of file From fa2eb74622e18930f8a9e7523d92c9ede130efc9 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 17:45:55 +0100 Subject: [PATCH 26/34] updating the clone please --- .../ingestions/3_clone_datasets_detailed.py | 665 ++++++++++++++++++ .../ingestions/3_clone_openneuro_datasets.py | 281 -------- 2 files changed, 665 insertions(+), 281 deletions(-) create mode 100644 scripts/ingestions/3_clone_datasets_detailed.py delete mode 100644 scripts/ingestions/3_clone_openneuro_datasets.py diff --git a/scripts/ingestions/3_clone_datasets_detailed.py b/scripts/ingestions/3_clone_datasets_detailed.py new file mode 100644 index 00000000..a285fd5d --- /dev/null +++ b/scripts/ingestions/3_clone_datasets_detailed.py @@ -0,0 +1,665 @@ +r"""Clone EEG datasets from OpenNeuro, NEMAR, and EEGManyLabs. + +This unified script handles cloning from three major sources with comprehensive +source detection, timeout handling, error recovery, and reporting. + +Features: + +- Automatic source detection (OpenNeuro, NEMAR, EEGManyLabs/GIN) +- Timeout handling for large datasets +- Error recovery with retry list generation +- Progress tracking and comprehensive reporting +- Partial clone cleanup on failure +- Skip previously cloned datasets +- Source-specific metadata preservation + +Example Usage: + # Clone all datasets from all sources + python 3_clone_datasets_detailed.py + + # Clone specific source only + python 3_clone_datasets_detailed.py \\ + --datasets-file consolidated/openneuro_datasets.json \\ + --output-dir data/openneuro + + # Clone with longer timeout + python 3_clone_datasets_detailed.py --timeout 600 + + # Retry failed datasets + python 3_clone_datasets_detailed.py \\ + --datasets-file test_diggestion/retry.json \\ + --timeout 600 +""" + +import argparse +import json +import subprocess +import sys +import time +from pathlib import Path + +# ============================================================================ +# Source Detection & Routing +# ============================================================================ + + +def detect_source_type(dataset: dict) -> str: + """Detect the data source based on dataset fields. + + This function uses hierarchical detection to identify which repository + the dataset comes from based on its metadata structure. + + Detection Priority: + 1. Explicit "source" field (fastest, most reliable) + 2. GIN detection: clone_url contains "gin.g-node.org" + 3. NEMAR detection: clone_url contains "nemarDatasets" + 4. Fallback GIT: Has clone_url or ssh_url (assume NEMAR for backwards compat) + 5. OpenNeuro: Has "modality" field (EEG/iEEG/MEG) + 6. Unknown: None of the above + + Args: + dataset: Dataset dictionary from consolidated JSON + + Returns: + String: 'openneuro', 'nemar', 'gin', or 'unknown' + + Examples: + >>> d1 = {"dataset_id": "ds001785", "modality": "eeg"} + >>> detect_source_type(d1) + 'openneuro' + + >>> d2 = {"clone_url": "https://github.com/nemarDatasets/ds004350.git"} + >>> detect_source_type(d2) + 'nemar' + + >>> d3 = {"clone_url": "https://gin.g-node.org/EEGManyLabs/..."} + >>> detect_source_type(d3) + 'gin' + + """ + # Check for explicit source field (most reliable) + if "source" in dataset: + return dataset["source"] + + clone_url = dataset.get("clone_url", "") + ssh_url = dataset.get("ssh_url", "") + urls = clone_url + ssh_url # Concatenate for simpler checking + + # GIN detection (highest priority for git-based) + if "gin.g-node.org" in urls: + return "gin" + + # NEMAR detection + if "nemarDatasets" in urls: + return "nemar" + + # Generic git detection (fallback to NEMAR for backwards compatibility) + if clone_url or ssh_url: + return "nemar" + + # OpenNeuro detection (modality field is unique to OpenNeuro) + if "modality" in dataset: + return "openneuro" + + return "unknown" + + +# ============================================================================ +# Clone URL Generation +# ============================================================================ + + +def get_clone_url(dataset: dict, source_type: str) -> str: + """Generate the appropriate Git clone URL for the dataset. + + Source-specific URL handling: + + **OpenNeuro**: + - Manual construction from dataset_id + - Format: https://github.com/OpenNeuroDatasets/{dataset_id} + - No .git suffix needed + - Example: ds001785 → https://github.com/OpenNeuroDatasets/ds001785 + + **NEMAR**: + - Direct from clone_url field + - Format: https://github.com/nemarDatasets/{dataset_id}.git + - Includes .git suffix + - Example: ds004350 → https://github.com/nemarDatasets/ds004350.git + + **EEGManyLabs (GIN)**: + - Direct from clone_url field + - Format: https://gin.g-node.org/EEGManyLabs/{dataset_id}.git + - Includes .git suffix + - Example: EEGManyLabs_Replication_ClarkHillyard1996_Raw + → https://gin.g-node.org/EEGManyLabs/EEGManyLabs_Replication_ClarkHillyard1996_Raw.git + + Args: + dataset: Dataset dictionary from consolidated JSON + source_type: Detected source ('openneuro', 'nemar', 'gin', 'unknown') + + Returns: + String: Full Git clone URL + + Raises: + KeyError: If required field missing for source type + ValueError: If source_type is unknown + + """ + if source_type == "openneuro": + # OpenNeuro requires URL construction + dataset_id = dataset["dataset_id"] + return f"https://github.com/OpenNeuroDatasets/{dataset_id}" + + elif source_type in ("nemar", "gin"): + # NEMAR and GIN have direct clone_url in metadata + clone_url = dataset.get("clone_url") + if not clone_url: + # Fallback to SSH URL if clone_url not available + clone_url = dataset.get("ssh_url") + if not clone_url: + raise KeyError(f"No clone_url or ssh_url found for {source_type} dataset") + return clone_url + + else: + raise ValueError(f"Cannot generate clone URL for unknown source: {source_type}") + + +# ============================================================================ +# Git Clone Execution +# ============================================================================ + + +def clone_dataset(dataset: dict, output_dir: Path, timeout: int) -> dict: + """Execute Git clone for a single dataset with timeout handling. + + Clone Workflow: + 1. Detect source type from dataset metadata + 2. Generate appropriate clone URL for source + 3. Check if already cloned (skip if exists) + 4. Execute git clone with timeout + 5. On success: Return status with dataset metadata + 6. On timeout: Clean up partial clone, return timeout status + 7. On failure: Clean up partial clone, return error details + 8. On exception: Capture error and return error status + + Timeout Handling: + - Default timeout: 300 seconds (5 minutes) + - Supports up to 1000 seconds for very large datasets + - On timeout: Partial clone automatically cleaned up + - Creates retry.json for failed/timeout datasets + + Error Handling: + - Missing URL fields: Returns error status + - Network errors: Captured in stderr + - Disk space errors: Captured in stderr + - Permission errors: Captured in stderr + - Unknown errors: Generic exception handling + + Storage: + - Clone directory: output_dir / dataset_id + - Partial clones cleaned on failure + - Skip if directory already exists + + Args: + dataset: Dataset dictionary with at minimum: + - dataset_id (string) + - and either: modality (OpenNeuro), clone_url (NEMAR/GIN), or source field + output_dir: Path object pointing to target clone directory + timeout: Maximum seconds to wait for clone (typically 300-600) + + Returns: + dict: Status result with keys: + - status: 'success', 'skip', 'timeout', 'failed', or 'error' + - dataset_id: The dataset identifier + - source: Detected source type + - Additional context based on status (error, reason, timeout_seconds, etc.) + + Examples: + >>> result = clone_dataset( + ... {"dataset_id": "ds001785", "modality": "eeg"}, + ... Path("data"), + ... timeout=300 + ... ) + >>> result["status"] + 'success' + + >>> result = clone_dataset( + ... {"dataset_id": "already_cloned", "modality": "eeg"}, + ... Path("data/already_has_ds001785"), + ... timeout=300 + ... ) + >>> result["status"] + 'skip' + + """ + dataset_id = dataset["dataset_id"] + source_type = detect_source_type(dataset) + clone_dir = output_dir / dataset_id + + # --------------------------------------------------------------- + # Step 1: Get clone URL + # --------------------------------------------------------------- + try: + url = get_clone_url(dataset, source_type) + except (KeyError, ValueError) as e: + return { + "status": "error", + "dataset_id": dataset_id, + "source": source_type, + "error": str(e), + "phase": "url_generation", + } + + # --------------------------------------------------------------- + # Step 2: Check if already cloned + # --------------------------------------------------------------- + if clone_dir.exists(): + return { + "status": "skip", + "dataset_id": dataset_id, + "source": source_type, + "reason": "already exists", + "path": str(clone_dir), + } + + # --------------------------------------------------------------- + # Step 3: Execute git clone with timeout + # --------------------------------------------------------------- + try: + # Build git command with options + cmd = ["git", "clone", url, str(clone_dir)] + + # Add shallow clone option if requested + if getattr(clone_dataset, "shallow", False): + cmd.insert(2, "--depth") + cmd.insert(3, str(getattr(clone_dataset, "depth", 1))) + + # Skip LFS files if requested + if getattr(clone_dataset, "no_lfs", False): + cmd.insert(2, "--no-checkout") + + # Run with subprocess timeout + result = subprocess.run( + cmd, + timeout=timeout, + capture_output=True, + text=True, + ) + + # Check return code + if result.returncode == 0: + return { + "status": "success", + "dataset_id": dataset_id, + "source": source_type, + "path": str(clone_dir), + } + else: + # Clone failed - clean up partial clone + if clone_dir.exists(): + import shutil + + shutil.rmtree(clone_dir, ignore_errors=True) + + # Return error with details + error_msg = result.stderr[:500] # First 500 chars of error + return { + "status": "failed", + "dataset_id": dataset_id, + "source": source_type, + "error": error_msg, + "returncode": result.returncode, + } + + except subprocess.TimeoutExpired: + # Clone took too long - clean up partial clone + if clone_dir.exists(): + import shutil + + shutil.rmtree(clone_dir, ignore_errors=True) + + return { + "status": "timeout", + "dataset_id": dataset_id, + "source": source_type, + "timeout_seconds": timeout, + } + + except Exception as e: + # Unexpected error - clean up and report + if clone_dir.exists(): + import shutil + + shutil.rmtree(clone_dir, ignore_errors=True) + + return { + "status": "error", + "dataset_id": dataset_id, + "source": source_type, + "error": str(e)[:500], + } + + +# ============================================================================ +# Batch Processing & Reporting +# ============================================================================ + + +def print_summary(results: dict, source_counts: dict, elapsed_time: float) -> None: + """Print comprehensive clone results summary. + + Summary Format: + - Clone statistics by source + - Clone statistics by status + - Performance metrics + - Success rate calculation + - Retry list information + + Args: + results: Dictionary with keys: success, failed, timeout, skip, error + source_counts: Dictionary with counts by source + elapsed_time: Total execution time in seconds + + """ + total_datasets = sum(len(v) for v in results.values()) + total_success = len(results["success"]) + len(results["skip"]) + + print() + print("=" * 70) + print(f"Clone Operation Completed at {time.strftime('%Y-%m-%d %H:%M:%S')}") + print("=" * 70) + print() + + # By Source + print("DATASETS BY SOURCE:") + print(f" OpenNeuro: {source_counts.get('openneuro', 0):3d}") + print(f" NEMAR: {source_counts.get('nemar', 0):3d}") + print(f" EEGManyLabs: {source_counts.get('gin', 0):3d}") + if source_counts.get("unknown", 0): + print(f" Unknown: {source_counts.get('unknown', 0):3d}") + print() + + # By Status + print("DATASETS BY STATUS:") + print(f" ✓ Success: {len(results['success']):3d}") + print(f" ⊘ Skipped: {len(results['skip']):3d}") + print(f" ✗ Failed: {len(results['failed']):3d}") + print(f" ⏱ Timeout: {len(results['timeout']):3d}") + print(f" ? Error: {len(results['error']):3d}") + print() + + # Success Rate + if total_datasets > 0: + success_rate = (total_success / total_datasets) * 100 + print(f"SUCCESS RATE: {success_rate:.1f}% ({total_success}/{total_datasets})") + print() + + # Performance + hours, remainder = divmod(elapsed_time, 3600) + minutes, seconds = divmod(remainder, 60) + time_str = f"{int(hours)}h {int(minutes)}m {seconds:.0f}s" + avg_time = elapsed_time / max(total_datasets, 1) + + print("PERFORMANCE:") + print(f" Total time: {time_str}") + print(f" Average time: {avg_time:.1f}s per dataset") + print("=" * 70) + + +def main() -> None: + """Main clone orchestration function.""" + parser = argparse.ArgumentParser( + description="Clone EEG datasets from OpenNeuro, NEMAR, and EEGManyLabs.", + formatter_class=argparse.RawDescriptionHelpFormatter, + epilog=""" +Examples: + # Clone all datasets with defaults + python 3_clone_datasets_detailed.py + + # Custom output directory and longer timeout for large datasets + python 3_clone_datasets_detailed.py \\ + --output-dir data/cloned \\ + --timeout 600 + + # Clone only EEGManyLabs datasets + python 3_clone_datasets_detailed.py \\ + --datasets-file consolidated/eegmanylabs_datasets.json \\ + --output-dir data/eegmanylabs \\ + --timeout 600 + + # Retry previously failed datasets + python 3_clone_datasets_detailed.py \\ + --datasets-file test_diggestion/retry.json \\ + --output-dir test_diggestion \\ + --timeout 600 + """, + ) + + parser.add_argument( + "--output-dir", + type=Path, + default=Path("test_diggestion"), + help="Output directory for cloned repos (default: test_diggestion).", + ) + + parser.add_argument( + "--timeout", + type=int, + default=300, + help="Timeout per clone in seconds (default: 300, max 1000).", + ) + + parser.add_argument( + "--datasets-file", + type=Path, + default=None, + help="JSON file with dataset listings. If not specified, will try: " + "openneuro_datasets.json, nemardatasets_repos.json, eegmanylabs_datasets.json", + ) + + parser.add_argument( + "--max-parallel", + type=int, + default=1, + help="Max parallel clones (currently single-threaded, default: 1).", + ) + + parser.add_argument( + "--shallow", + action="store_true", + help="Use shallow clone (faster, no history) - saves bandwidth.", + ) + + parser.add_argument( + "--depth", + type=int, + default=1, + help="Depth for shallow clone (default: 1 = latest commit only).", + ) + + parser.add_argument( + "--no-lfs", + action="store_true", + help="Skip Git LFS files (avoids downloading large data files).", + ) + + args = parser.parse_args() + + # Validate timeout + if args.timeout > 1000: + print("Warning: Timeout > 1000s may be excessive", file=sys.stderr) + if args.timeout < 10: + print( + "Warning: Timeout < 10s may be too short for large datasets", + file=sys.stderr, + ) + + # Set clone options as attributes on the function + clone_dataset.shallow = args.shallow + clone_dataset.depth = args.depth + clone_dataset.no_lfs = args.no_lfs + + # --------------------------------------------------------------- + # Step 1: Load Datasets + # --------------------------------------------------------------- + + if args.datasets_file: + # Use specified file + if not args.datasets_file.exists(): + print(f"Error: {args.datasets_file} not found", file=sys.stderr) + sys.exit(1) + dataset_files = [args.datasets_file] + else: + # Try to find consolidated files + dataset_files = [] + for fname in [ + "consolidated/openneuro_datasets.json", + "consolidated/nemardatasets_repos.json", + "consolidated/eegmanylabs_datasets.json", + ]: + if Path(fname).exists(): + dataset_files.append(Path(fname)) + + if not dataset_files: + print( + "Error: No dataset files found. Specify with --datasets-file or ensure " + "consolidated/ files exist", + file=sys.stderr, + ) + sys.exit(1) + + # Load all datasets + datasets = [] + for fpath in dataset_files: + with fpath.open("r") as fh: + file_datasets = json.load(fh) + datasets.extend(file_datasets) + + total = len(datasets) + if total == 0: + print("Error: No datasets to clone", file=sys.stderr) + sys.exit(1) + + # --------------------------------------------------------------- + # Step 2: Start Clone Operation + # --------------------------------------------------------------- + + print(f"\nStarting dataset cloning at {time.strftime('%Y-%m-%d %H:%M:%S')}") + print(f"Output directory: {args.output_dir}") + print(f"Timeout per clone: {args.timeout}s") + print(f"Total datasets: {total}") + print() + + # Create output directory + args.output_dir.mkdir(parents=True, exist_ok=True) + + # --------------------------------------------------------------- + # Step 3: Clone All Datasets + # --------------------------------------------------------------- + + results = { + "success": [], + "failed": [], + "timeout": [], + "skip": [], + "error": [], + } + + source_counts = {"openneuro": 0, "nemar": 0, "gin": 0, "unknown": 0} + + start_time = time.time() + + for idx, dataset in enumerate(datasets, start=1): + dataset_id = dataset["dataset_id"] + source_type = detect_source_type(dataset) + source_counts[source_type] = source_counts.get(source_type, 0) + 1 + + # Format output + status_str = f"[{idx:3d}/{total}] {dataset_id:30s} ({source_type:10s})" + print(f"{status_str}...", end=" ", flush=True) + + # Clone the dataset + result = clone_dataset(dataset, args.output_dir, args.timeout) + status = result.pop("status") + results[status].append(result) + + # Print status indicator + if status == "success": + print("✓") + elif status == "skip": + print("⊘ (already cloned)") + elif status == "timeout": + print(f"⏱ ({args.timeout}s timeout)") + elif status == "failed": + error = result.get("error", "unknown")[:40] + print(f"✗ ({error}...)") + else: + error = result.get("error", "unknown")[:40] + print(f"? ({error}...)") + + elapsed = time.time() - start_time + + # --------------------------------------------------------------- + # Step 4: Generate Report + # --------------------------------------------------------------- + + print_summary(results, source_counts, elapsed) + + # --------------------------------------------------------------- + # Step 5: Save Results + # --------------------------------------------------------------- + + # Save detailed results + results_file = args.output_dir / "clone_results.json" + with results_file.open("w") as fh: + json.dump(results, fh, indent=2) + print(f"\nDetailed results saved to: {results_file}") + + # Save retry list for failed/timeout datasets + retry_datasets = [] + for status_list in [results["failed"], results["timeout"], results["error"]]: + for result in status_list: + # Find original dataset to include full metadata + orig_dataset = None + for ds in datasets: + if ds["dataset_id"] == result["dataset_id"]: + orig_dataset = ds + break + if orig_dataset: + retry_datasets.append(orig_dataset) + + if retry_datasets: + retry_file = args.output_dir / "retry.json" + with retry_file.open("w") as fh: + json.dump(retry_datasets, fh, indent=2) + print(f"Retry list saved to: {retry_file} ({len(retry_datasets)} datasets)") + + # --------------------------------------------------------------- + # Step 6: Print Next Steps + # --------------------------------------------------------------- + + print() + print("=" * 70) + print("NEXT STEPS:") + print("=" * 70) + + if len(results["success"]) > 0: + print(f"\n1. Successfully cloned {len(results['success'])} datasets") + print(f" Location: {args.output_dir}/") + print(" Next: Run digestion pipeline on these datasets") + + if retry_datasets: + print(f"\n2. {len(retry_datasets)} datasets need retry") + print(" Command: python 3_clone_datasets_detailed.py \\") + print(f" --datasets-file {retry_file} \\") + print(f" --output-dir {args.output_dir} \\") + print(f" --timeout {args.timeout + 100}") + + if len(results["success"]) + len(results["skip"]) == total: + print(f"\n✓ All {total} datasets processed successfully!") + + print() + + +if __name__ == "__main__": + main() diff --git a/scripts/ingestions/3_clone_openneuro_datasets.py b/scripts/ingestions/3_clone_openneuro_datasets.py deleted file mode 100644 index 5f90ebb9..00000000 --- a/scripts/ingestions/3_clone_openneuro_datasets.py +++ /dev/null @@ -1,281 +0,0 @@ -"""Clone OpenNeuro, NEMAR, and GIN datasets with timeout and error handling.""" - -import argparse -import json -import subprocess -import sys -import time -from pathlib import Path - - -def detect_source_type(dataset: dict) -> str: - """Detect dataset source based on fields. - - Args: - dataset: Dataset dictionary - - Returns: - 'openneuro', 'nemar', 'gin', or 'unknown' - - """ - # Check for explicit source field - if "source" in dataset: - return dataset["source"] - - # GIN datasets have clone_url with gin.g-node.org - if "clone_url" in dataset and "gin.g-node.org" in dataset["clone_url"]: - return "gin" - - # NEMAR datasets have clone_url with github.com/nemarDatasets - if "clone_url" in dataset and "nemarDatasets" in dataset["clone_url"]: - return "nemar" - - # Generic dataset with clone_url (could be NEMAR or GIN) - if "clone_url" in dataset or "ssh_url" in dataset: - # Default to nemar for backward compatibility - return "nemar" - - # OpenNeuro has modality field - if "modality" in dataset: - return "openneuro" - - return "unknown" - - -def get_clone_url(dataset: dict, source_type: str) -> str: - """Get the appropriate clone URL for the dataset. - - Args: - dataset: Dataset dictionary - source_type: 'openneuro', 'nemar', 'gin', or 'unknown' - - Returns: - Git clone URL - - """ - if source_type in ("nemar", "gin"): - # NEMAR and GIN datasets have clone_url in the JSON - return dataset.get("clone_url", dataset.get("ssh_url")) - elif source_type == "openneuro": - # OpenNeuro datasets need URL construction - dataset_id = dataset["dataset_id"] - return f"https://github.com/OpenNeuroDatasets/{dataset_id}" - else: - raise ValueError(f"Unknown source type: {source_type}") - - -def clone_dataset(dataset: dict, output_dir: Path, timeout: int) -> dict: - """Clone a single dataset with timeout. - - Args: - dataset: Dataset dictionary with fields depending on source - output_dir: Directory to clone into - timeout: Timeout in seconds - - Returns: - Result dictionary with status - - """ - dataset_id = dataset["dataset_id"] - source_type = detect_source_type(dataset) - - try: - url = get_clone_url(dataset, source_type) - except (KeyError, ValueError) as e: - return { - "status": "error", - "dataset_id": dataset_id, - "source": source_type, - "error": str(e), - } - - clone_dir = output_dir / dataset_id - - # Skip if already cloned - if clone_dir.exists(): - return { - "status": "skip", - "dataset_id": dataset_id, - "source": source_type, - "reason": "already exists", - } - - try: - # Run git clone with timeout - result = subprocess.run( - ["git", "clone", url, str(clone_dir)], - timeout=timeout, - capture_output=True, - text=True, - ) - - if result.returncode == 0: - return { - "status": "success", - "dataset_id": dataset_id, - "source": source_type, - } - else: - # Clean up partial clone on failure - if clone_dir.exists(): - import shutil - - shutil.rmtree(clone_dir, ignore_errors=True) - return { - "status": "failed", - "dataset_id": dataset_id, - "source": source_type, - "error": result.stderr[:200], - } - - except subprocess.TimeoutExpired: - # Clean up partial clone on timeout - if clone_dir.exists(): - import shutil - - shutil.rmtree(clone_dir, ignore_errors=True) - return { - "status": "timeout", - "dataset_id": dataset_id, - "source": source_type, - "timeout_seconds": timeout, - } - - except Exception as e: - return { - "status": "error", - "dataset_id": dataset_id, - "source": source_type, - "error": str(e)[:200], - } - - -def main() -> None: - parser = argparse.ArgumentParser( - description="Clone OpenNeuro and NEMAR datasets from consolidated listing." - ) - parser.add_argument( - "--output-dir", - type=Path, - default=Path("test_diggestion"), - help="Output directory for cloned repos (default: test_diggestion).", - ) - parser.add_argument( - "--timeout", - type=int, - default=300, - help="Timeout per clone in seconds (default: 300).", - ) - parser.add_argument( - "--datasets-file", - type=Path, - default=Path("consolidated/to_digest_openneuro_datasets.json"), - help="JSON file with dataset listings (supports both OpenNeuro and NEMAR formats).", - ) - parser.add_argument( - "--max-parallel", - type=int, - default=1, - help="Max parallel clones (currently single-threaded).", - ) - args = parser.parse_args() - - # Validate input file - if not args.datasets_file.exists(): - print(f"Error: {args.datasets_file} not found", file=sys.stderr) - sys.exit(1) - - # Load datasets - with args.datasets_file.open("r") as fh: - datasets = json.load(fh) - - total = len(datasets) - - print(f"Starting dataset cloning at {time.strftime('%Y-%m-%d %H:%M:%S')}") - print(f"Output directory: {args.output_dir}") - print(f"Timeout per clone: {args.timeout}s") - print(f"Total datasets: {total}") - print() - - # Create output directory - args.output_dir.mkdir(parents=True, exist_ok=True) - - # Clone datasets - results = { - "success": [], - "failed": [], - "timeout": [], - "skip": [], - "error": [], - } - - # Track by source - source_counts = {"openneuro": 0, "nemar": 0, "gin": 0, "unknown": 0} - - for idx, dataset in enumerate(datasets, start=1): - dataset_id = dataset["dataset_id"] - source_type = detect_source_type(dataset) - source_counts[source_type] += 1 - - print( - f"[{idx}/{total}] Cloning {dataset_id} ({source_type})...", - end=" ", - flush=True, - ) - - result = clone_dataset(dataset, args.output_dir, args.timeout) - status = result.pop("status") - results[status].append(result) - - if status == "success": - print("✓") - elif status == "skip": - print("⊘ (already exists)") - elif status == "timeout": - print(f"⏱ (timeout after {args.timeout}s)") - elif status == "failed": - print(f"✗ (error: {result.get('error', 'unknown')[:50]}...)") - else: - print(f"? (error: {result.get('error', 'unknown')[:50]}...)") - - # Summary - print() - print("=" * 60) - print(f"Cloning completed at {time.strftime('%Y-%m-%d %H:%M:%S')}") - print() - print("By Source:") - print(f" OpenNeuro: {source_counts['openneuro']}") - print(f" NEMAR: {source_counts['nemar']}") - print(f" GIN: {source_counts['gin']}") - if source_counts["unknown"]: - print(f" Unknown: {source_counts['unknown']}") - print() - print("By Status:") - print(f" Success: {len(results['success'])}") - print(f" Failed: {len(results['failed'])}") - print(f" Timeout: {len(results['timeout'])}") - print(f" Skipped: {len(results['skip'])}") - print(f" Errors: {len(results['error'])}") - print("=" * 60) - - # Save results - results_file = args.output_dir / "clone_results.json" - with results_file.open("w") as fh: - json.dump(results, fh, indent=2) - print() - print(f"Results saved to: {results_file}") - - # Save retry list (failed/timeout/error datasets with full metadata) - retry_datasets = [] - for status_list in [results["failed"], results["timeout"], results["error"]]: - retry_datasets.extend(status_list) - - if retry_datasets: - retry_file = args.output_dir / "retry.json" - with retry_file.open("w") as fh: - json.dump(retry_datasets, fh, indent=2) - print(f"Retry list saved to: {retry_file} ({len(retry_datasets)} datasets)") - - -if __name__ == "__main__": - main() From 851096f7304d8d226c4e34de9d155112460607c0 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 17:46:12 +0100 Subject: [PATCH 27/34] removing .json files --- .../figshare_datasets_detailed_test.json | 1982 ----------------- consolidated/figshare_datasets_test.json | 393 ---- .../to_digest_nemardatasets_repos.json | 117 - .../to_digest_openneuro_datasets.json | 1190 ---------- 4 files changed, 3682 deletions(-) delete mode 100644 consolidated/figshare_datasets_detailed_test.json delete mode 100644 consolidated/figshare_datasets_test.json delete mode 100644 consolidated/to_digest_nemardatasets_repos.json delete mode 100644 consolidated/to_digest_openneuro_datasets.json diff --git a/consolidated/figshare_datasets_detailed_test.json b/consolidated/figshare_datasets_detailed_test.json deleted file mode 100644 index 18bb0895..00000000 --- a/consolidated/figshare_datasets_detailed_test.json +++ /dev/null @@ -1,1982 +0,0 @@ -[ - { - "dataset_id": "30227503", - "doi": "10.6084/m9.figshare.30227503.v1", - "title": "EEG Dataset for Visual Imagery", - "description": "

1.Research context

This dataset contains high-resolution EEG recordings collected from 22 healthy adult participants performing visual imagery (VI) tasks.

Participants imagined ten commonly encountered images across three semantic categories: geometric figures (circle, square, pentagram), animals (dog, fish, bird), and objects (cup, chair, watch, scissors). Each participant completed up to two sessions on separate days (\u226548 hours apart). However, sub-09 and sub-10 completed only the first session (ses-01) due to personal reasons, and thus have no available data for ses-02. Additionally, the animal imagery data of sub-08 in ses-02 was excluded from analysis because of poor signal quality, which introduced substantial noise contamination and led to unreliable classification results.

EEG was recorded with a 34-channel cap (32 active EEG channels + AFz ground + CPz reference) at 1000 Hz.

2.Data overview

Subjects: 22 healthy adults(5 females, age 20-23)

Task:

AVI(animal visual imagery): Imagine animal images(dog, fish, bird; 120 trials/session)

FVI(animal visual imagery): Imagine figure images(circle, square, pentagram; 120 trials/session)

OVI(animal visual imagery): Imagine object images(cup, chair, watch, scissors; 160 trials/session)

3. Experimental Design

The paradigm was implemented using Psychtoolbox-3 and presented on a screen with a resolution of 1920\u00d71080 pixels. Each recording session lasted between 37 and 56 minutes and comprised four VI blocks for each task category. Flexible rest periods of 2 to 4 minutes were provided between blocks to mitigate the effects of fatigue. In the figure and animal categories, each image was presented 40 times, yielding a total of 120 trials per category.

Each trial lasted 17 seconds and followed a structured sequence\uff1a

  • Fixation Cross\u200b: 3 s. A central fixation cross (\"+\") is displayed on the screen. To cue participants to remain alert and relaxed, preparing them for the trial.
  • Visual perception: 4 s. Participants are instructed to observe and memorize the image.
  • Mask: 2 s. A visual mask is briefly displayed.To eliminate any residual visual aftereffects from the presented image.
  • Visual imagery: 4 s.The screen turns black. Participants perform mental imagery of the previously shown image.
  • Rest: 4 s. The word \"Rest\" is displayed on the screen.Participants are instructed to stop any mental imagery and rest.

4.File structure

The data are organized according to the EEG-BIDS convention to maximize interoperability. Raw EEG (*.bdf) and BIDS sidecars: *_channels.tsv, *_events.tsv, *_eeg.json, etc.


", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-10-01T15:00:47Z", - "created_date": "2025-10-01T15:00:47Z", - "modified_date": "2025-10-01T15:02:02Z", - "authors": [ - { - "name": "Jing'ao Gao", - "id": 22323919, - "orcid": "0009-0004-7718-5477" - } - ], - "tags": [ - "brain\u2013computer interface (BCI)", - "visual imagery", - "EEG" - ], - "categories": [ - { - "id": 24736, - "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", - "parent_id": 24724, - "path": "/24457/24724/24736", - "source_id": "320904", - "taxonomy_id": 100 - } - ], - "license": "CC BY 4.0", - "url": "https://figshare.com/articles/dataset/EEG_Dataset_for_Visual_Imagery/30227503", - "api_url": "https://api.figshare.com/v2/articles/30227503", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 58328968, - "name": "sub-01.zip", - "size_bytes": 627579802, - "download_url": "https://ndownloader.figshare.com/files/58328968", - "md5": "cac3615e077e6e6ee61a874a61b855c7" - }, - { - "id": 58329043, - "name": "sub-02.zip", - "size_bytes": 514200571, - "download_url": "https://ndownloader.figshare.com/files/58329043", - "md5": "8ffb18f780080a5bea08fa0fed2947e4" - }, - { - "id": 58329064, - "name": "sub-03.zip", - "size_bytes": 529205614, - "download_url": "https://ndownloader.figshare.com/files/58329064", - "md5": "7e0e7b2a2dd97e75a3960064388f1f1a" - }, - { - "id": 58329169, - "name": "sub-04.zip", - "size_bytes": 460800934, - "download_url": "https://ndownloader.figshare.com/files/58329169", - "md5": "14cd26bc910acf23b859dbcfc948c2db" - }, - { - "id": 58329229, - "name": "sub-05.zip", - "size_bytes": 550239127, - "download_url": "https://ndownloader.figshare.com/files/58329229", - "md5": "cc18d93412f6ce377803ecb45dea4cac" - }, - { - "id": 58329265, - "name": "sub-06.zip", - "size_bytes": 531052214, - "download_url": "https://ndownloader.figshare.com/files/58329265", - "md5": "970ad0e72bcf43a66cdec1078d9474c8" - }, - { - "id": 58329289, - "name": "sub-07.zip", - "size_bytes": 578747124, - "download_url": "https://ndownloader.figshare.com/files/58329289", - "md5": "5091b499668ca5de2329772803268852" - }, - { - "id": 58336849, - "name": "sub-09.zip", - "size_bytes": 276612863, - "download_url": "https://ndownloader.figshare.com/files/58336849", - "md5": "c454e75572614f31a9c313bb0857efbd" - }, - { - "id": 58336852, - "name": "sub-10.zip", - "size_bytes": 312132554, - "download_url": "https://ndownloader.figshare.com/files/58336852", - "md5": "d0a83f3b2ed67da0cc1088c7af3f4560" - }, - { - "id": 58337044, - "name": "sub-11.zip", - "size_bytes": 638262513, - "download_url": "https://ndownloader.figshare.com/files/58337044", - "md5": "fb1c08ee849ace8d30988e32630be165" - } - ], - "file_count": 10, - "total_size_mb": 4786.33, - "source": "figshare" - }, - { - "dataset_id": "29987758", - "doi": "10.6084/m9.figshare.29987758.v2", - "title": "EEG dataset for multi-class Chinese character stroke and pinyin vowel handwriting imagery (16 subjects, CCS-HI & SV-HI)", - "description": "

Version History

Version 2.0 (October 15, 2025)

  • Event label correction: Corrected a scaling inconsistency in the event tags within the file sub-13_ses-02_task-CCSHI_eeg.bdf. The event codes now correctly align with the task paradigm's coding logic.
  • Metadata update: Corrected the handedness metadata for participant sub-06 in participants. tsv from \"L\" to \"R\", to address a typographical error in the original metadata.
  • Quality assurance: The entire dataset underwent a full BIDS validation following these modifications to confirm compliance with the BIDS standard.

No changes to the associated study's results or conclusions are necessitated by these updates.

1. Research Context

This dataset addresses a critical gap in Brain-Computer Interface (BCI) research: most existing resources focus on English-language tasks or simple motor imagery, while Chinese character strokes and Pinyin monophthong handwriting remain understudied. By providing data for two complementary handwriting imagery tasks\u2014

Chinese Character Stroke Handwriting Imagery (CCS-HI): Imagining writing 5 basic Chinese character strokes( \u4e00,\u4e28,\u4e3f,\u31cf,\u3125) ;

Pinyin Single Vowel Handwriting Imagery (SV-HI): Imagining writing 6 Pinyin monophthongs (a, o, e, i, u, \u00fc)\u2014

we enable investigations into:

The neural mechanisms of handwriting imagery for Chinese strokes vs. Pinyin characters;

Cross-session generalization (a critical challenge for real-world BCI deployment).

2. Data Overview

Subjects: 16 healthy adults (3 females, age 22\u201332, right-handed, no neurological disorders). Note: In Version 2.0, handedness for one subject was corrected from \u201cL\u201d to \u201cR\u201d to reflect accurate right-handedness; all participants remain confirmed as right-handed.

Tasks:

CCS-HI: Imagine writing 5 Chinese strokes (\u4e00\uff0c\u4e28\uff0c\u4e3f\uff0c\u31cf, \u3125\uff1b200 trials/session).

SV-HI: Imagine writing 6 Pinyin monophthongs (a, o, e, i, u, \u00fc; 240 trials/session).

Sessions: 2 independent sessions (\u226524 hours apart).

Session 1: Used for training and 5-fold cross-validation.

Session 2: Held out as an independent test set for cross-session evaluation.

3. Experimental Design

3.1 Pre-Experiment Preparation

Prior to data collection, all subjects were fully informed of the experimental protocol (including task requirements and response methods) and shown a demonstration video of handwriting imagery tasks to ensure understanding. Written informed consent was obtained from all participants.

3.2 EEG Acquisition

Device: Neuracle NeuSenW amplifier with a 32-channel Ag/AgCl electrode cap.

Electrode Layout: Strictly following the international 10-10 system. Detailed 3D coordinates and nomenclature of each electrode are provided in the accompanying electrodes.tsv file.

Sampling Rate: 1000 Hz (downsampled to 250 Hz during preprocessing).

Electrode Impedance: Maintained below 10 k\u03a9 for all channels during recording.

Calibration: All equipment was professionally calibrated before the experiment to ensure data quality and reproducibility.

3.3 Task Paradigm

3.2.1 General Trial Structure (CCS-HI & SV-HI)

Each single trial included four sequential phases, with the total duration varying slightly by task:

1. Fixation + Auditory Cue: 2 seconds

A white fixation cross was displayed on a black screen to stabilize subjects\u2019 attention;

An auditory beep (500 Hz, 100 ms) was synchronized with the start of the cross, serving as a trial initiation signal.

2. Task Cue Phase: Duration differs by task (key distinction)

2.1 For CCS-HI: 2.8 seconds

A dynamic animation of the target Chinese character stroke (e.g., \u4e00\uff0c\u4e28) was played, demonstrating the stroke\u2019s writing trajectory.

2.2 For SV-HI: 3.2 seconds

A dynamic animation of the target Pinyin monophthong (e.g., a, o) was played; the extended duration was designed to accommodate the relatively higher complexity of visualizing Pinyin character shapes.

3. Handwriting Imagery Phase: 4 seconds

Subjects were instructed to imagine writing the target stroke (CCS-HI) or Pinyin monophthong (SV-HI) following the trajectory shown in the task cue, without any actual limb movement.

4. Rest Interval: 3 seconds

A blank black screen was presented to allow subjects to recover and reset attention for the next trial.

3.2.2 Trial Duration Summary

  • Total duration per trial (CCS-HI): 2 s (fixation) + 2.8 s (cue) + 4 s (imagery) + 3 s (rest) = 11.8 seconds.
  • Total duration per trial (SV-HI): 2 s (fixation) + 3.2 s (cue) + 4 s (imagery) + 3 s (rest) = 12.2 seconds.

4. Preprocessing & Trial Integrity

The publicly released dataset contains raw EEG data (no preprocessing); preprocessing (via MNE-Python, code in code folder) was only conducted for model training/testing: 1\u201340 Hz Butterworth bandpass filtering + 50 Hz notch filtering for noise reduction, manual bad channel labeling (EEGLAB) and spherical spline interpolation (per BIDS _channels.tsv), downsampling from 1000 Hz to 250 Hz, z-score normalization per trial, and epoch extraction of the 0\u20134 s imagery period (for both tasks). Trial integrity checks confirmed most sessions met standards (200 trials/session for CCS-HI, 240 for SV-HI), with two exceptions: Subject 06 (SV-HI, Ses-2: 225 trials, trigger error) and Subject 13 (CCS-HI, Ses-2: 162 trials, fatigue). All retained trials passed quality checks, and missing trials were evenly distributed across categories (max deviation \u22642 trials, <5% threshold), so no class balancing was needed.


5. File Structure (BIDS-Compliant)

Following corrections to event labels and participant metadata in Version 2.0, the dataset underwent full BIDS compliance re-verification to ensure data structure and metadata consistency.

The dataset follows the BIDS standard: the root directory stores core metadata (e.g., dataset_description.json for dataset info, participants.tsv for demographics, electrodes.tsv for 32-channel 10-10 system coordinates, task-specific _events.json), 16 subject folders (e.g., sub-01) each contain ses-01/ses-02 with eeg/ subfolders (by CCS-HI/SV-HI tasks) holding _channels.tsv (bad channels), _eeg.bdf (raw Neuracle EEG), _eeg.json (acquisition params), _events.tsv (task alignment); supplementary folders include stimuli (visual cues) and code (preprocessing/model scripts with docs).

6. Usage & Citation

6.1 Data Access & Extraction

The HI-EEG dataset (CCS-HI/SV-HI tasks) is available via Figshare: https://doi.org/10.6084/m9.figshare.29987758(raw data access). To ensure successful decompression of the split-volume compressed files, follow these guidelines:

  • File Composition: The dataset is split into 4 interlinked files (all required for full extraction):

1. Main archive: `CCS-SV-HI-EEG_BIDS.zip`

2. Split volumes: `CCS-SV-HI-EEG_BIDS.z01`, `CCS-SV-HI-EEG_BIDS.z02`, `CCS-SV-HI-EEG_BIDS.z03`

  • Pre-Extraction Requirement: Download all 4 files and place them in the **same directory** (do not rename files or move them to subfolders).
  • Tool & Operation:

1. Use split-volume compatible software (RECOMMENDED: 7-Zip, open-source & free: https://www.7-zip.org/; avoid default system extractors like Windows Explorer/macOS Archive Utility).

2. Double-click the main `.zip` file (`CCS-SV-HI-EEG_BIDS.zip`) \u2014 the software will automatically merge `.z01`\u2013`.z03` into the full BIDS folder (matching the structure described in Section 5).

  • Critical Note: Extraction will fail if any split file is missing; the decompressed folder retains the BIDS structure (no additional organization needed).


6.2 Trial Integrity & Usage Details

Note two trial integrity details: sub-06 (SV-HI, ses-02) retains 225 trials (15 missing, trigger sync error) and sub-13 (CCS-HI, ses-02) retains 162 trials (38 missing, subject fatigue)\u2014missing trials are evenly distributed across categories (max deviation \u22642 trials, <5% imbalance, no class balancing needed).


For data loading/analysis, use EEGLAB (MATLAB) or MNE-Python 1.7.0 (Python); for decoding, use scikit-learn 1.6.1 or PyTorch 2.0.0+cu117 (all verified versions). Related code is in the repository\u2019s code directory; refer to the README in code for environment configuration and script workflow.


6.3 Citation

Cite the associated publication (DOI to be added) when using this dataset.

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-09-19T15:59:05Z", - "created_date": "2025-09-19T15:59:06Z", - "modified_date": "2025-09-19T15:59:06Z", - "authors": [ - { - "name": "Fan Wang", - "id": 22125886, - "orcid": "" - } - ], - "tags": [ - "EEG dataset, Electroencephalography (EEG), Brain-Computer Interface (BCI), Motor imagery, Handwriting imagery, Chinese Character Stroke Handwriting Imagery, Pinyin Single Vowel Handwriting Imagery, BIDS, Neural decoding, Cross-session generalization" - ], - "categories": [ - { - "id": 24736, - "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", - "parent_id": 24724, - "path": "/24457/24724/24736", - "source_id": "320904", - "taxonomy_id": 100 - } - ], - "license": "CC BY 4.0", - "url": "https://figshare.com/articles/dataset/_b_EEG_dataset_for_multi-class_Chinese_character_stroke_and_pinyin_vowel_handwriting_imagery_16_subjects_CCS-HI_SV-HI_b_/29987758", - "api_url": "https://api.figshare.com/v2/articles/29987758", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 58098019, - "name": "CCS-SV-HI-EEG_BIDS.z01", - "size_bytes": 2147483648, - "download_url": "https://ndownloader.figshare.com/files/58098019", - "md5": "d5de1e8c986b11dbe03eba44f411a210" - }, - { - "id": 58098085, - "name": "CCS-SV-HI-EEG_BIDS.z02", - "size_bytes": 2147483648, - "download_url": "https://ndownloader.figshare.com/files/58098085", - "md5": "5ee65f275c2441bcb582ce75359b73d9" - }, - { - "id": 58098535, - "name": "CCS-SV-HI-EEG_BIDS.z03", - "size_bytes": 2147483648, - "download_url": "https://ndownloader.figshare.com/files/58098535", - "md5": "b08f2e60a0f6873730edecad17122211" - }, - { - "id": 58098733, - "name": "CCS-SV-HI-EEG_BIDS.zip", - "size_bytes": 935865017, - "download_url": "https://ndownloader.figshare.com/files/58098733", - "md5": "193d407fd44e41bac94064f34f2d541a" - } - ], - "file_count": 4, - "total_size_mb": 7036.51, - "source": "figshare" - }, - { - "dataset_id": "28740260", - "doi": "10.6084/m9.figshare.28740260.v3", - "title": "Enhancing classification of a large lower-limb motor imagery EEG dataset for BCI in knee pain patients", - "description": "

We present the first large-scale, standardized EEG dataset (30 patients, 150 sessions, 15,000 trials) specifically designed for lower-limb motor imagery (MI) in knee pain patients, addressing a critical gap in clinical BCI research. Chronic knee pain alters cortical plasticity, yet our data demonstrate preserved MI capability in patients\u2014a finding with direct implications for rehabilitation BCI development. Our proposed Optimal Time-Frequency Window Riemannian Geometric Distance (OTFWRGD) algorithm achieves 86.41% classification accuracy, significantly outperforming traditional methods (CSP+LDA: 51.43%; FBCSP+SVM: 55.71%; EEGNet: 76.21%). The dataset adheres to EEG-BIDS standards and is fully accessible via Figshare, including raw/preprocessed EEG, stimuli, and analysis code.

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-06-20T07:03:15Z", - "created_date": "2025-06-20T07:03:15Z", - "modified_date": "2025-08-06T06:22:04Z", - "authors": [ - { - "name": "Chongwen Zuo", - "id": 21546541, - "orcid": "" - } - ], - "tags": [ - "Brain Computer Interface in Rehabilitation", - "motor imagery EEG signals", - "Electroencephalogram wavelet analysis", - "Machine learning algorighms" - ], - "categories": [ - { - "id": 29161, - "title": "Deep learning", - "parent_id": 29152, - "path": "/28798/29152/29161", - "source_id": "461103", - "taxonomy_id": 100 - }, - { - "id": 27031, - "title": "Rehabilitation", - "parent_id": 27004, - "path": "/27001/27004/27031", - "source_id": "420109", - "taxonomy_id": 100 - }, - { - "id": 24739, - "title": "Neurology and neuromuscular diseases", - "parent_id": 24724, - "path": "/24457/24724/24739", - "source_id": "320905", - "taxonomy_id": 100 - } - ], - "license": "CC BY 4.0", - "url": "https://figshare.com/articles/dataset/Enhancing_classification_of_a_large_lower-limb_motor_imagery_EEG_dataset_for_BCI_in_knee_pain_patients/28740260", - "api_url": "https://api.figshare.com/v2/articles/28740260", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 53639936, - "name": "dataset_description.json", - "size_bytes": 2319, - "download_url": "https://ndownloader.figshare.com/files/53639936", - "md5": "8bdbc04333db1556efff4b143b3763f1" - }, - { - "id": 53639939, - "name": "Task-motor-imagery_channels.tsv", - "size_bytes": 714, - "download_url": "https://ndownloader.figshare.com/files/53639939", - "md5": "24908f3ccc7b6580d93c248d05953f49" - }, - { - "id": 53639948, - "name": "Task-motor-imagery_coordsystem.json", - "size_bytes": 361, - "download_url": "https://ndownloader.figshare.com/files/53639948", - "md5": "94654141207c04ceb2aa215b28bd6c18" - }, - { - "id": 53639951, - "name": "Task-motor-imagery_eeg.json", - "size_bytes": 558, - "download_url": "https://ndownloader.figshare.com/files/53639951", - "md5": "62411ce9d08bf6837299f9ee872e0d16" - }, - { - "id": 53639957, - "name": "Task-motor-imagery_events.json", - "size_bytes": 952, - "download_url": "https://ndownloader.figshare.com/files/53639957", - "md5": "fdb6b07352d03e92927d7af489240600" - }, - { - "id": 53639960, - "name": "README.md", - "size_bytes": 7464, - "download_url": "https://ndownloader.figshare.com/files/53639960", - "md5": "ad976564c45901801f2c5cca5a97969e" - }, - { - "id": 53639963, - "name": "Right-Leg.mp4", - "size_bytes": 608477, - "download_url": "https://ndownloader.figshare.com/files/53639963", - "md5": "a0fd3a82e751c3bf5a05b9593c83aef3" - }, - { - "id": 53639966, - "name": "Left-Leg.mp4", - "size_bytes": 566258, - "download_url": "https://ndownloader.figshare.com/files/53639966", - "md5": "454fe7b9f9946e6fb0d843cf4b62a105" - }, - { - "id": 53639969, - "name": "REST.jpg", - "size_bytes": 18293, - "download_url": "https://ndownloader.figshare.com/files/53639969", - "md5": "ad6a3b2a032b7582239de5bcc0b30d94" - }, - { - "id": 53639972, - "name": "Red_Ball.JPG", - "size_bytes": 20667, - "download_url": "https://ndownloader.figshare.com/files/53639972", - "md5": "a4c9257b5859107634bd708463e67e60" - } - ], - "file_count": 10, - "total_size_mb": 1.17, - "source": "figshare" - }, - { - "dataset_id": "28169963", - "doi": "10.6084/m9.figshare.28169963.v1", - "title": "Example manifest for the BIDS Siena Scalp EEG Database for evaluation with the SzCORE framework.", - "description": "

This is a manifest that describe which patients and runs are used across train/dev/test sets when using SzCORE evaluation (Dan et al., 2024) with this dataset.

References:

Dan, J., Pale, U., Amirshahi, A., Cappelletti, W., Ingolfsson, T. M., Wang, X., Cossettini, A., Bernini, A., Benini, L., Beniczky, S., Atienza, D., & Ryvlin, P. (2024). SzCORE: Seizure Community Open\u2010Source Research Evaluation framework for the validation of electroencephalography \u2010based automated seizure detection algorithms. Epilepsia, epi.18113. https://doi.org/10.1111/epi.18113

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-06-16T06:34:46Z", - "created_date": "2025-06-16T06:34:46Z", - "modified_date": "2025-06-16T06:34:47Z", - "authors": [ - { - "name": "Johnson Zhou", - "id": 19371541, - "orcid": "0009-0001-9030-3624" - } - ], - "tags": [ - "seizure detection performance" - ], - "categories": [ - { - "id": 24736, - "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", - "parent_id": 24724, - "path": "/24457/24724/24736", - "source_id": "320904", - "taxonomy_id": 100 - } - ], - "license": "CC BY 4.0", - "url": "https://figshare.com/articles/dataset/Example_manifest_for_the_BIDS_Siena_Scalp_EEG_Database_for_evaluation_with_the_SzCORE_framework_/28169963", - "api_url": "https://api.figshare.com/v2/articles/28169963", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 55402895, - "name": "siena.yaml", - "size_bytes": 6331, - "download_url": "https://ndownloader.figshare.com/files/55402895", - "md5": "f21b2aaba168598b78ef17bc2f5708ab" - } - ], - "file_count": 1, - "total_size_mb": 0.01, - "source": "figshare" - }, - { - "dataset_id": "27301629", - "doi": "10.6084/m9.figshare.27301629.v1", - "title": "An EEG-EMG Dataset from a Standardized Reaching Task for Biomarker Research in Upper Limb Assessment", - "description": "This work introduces a bimodal dataset designed to explore electrophysiological biomarkers for assessing assistive technologies in neurorehabilitation. Data were collected from 40 healthy participants performing 10 repetitions of three standardized reaching tasks assisted by an upper-limb exoskeleton. To standardize and simulate natural upper-limb movements relevant to daily activities, a custom-designed touch panel was used. High-density EEG (hd-EEG) and surface EMG (sEMG) were recorded to capture neuromechanical responses.\nThe dataset adheres to Brain Imaging Data Structure (BIDS) standard, in alignment with FAIR principles. We provide subject-level analyses of event-related spectral perturbation (ERSP), inter-trial coherence (ITC), and event-related synchronization/desynchronization (ERS/ERD) for EEG, along with time- and frequency-domain decomposition for EMG.\nBeyond evaluating assistive technologies, this dataset can be used for biosignal processing research, particularly for artifact removal and denoising techniques. It is also valuable for machine learning-based feature extraction, classification, and studying neuromechanical modulations during goal-oriented movements. Additionally, it can support research on human-robot interaction in non-clinical settings, hybrid brain-computer interfaces (BCIs) for robotic control and biomechanical modeling of upper-limb movements.", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-05-21T07:01:58Z", - "created_date": "2025-05-21T07:01:58Z", - "modified_date": "2025-05-21T07:01:59Z", - "authors": [ - { - "name": "Florencia Garro", - "id": 19947215, - "orcid": "0000-0001-8845-0281" - }, - { - "name": "Elena Fenoglio", - "id": 19947224, - "orcid": "0009-0002-2779-6574" - }, - { - "name": "Indya Ceroni", - "id": 19947230, - "orcid": "0000-0003-1251-1185" - }, - { - "name": "Inna Forsiuk", - "id": 19947239, - "orcid": "" - }, - { - "name": "Michele Canepa", - "id": 19958176, - "orcid": "0000-0002-6168-0332" - }, - { - "name": "Michael Mozzon", - "id": 19947248, - "orcid": "" - }, - { - "name": "Agnese Bruschi", - "id": 19947278, - "orcid": "" - }, - { - "name": "Francesco Zippo", - "id": 19947340, - "orcid": "" - }, - { - "name": "Matteo Laffranchi", - "id": 19958177, - "orcid": "0000-0003-1189-281X" - }, - { - "name": "Lorenzo De Michieli", - "id": 19958194, - "orcid": "0000-0001-7158-3002" - }, - { - "name": "Stefano Buccelli", - "id": 6924944, - "orcid": "" - }, - { - "name": "Michela Chiappalone", - "id": 19958197, - "orcid": "0000-0003-1427-5147" - }, - { - "name": "Marianna Semprini", - "id": 19947527, - "orcid": "0000-0001-5504-0251" - } - ], - "tags": [ - "Human Machine Interaction", - "assistive technology", - "Motor control", - "signal processing" - ], - "categories": [ - { - "id": 536, - "title": "Biomedical Engineering not elsewhere classified", - "parent_id": 5, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 535, - "title": "Rehabilitation Engineering", - "parent_id": 5, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 566, - "title": "Signal Processing", - "parent_id": 5, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 151, - "title": "Biomarkers", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - } - ], - "license": "CC BY", - "url": "https://springernature.figshare.com/articles/dataset/An_EEG-EMG_Dataset_from_a_Standardized_Reaching_Task_for_Biomarker_Research_in_Upper_Limb_Assessment/27301629", - "api_url": "https://api.figshare.com/v2/articles/27301629", - "resource_title": "An EEG-EMG dataset from a standardized reaching task for biomarker research in upper limb assessment", - "resource_doi": "10.1038/s41597-025-05042-4", - "files": [ - { - "id": 49987098, - "name": "dataset_description.json", - "size_bytes": 790, - "download_url": "https://ndownloader.figshare.com/files/49987098", - "md5": "ffae34d599528e8cf07c8babfcec0360" - }, - { - "id": 49987101, - "name": "code.zip", - "size_bytes": 31389, - "download_url": "https://ndownloader.figshare.com/files/49987101", - "md5": "ce00a9cfe860f26483e51590106f8885" - }, - { - "id": 49987440, - "name": "participants.tsv", - "size_bytes": 765, - "download_url": "https://ndownloader.figshare.com/files/49987440", - "md5": "5d4c4189929630c3433e593cc308dcc3" - }, - { - "id": 49987443, - "name": "Derivatives.zip", - "size_bytes": 19095668221, - "download_url": "https://ndownloader.figshare.com/files/49987443", - "md5": "fe84f389a09af9c00824e7298af5b387" - }, - { - "id": 49987452, - "name": "README.txt", - "size_bytes": 348, - "download_url": "https://ndownloader.figshare.com/files/49987452", - "md5": "919cbe3d50f05556d05e6b92f1377fe5" - }, - { - "id": 49987455, - "name": "sub-01.zip", - "size_bytes": 331789106, - "download_url": "https://ndownloader.figshare.com/files/49987455", - "md5": "97de3022b180214d5e8314b99aeb7f4e" - }, - { - "id": 49987458, - "name": "sub-02.zip", - "size_bytes": 257838297, - "download_url": "https://ndownloader.figshare.com/files/49987458", - "md5": "0596ccaf757eaebec4e1361aaf572906" - }, - { - "id": 49987461, - "name": "sub-03.zip", - "size_bytes": 311044434, - "download_url": "https://ndownloader.figshare.com/files/49987461", - "md5": "893a4a3c236fb4153666b1b192d5b1cd" - }, - { - "id": 49987464, - "name": "sub-04.zip", - "size_bytes": 407679289, - "download_url": "https://ndownloader.figshare.com/files/49987464", - "md5": "eea5feed53f0f0470a8d876f3f450f28" - }, - { - "id": 49987467, - "name": "sub-05.zip", - "size_bytes": 280786858, - "download_url": "https://ndownloader.figshare.com/files/49987467", - "md5": "0076a105de6a95b7e23b83290aefafb4" - } - ], - "file_count": 10, - "total_size_mb": 19726.6, - "source": "figshare" - }, - { - "dataset_id": "25192793", - "doi": "10.6084/m9.figshare.25192793.v1", - "title": "Dynamic Causal Modelling of Face Processing with fMRI and M/EEG", - "description": "

This dataset consists of BIDS-formatted fMRI and M/EEG data from Wakeman & Henson (2015) that have been processed for DCM analysis. Multimodal data from fMRI, EEG, MEG magnetometers and MEG planar gradiometers from all 16 subjects have been processed with the analysis pipeline presented in Henson et al (2019). This dataset was prepared for demonstration of group-level estimation and inference of DCMs from fMRI and M/EEG data. The raw data can be found here: https://openneuro.org/datasets/ds000117

fMRI data is provided in two formats:

  1. fMRI_ProcessedData_Individual_Runs.tar.xz contains processed data per run per participant, about 8.9GB total.
  2. fMRI_DCMreadyData_VOI_TimeCourses.tar contains VOI time courses for 3 regions - bilateral EVC, and left and right FFA, obtained after reparametrizing and concatenating processed data per run. This totals up to about 440MB.

M/EEG data consists of averaged evoked sensor data for two conditions - faces and scrambled faces. Individual subjects' T1 images were used for creating head models. Forward models (leadfields) for all subjects are included in the dataset, which is provided in two formats:

  1. MEEG_DCMreadyData_with_GainMatrix.tar.xz consists of sensor data and leadfields - sufficient for inverting MEG, but not EEG data since forward models for the latter need BEM surfaces. This is compact, about 390MB.
  2. MEEG_DCMreadyData_with_GainMatrix_BEM.tar.xz consists of sensor data, leadfields and BEM surfaces - can be used for inverting either MEG or EEG data. This is considerably larger in size, about 2.5GB.

All four data packages listed above have corresponding file lists for inspection, as well as SHA256 and MD5 checksums for verification of data integrity. Note that the data are highly compressed and will expand to about twice their size on decompression. Please use 7zip on Windows or `tar -xvf filename` on Linux to extract. Scripts used to produce this dataset from the raw data, as well as as scripts demonstrating group DCM analysis can be found here: https://github.com/pranaysy/MultimodalDCM.

For more information or queries, please get in touch, or open an issue on the GitHub repository linked above.

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2024-02-08T22:21:26Z", - "created_date": "2024-02-08T22:21:26Z", - "modified_date": "2024-02-08T22:21:26Z", - "authors": [ - { - "name": "Pranay Yadav", - "id": 13795687, - "orcid": "" - }, - { - "name": "Rik Henson", - "id": 6288980, - "orcid": "" - } - ], - "tags": [ - "dynamic causal modeling (DCM)", - "Dynamic Causal Model", - "Face Processing", - "MEG Data", - "Inverse Modelling", - "EEG Data", - "SPM12", - "Tutorial", - "Computational Modelling", - "Bayesian modelling and inference", - "BIDS format", - "Neuroscience", - "fMRI Data", - "BOLD imaging", - "Open Science", - "Open Source", - "Generative Modelling", - "Biophysical Modelling", - "Jansen-Rit", - "neurophysiology and the brain" - ], - "categories": [ - { - "id": 24736, - "title": "Computational neuroscience (incl. mathematical neuroscience and theoretical neuroscience)", - "parent_id": 24724, - "path": "/24457/24724/24736", - "source_id": "320904", - "taxonomy_id": 100 - }, - { - "id": 30334, - "title": "Cognitive neuroscience", - "parent_id": 30325, - "path": "/30292/30325/30334", - "source_id": "520203", - "taxonomy_id": 100 - }, - { - "id": 24208, - "title": "Bioinformatics and computational biology not elsewhere classified", - "parent_id": 24181, - "path": "/24130/24181/24208", - "source_id": "310299", - "taxonomy_id": 100 - }, - { - "id": 30343, - "title": "Psychophysiology", - "parent_id": 30325, - "path": "/30292/30325/30343", - "source_id": "520206", - "taxonomy_id": 100 - }, - { - "id": 24748, - "title": "Neurosciences not elsewhere classified", - "parent_id": 24724, - "path": "/24457/24724/24748", - "source_id": "320999", - "taxonomy_id": 100 - } - ], - "license": "Apache 2.0", - "url": "https://figshare.com/articles/dataset/Dynamic_Causal_Modelling_of_Face_Processing_with_fMRI_and_M_EEG/25192793", - "api_url": "https://api.figshare.com/v2/articles/25192793", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 44476757, - "name": "fMRI_DCMreadyData_VOI_TimeCourses.tar.xz", - "size_bytes": 464080424, - "download_url": "https://ndownloader.figshare.com/files/44476757", - "md5": "95aa721b5a143eec9d1902955d85cea4" - }, - { - "id": 44477318, - "name": "fMRI_DCMreadyData_VOI_TimeCourses_FileList.txt", - "size_bytes": 6328, - "download_url": "https://ndownloader.figshare.com/files/44477318", - "md5": "5d89d50c59a6a4f0de5d1dad4400c4ca" - }, - { - "id": 44476754, - "name": "MEEG_DCMreadyData_with_GainMatrix.tar.xz", - "size_bytes": 409096144, - "download_url": "https://ndownloader.figshare.com/files/44476754", - "md5": "f3b58c7eb9540c78b52bed790dd7695f" - }, - { - "id": 44477327, - "name": "MEEG_DCMreadyData_with_GainMatrix_FileList.txt", - "size_bytes": 5820, - "download_url": "https://ndownloader.figshare.com/files/44477327", - "md5": "0b157a6cde51d1cc44983e91a64339ca" - }, - { - "id": 44476886, - "name": "fMRI_ProcessedData_Individual_Runs.tar.xz", - "size_bytes": 9514845812, - "download_url": "https://ndownloader.figshare.com/files/44476886", - "md5": "c56267f7eae40f0f5c522e2b5408259c" - }, - { - "id": 44477321, - "name": "fMRI_ProcessedData_Individual_Runs_FileList.txt", - "size_bytes": 31212, - "download_url": "https://ndownloader.figshare.com/files/44477321", - "md5": "ffb4e48f1c034856b10f96bf63ac67e5" - }, - { - "id": 44476769, - "name": "MEEG_DCMreadyData_with_GainMatrix_BEM.tar.xz", - "size_bytes": 2702628888, - "download_url": "https://ndownloader.figshare.com/files/44476769", - "md5": "eb2dc0fd42ff40b88f58314370b811d5" - }, - { - "id": 44477324, - "name": "MEEG_DCMreadyData_with_GainMatrix_BEM_FileList.txt", - "size_bytes": 9688, - "download_url": "https://ndownloader.figshare.com/files/44477324", - "md5": "57361d3344733b3f9ee4bd137f713f7e" - }, - { - "id": 44477174, - "name": "Checksums_SHA256.txt", - "size_bytes": 433, - "download_url": "https://ndownloader.figshare.com/files/44477174", - "md5": "76472236511bf7ad3a05793881fc1945" - }, - { - "id": 44477177, - "name": "Cheksums_MD5.txt", - "size_bytes": 305, - "download_url": "https://ndownloader.figshare.com/files/44477177", - "md5": "abc23529ae4eef8187099ae85c01f4f2" - } - ], - "file_count": 10, - "total_size_mb": 12484.27, - "source": "figshare" - }, - { - "dataset_id": "25037045", - "doi": "10.6084/m9.figshare.25037045.v4", - "title": "Movie annotations for: Multimodal single-neuron, intracranial EEG, and fMRI brain responses during movie watching in human patients", - "description": "

Movie annotations for the manuscript: \"Multimodal brain responses during movie watching: single-neuron, intracranial EEG, and fMRI in human patients\"

Authors: Umit Keles, Julien Dubois, Kevin J. M. Le, J. Michael Tyszka, David A. Kahn, Chrystal M. Reed, Jeffrey M. Chung, Adam N. Mamelak, Ralph Adolphs, Ueli Rutishauser

Abstract: We present a multimodal dataset of intracranial recordings, fMRI, and eye tracking in 20 participants during movie watching. Recordings consist of single neurons, local field potential, and intracranial EEG activity acquired from depth electrodes targeting the amygdala, hippocampus, and medial frontal cortex implanted for monitoring of epileptic seizures. Participants watched an 8-min long excerpt from the video \"Bang! You're Dead\" and performed a recognition memory test for movie content. 3\u2009T fMRI activity was recorded prior to surgery in 11 of these participants while performing the same task. This NWB- and BIDS-formatted dataset includes spike times, field potential activity, behavior, eye tracking, electrode locations, demographics, and functional and structural MRI scans. For technical validation, we provide signal quality metrics, assess eye tracking quality, behavior, the tuning of cells and high-frequency broadband power field potentials to familiarity and event boundaries, and show brain-wide inter-subject correlations for fMRI. This dataset will facilitate the investigation of brain activity during movie watching, recognition memory, and the neural basis of the fMRI-BOLD signal.

This dataset accompanies the following data descriptor: Keles, U., Dubois, J., Le, K.J.M., Tyszka, J.M., Kahn, D.A., Reed, C.M., Chung, J.M., Mamelak, A.N., Adolphs, R. and Rutishauser, U. Multimodal single-neuron, intracranial EEG, and fMRI brain responses during movie watching in human patients. Sci Data 11, 214 (2024). https://doi.org/10.1038/s41597-024-03029-1

Related code: https://github.com/rutishauserlab/bmovie-release-NWB-BIDS

Intracranial recording data: https://dandiarchive.org/dandiset/000623

fMRI data: https://openneuro.org/datasets/ds004798/


", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2024-01-30T21:17:01Z", - "created_date": "2024-01-30T21:17:01Z", - "modified_date": "2024-02-27T20:41:49Z", - "authors": [ - { - "name": "Umit Keles", - "id": 17821706, - "orcid": "" - }, - { - "name": "Julien Dubois", - "id": 351876, - "orcid": "" - }, - { - "name": "Kevin J. M. Le", - "id": 17821725, - "orcid": "" - }, - { - "name": "J. Michael Tyszka", - "id": 4523851, - "orcid": "" - }, - { - "name": "David A. Kahn", - "id": 11534227, - "orcid": "" - }, - { - "name": "Chrystal M. Reed", - "id": 5011316, - "orcid": "" - }, - { - "name": "Jeffrey M. Chung", - "id": 5011319, - "orcid": "" - }, - { - "name": "Adam N. Mamelak", - "id": 281705, - "orcid": "" - }, - { - "name": "Ralph Adolphs", - "id": 217684, - "orcid": "" - }, - { - "name": "Ueli Rutishauser", - "id": 686011, - "orcid": "" - } - ], - "tags": [ - "movie watching" - ], - "categories": [ - { - "id": 30334, - "title": "Cognitive neuroscience", - "parent_id": 30325, - "path": "/30292/30325/30334", - "source_id": "520203", - "taxonomy_id": 100 - } - ], - "license": "CC BY 4.0", - "url": "https://figshare.com/articles/dataset/Movie_annotations_for_the_manuscript_Multimodal_brain_responses_during_movie_watching_single-neuron_intracranial_EEG_and_fMRI_in_human_patients_/25037045", - "api_url": "https://api.figshare.com/v2/articles/25037045", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 44169479, - "name": "short_faceannots.pkl", - "size_bytes": 3425448, - "download_url": "https://ndownloader.figshare.com/files/44169479", - "md5": "09bd7eadf825a430499ec8050bdaad45" - }, - { - "id": 44169482, - "name": "scenecut_info.csv", - "size_bytes": 4399, - "download_url": "https://ndownloader.figshare.com/files/44169482", - "md5": "29d6b38f08cc0d9b3bf90ca8973440b5" - }, - { - "id": 44169485, - "name": "scanner_questionnaire.csv", - "size_bytes": 685, - "download_url": "https://ndownloader.figshare.com/files/44169485", - "md5": "dea1d613df915daeb76ee93a9d6955ba" - } - ], - "file_count": 3, - "total_size_mb": 3.27, - "source": "figshare" - }, - { - "dataset_id": "22260892", - "doi": "10.3389/fnbeh.2023.1147140.s001", - "title": "Data_Sheet_1_Neural mechanisms of expert persuasion on willingness to pay for sugar.pdf", - "description": "

Introduction: Sugar consumption is associated with many negative health consequences. It is, therefore, important to understand what can effectively influence individuals to consume less sugar. We recently showed that a healthy eating call by a health expert can significantly decrease the willingness to pay (WTP) for sugar-containing food. Here, we investigate which aspects of neural responses to the same healthy eating call can predict the efficacy of expert persuasion.

Methods: Forty-five healthy participants performed two blocks of a bidding task, in which they had to bid on sugar-containing, sugar-free and non-edible products, while their electroencephalography (EEG) was recorded. In between the two blocks, they listened to a healthy eating call by a nutritionist emphasizing the risks of sugar consumption.

Results: We found that after listening to the healthy eating call, participants significantly decreased their WTP for sugar-containing products. Moreover, a higher intersubject correlation of EEG (a measure of engagement) during listening to the healthy eating call resulted in a larger decrease in WTP for sugar-containing food. Whether or not a participant\u2019s valuation of a product was highly influenced by the healthy eating call could also be predicted by spatiotemporal patterns of EEG responses to the healthy eating call, using a machine learning classification model. Finally, the healthy eating call increased the amplitude of the P300 component of the visual event-related potential in response to sugar-containing food.

Disussion: Overall, our results shed light on the neural basis of expert persuasion and demonstrate that EEG is a powerful tool to design and assess health-related advertisements before they are released to the public.

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2023-03-13T04:21:28Z", - "created_date": "2023-03-13T04:21:28Z", - "modified_date": "2023-06-09T11:10:41Z", - "authors": [ - { - "name": "Ioannis Ntoumanis", - "id": 11904629, - "orcid": "" - }, - { - "name": "Alina Davydova", - "id": 14781514, - "orcid": "" - }, - { - "name": "Julia Sheronova", - "id": 14781517, - "orcid": "" - }, - { - "name": "Ksenia Panidi", - "id": 5991186, - "orcid": "" - }, - { - "name": "Vladimir Kosonogov", - "id": 4415392, - "orcid": "" - }, - { - "name": "Anna N. Shestakova", - "id": 11518855, - "orcid": "" - }, - { - "name": "Iiro P. J\u00e4\u00e4skel\u00e4inen", - "id": 11904638, - "orcid": "" - }, - { - "name": "Vasily Klucharev", - "id": 5906300, - "orcid": "" - } - ], - "tags": [ - "expert persuasion", - "sugar", - "EEG", - "healthy eating", - "machine learning", - "intersubject correlation", - "willingness to pay", - "social influence" - ], - "categories": [ - { - "id": 448, - "title": "Computer Perception, Memory and Attention", - "parent_id": 18, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 449, - "title": "Decision Making", - "parent_id": 18, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 362, - "title": "Central Nervous System", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 11, - "title": "Behavioral Neuroscience", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 15, - "title": "Neuroscience", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 341, - "title": "Exercise Physiology", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 342, - "title": "Motor Control", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - } - ], - "license": "CC BY 4.0", - "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Neural_mechanisms_of_expert_persuasion_on_willingness_to_pay_for_sugar_pdf/22260892", - "api_url": "https://api.figshare.com/v2/articles/22260892", - "resource_title": "Neural mechanisms of expert persuasion on willingness to pay for sugar", - "resource_doi": "10.3389/fnbeh.2023.1147140", - "files": [ - { - "id": 39563839, - "name": "Data_Sheet_1_Neural mechanisms of expert persuasion on willingness to pay for sugar.pdf", - "size_bytes": 249229, - "download_url": "https://ndownloader.figshare.com/files/39563839", - "md5": "b15a032fe592ca85309f641ed62f57de" - } - ], - "file_count": 1, - "total_size_mb": 0.24, - "source": "figshare" - }, - { - "dataset_id": "21342066", - "doi": "10.6084/m9.figshare.21342066.v1", - "title": "Face processing M/EEG data for Dynamic Causal Modelling (Faces vs Scrambled)", - "description": "

\u00a0

\n

This dataset consists of BIDS-formatted M/EEG data from Wakeman & Henson (2015) that have been processed for DCM analysis. Multimodal data from EEG, MEG magnetometers and MEG planar gradiometers from all 16 subjects have been processed with the analysis pipeline presented in Henson et al (2019). Individual subjects' T1 images were used for creating head models. Forward models (leadfields) for all subjects are included in the dataset.

\n

The file 'derivatives_dcm_ready_with_gainmat_all_subjects.zip' consists of dcm-ready data for all 16 subjects\u00a0

\n

Each subject's data consists of 3 files:

\n
    \n
  1. SPM sidecar data file: wmaMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.dat
  2. \n
  3. SPM data header file: wmaMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.mat
  4. \n
  5. Gain matrix (forward model): SPMgainmatrix_wmaMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg_1.mat
  6. \n
\n

*XX here indicates zero-padded subject number (01, 02, ...). Supplied filelist.txt contains the full filelist and folder hierarchy inside the compressed zip archive.

\n


\n

This dataset was prepared for demonstration of group-level estimation and inference of DCMs from M/EEG data. The raw data can be found here: https://openneuro.org/datasets/ds000117

\n

Scripts used to produce this dataset from the raw data, as well as as scripts demonstrating group DCM analysis can be found here:https://github.com/pranaysy/cognestic22_multimodal_dcm

\n


\n

For more information or queries, please get in touch, or open an issue on the GitHub repository linked above.

\n


\n

Note: This dataset differs from https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling/21130297 in that this one has two conditions: famous and unfamiliar faces have been merged into one condition and scrambled faces. The linked one has three conditions: famous faces, unfamiliar faces and scrambled faces.

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-10-16T13:49:44Z", - "created_date": "2022-10-16T13:49:44Z", - "modified_date": "2023-06-06T05:19:31Z", - "authors": [ - { - "name": "Pranay Yadav", - "id": 13795687, - "orcid": "" - }, - { - "name": "Rik Henson", - "id": 6288980, - "orcid": "" - } - ], - "tags": [ - "Dynamic Causal Model", - "Face Processing", - "MEG data", - "EEG data", - "SPM12", - "Tutorial", - "Computational modelling", - "BIDS-Processed", - "Neuroscience", - "Neurocognitive Patterns and Neural Networks", - "Neuroscience and Physiological Psychology" - ], - "categories": [ - { - "id": 24748, - "title": "Neurosciences not elsewhere classified", - "parent_id": 24724, - "path": "/24457/24724/24748", - "source_id": "320999", - "taxonomy_id": 100 - }, - { - "id": 30334, - "title": "Cognitive neuroscience", - "parent_id": 30325, - "path": "/30292/30325/30334", - "source_id": "520203", - "taxonomy_id": 100 - }, - { - "id": 30343, - "title": "Psychophysiology", - "parent_id": 30325, - "path": "/30292/30325/30343", - "source_id": "520206", - "taxonomy_id": 100 - } - ], - "license": "Apache 2.0", - "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling_Faces_vs_Scrambled_/21342066", - "api_url": "https://api.figshare.com/v2/articles/21342066", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 37875888, - "name": "derivatives_dcm_ready_with_gainmat_all_subjects.zip", - "size_bytes": 400639550, - "download_url": "https://ndownloader.figshare.com/files/37875888", - "md5": "b42323efb77f3ca81c851adb7a786656" - }, - { - "id": 37875891, - "name": "filelist.txt", - "size_bytes": 5916, - "download_url": "https://ndownloader.figshare.com/files/37875891", - "md5": "1067066a38032633dd6bedf6b9500408" - } - ], - "file_count": 2, - "total_size_mb": 382.09, - "source": "figshare" - }, - { - "dataset_id": "21130297", - "doi": "10.6084/m9.figshare.21130297.v2", - "title": "Face processing M/EEG data for Dynamic Causal Modelling", - "description": "

This dataset consists of BIDS-formatted M/EEG data from Wakeman & Henson (2015) that have been processed for DCM analysis. Multimodal data from EEG, MEG magnetometers and MEG planar gradiometers from all 16 subjects have been processed with the analysis pipeline presented in Henson et al (2019). Individual subjects' T1 images were used for creating head models. Forward models (leadfields) for all subjects are included in the dataset.

\n


\n

The file 'derivatives_dcm_ready_with_gainmat_all_subjects.zip' consists of dcm-ready data for all 16 subjects, while the file 'derivatives_dcm_ready_with_gainmat_single_subjects.zip' consists of dcm-ready data for a single subject (sub-01).\u00a0

\n


\n

Each subject's data consists of 3 files:

\n
    \n
  1. SPM sidecar data file: maMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.dat
  2. \n
  3. SPM data header file: maMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg.mat
  4. \n
  5. Gain matrix (forward model): SPMgainmatrix_maMceffdspmeeg_sub-XX_ses-meg_task-facerecognition_run-01_proc-sss_meg_1.mat
  6. \n
\n

*XX here indicates zero-padded subject number (01, 02, ...). Supplied filelist.txt contains the full filelist and folder hierarchy inside the compressed zip archive.

\n


\n

This dataset was prepared for demonstration of group-level estimation and inference of DCMs from M/EEG data. The raw data can be found here: https://openneuro.org/datasets/ds000117

\n


\n

Scripts used to produce this dataset from the raw data, as well as as scripts demonstrating group DCM analysis can be found here: https://github.com/pranaysy/DCM-MEEG-Demo

\n


\n

For more information or queries, please get in touch, or open an issue on the GitHub repository linked above.

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-09-28T13:14:33Z", - "created_date": "2022-09-28T13:14:33Z", - "modified_date": "2023-06-03T11:36:51Z", - "authors": [ - { - "name": "Pranay Yadav", - "id": 13795687, - "orcid": "" - }, - { - "name": "Rik Henson", - "id": 6288980, - "orcid": "" - } - ], - "tags": [ - "Dynamic Causal Model", - "Face Processing", - "MEG data", - "EEG data", - "SPM12", - "Tutorial", - "Computational modelling", - "BIDS-Processed", - "Neuroscience and Physiological Psychology", - "Neuroscience", - "Neurocognitive Patterns and Neural Networks" - ], - "categories": [ - { - "id": 30343, - "title": "Psychophysiology", - "parent_id": 30325, - "path": "/30292/30325/30343", - "source_id": "520206", - "taxonomy_id": 100 - }, - { - "id": 24748, - "title": "Neurosciences not elsewhere classified", - "parent_id": 24724, - "path": "/24457/24724/24748", - "source_id": "320999", - "taxonomy_id": 100 - }, - { - "id": 30334, - "title": "Cognitive neuroscience", - "parent_id": 30325, - "path": "/30292/30325/30334", - "source_id": "520203", - "taxonomy_id": 100 - } - ], - "license": "Apache 2.0", - "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling/21130297", - "api_url": "https://api.figshare.com/v2/articles/21130297", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 37483753, - "name": "derivatives_dcm_ready_with_gainmat_all_subjects.zip", - "size_bytes": 403333442, - "download_url": "https://ndownloader.figshare.com/files/37483753", - "md5": "2ae4a93385552ff012f06fa918619ef7" - }, - { - "id": 37483833, - "name": "filelist.txt", - "size_bytes": 5363, - "download_url": "https://ndownloader.figshare.com/files/37483833", - "md5": "5f3a6a2fd3b3d96c690e478643fd04d9" - }, - { - "id": 37636502, - "name": "derivatives_dcm_ready_with_gainmat_single_subject.zip", - "size_bytes": 25152399, - "download_url": "https://ndownloader.figshare.com/files/37636502", - "md5": "4bbfe99715558d2965386df31590ee77" - } - ], - "file_count": 3, - "total_size_mb": 408.64, - "source": "figshare" - }, - { - "dataset_id": "19776004", - "doi": "10.6084/m9.figshare.19776004.v1", - "title": "EEG Dataset for RSVP and P300 Speller Brain-Computer Interfaces", - "description": "BIDS-EEG format for the entire dataset", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-07-06T14:32:43Z", - "created_date": "2022-07-06T14:32:43Z", - "modified_date": "2022-07-06T14:33:33Z", - "authors": [ - { - "name": "Sung Chan Jun", - "id": 11884040, - "orcid": "" - }, - { - "name": "Kyungho Won", - "id": 5648575, - "orcid": "" - }, - { - "name": "Moonyoung Kwon", - "id": 11884043, - "orcid": "" - }, - { - "name": "Minkyu Ahn", - "id": 488737, - "orcid": "" - } - ], - "tags": [ - "brain-computer interface", - "P300 speller", - "RSVP", - "EEG" - ], - "categories": [ - { - "id": 42, - "title": "Biological Engineering", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 16, - "title": "Physiology", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 15, - "title": "Neuroscience", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - } - ], - "license": "CC0", - "url": "https://springernature.figshare.com/articles/dataset/EEG_Dataset_for_RSVP_and_P300_Speller_Brain-Computer_Interfaces/19776004", - "api_url": "https://api.figshare.com/v2/articles/19776004", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 35134714, - "name": "Won2022_BIDS.zip", - "size_bytes": 9827675902, - "download_url": "https://ndownloader.figshare.com/files/35134714", - "md5": "9377d13d4fb3ffd35055b997813c5d94" - } - ], - "file_count": 1, - "total_size_mb": 9372.4, - "source": "figshare" - }, - { - "dataset_id": "14891607", - "doi": "10.17045/sthlmuni.14891607.v1", - "title": "Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia", - "description": "

Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia

\n


\n

1. Title of Dataset:

\n

Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia

\n


\n

2. Author Information

\n

\u00a0\u00a0\u00a0Principal Investigator Contact Information

\n

Name: Stefan Wiens

\n

Institution: Department of Psychology, Stockholm University, Sweden

\n

Internet: https://www.su.se/profiles/swiens-1.184142

\n

Email: sws@psychology.su.se

\n


\n

3. Date of data collection:\u00a0

\n

Subjects (N = 70 patients and N = 53 controls) were tested between 2015-sep-30 and 2016-jan-15.

\n


\n

4. Geographic location of data collection: Department of Psychology, Stockholm, Sweden

\n


\n

5. Information about funding sources that supported the collection of the data:

\n

Marcus och Amalia Wallenbergs minnesfond (2019-0102)

\n


\n

SHARING/ACCESS INFORMATION

\n

1. Licenses/restrictions placed on the data: CC BY 4.0

\n

2. Links to publications that cite or use the data: Wiens, S., Eklund, R., Szychowska, M., Miloff, A., Cosme, D., Pierzchajlo, S., & Carlbring, P. (2022). Electrophysiological correlates of in vivo and virtual reality exposure therapy in spider phobia. Psychophysiology. https://doi.org/10.1111/psyp.14117

\n

3. Links to other publicly accessible locations of the data: N/A

\n

4. Links/relationships to ancillary data sets: N/A

\n

5. Was data derived from another source? No

\n

6. Recommended citation for this dataset: Eklund R., & Wiens S. (2022). Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia. Stockholm: Stockholm University. https://doi.org/10.17045/sthlmuni.14891607

\n


\n

DATA & FILE OVERVIEW

\n

The files contain the raw data, scripts, and results of main and supplementary analyses of the electroencephalography (EEG) study reported in the main publication.

\n

VR_spider_LMM.html, VR_spider_LMM_exclude_target_trials.html, VR_spider_analyze_clinical_data: Main results files (also included in R_scripts.zip)

\n

supplement_CritiqueOfLeutgebStudies.pdf: Critique of previous studies

\n

supplement_PilotStudy.pdf: Description of pilot study

\n

data_bids.zip: EEG data in bids format

\n

MNE-python.zip: MNE-python scripts to preprocess EEG data together with preprocessed data

\n

R_scripts.zip: R scripts to analyze the EEG mean amplitudes and behavioral data

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-06-14T14:26:25Z", - "created_date": "2022-06-14T14:26:25Z", - "modified_date": "2023-05-30T21:25:43Z", - "authors": [ - { - "name": "Stefan Wiens", - "id": 3862558, - "orcid": "0000-0003-4531-4313" - }, - { - "name": "Rasmus Eklund", - "id": 4543201, - "orcid": "" - } - ], - "tags": [ - "spider phobia", - "EEG", - "treatment", - "LPP", - "EPN", - "Clinical Psychology", - "Biological Psychology (Neuropsychology, Psychopharmacology, Physiological Psychology)", - "Neuroscience and Physiological Psychology" - ], - "categories": [ - { - "id": 30358, - "title": "Clinical psychology", - "parent_id": 30352, - "path": "/30292/30352/30358", - "source_id": "520302", - "taxonomy_id": 100 - }, - { - "id": 30340, - "title": "Psychopharmacology", - "parent_id": 30325, - "path": "/30292/30325/30340", - "source_id": "520205", - "taxonomy_id": 100 - }, - { - "id": 30343, - "title": "Psychophysiology", - "parent_id": 30325, - "path": "/30292/30325/30343", - "source_id": "520206", - "taxonomy_id": 100 - } - ], - "license": "CC BY 4.0", - "url": "https://su.figshare.com/articles/dataset/Open_data_Electrophysiological_correlates_of_in-vivo_and_virtual_reality_therapy_in_spider_phobia/14891607", - "api_url": "https://api.figshare.com/v2/articles/14891607", - "resource_title": "Electrophysiological correlates of in vivo and virtual reality exposure therapy in spider phobia", - "resource_doi": "10.1111/psyp.14117", - "files": [ - { - "id": 35876660, - "name": "readme.txt", - "size_bytes": 2432, - "download_url": "https://ndownloader.figshare.com/files/35876660", - "md5": "74244cbcb03aacdcc6e60ea51c656e36" - }, - { - "id": 35099563, - "name": "VR_spider_LMM.html", - "size_bytes": 4954246, - "download_url": "https://ndownloader.figshare.com/files/35099563", - "md5": "5c2439e0d53e970a3d2a261860a42c2c" - }, - { - "id": 35099560, - "name": "VR_spider_analyze_clinical_data.html", - "size_bytes": 1251595, - "download_url": "https://ndownloader.figshare.com/files/35099560", - "md5": "520a69675a78c9e531b5bf0ca09a8f81" - }, - { - "id": 31642838, - "name": "VR_spider_LMM_exclude_target_trials.html", - "size_bytes": 5030529, - "download_url": "https://ndownloader.figshare.com/files/31642838", - "md5": "8791f202694872717b64691c29974c0c" - }, - { - "id": 31642823, - "name": "supplement_CritiqueOfLeutgebStudies.pdf", - "size_bytes": 95218, - "download_url": "https://ndownloader.figshare.com/files/31642823", - "md5": "a73e2f94c87186fd3ad042f29f025ba8" - }, - { - "id": 31642826, - "name": "supplement_PilotStudy.pdf", - "size_bytes": 42005, - "download_url": "https://ndownloader.figshare.com/files/31642826", - "md5": "1d218ee77c864334445dcae9d90be5a9" - }, - { - "id": 35871053, - "name": "R_scripts.zip", - "size_bytes": 2961325290, - "download_url": "https://ndownloader.figshare.com/files/35871053", - "md5": "29c7816a8c4b660069356c15fe4530ab" - }, - { - "id": 35875994, - "name": "data_bids.zip", - "size_bytes": 4329288013, - "download_url": "https://ndownloader.figshare.com/files/35875994", - "md5": "29f2ea8ad414d68c28e6754beb24f365" - }, - { - "id": 35876855, - "name": "MNE-python.zip", - "size_bytes": 3131464012, - "download_url": "https://ndownloader.figshare.com/files/35876855", - "md5": "80a7b61d7eb277d037c8a62caebdd78e" - } - ], - "file_count": 9, - "total_size_mb": 9950.12, - "source": "figshare" - }, - { - "dataset_id": "19046345", - "doi": "10.6084/m9.figshare.19046345.v1", - "title": "BIDS dataset for BIDS Manager-Pipeline", - "description": "This folder contains data organised in BIDS format to test BIDS Manager-Pipeline (https://github.com/Dynamap/BIDS_Manager/tree/dev).", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-01-25T11:54:23Z", - "created_date": "2022-01-25T11:54:23Z", - "modified_date": "2023-05-31T00:08:06Z", - "authors": [ - { - "name": "Aude Jegou", - "id": 11993306, - "orcid": "" - }, - { - "name": "Nicolas Roehri", - "id": 3817144, - "orcid": "0000-0002-6948-1055" - }, - { - "name": "Samuel Medina Villalon", - "id": 8257659, - "orcid": "" - } - ], - "tags": [ - "BIDS data", - "iEEG (intracranial EEG)", - "MRI", - "Data Structures", - "Neuroscience" - ], - "categories": [ - { - "id": 29221, - "title": "Data structures and algorithms", - "parent_id": 29206, - "path": "/28798/29206/29221", - "source_id": "461305", - "taxonomy_id": 100 - }, - { - "id": 24748, - "title": "Neurosciences not elsewhere classified", - "parent_id": 24724, - "path": "/24457/24724/24748", - "source_id": "320999", - "taxonomy_id": 100 - } - ], - "license": "CC BY 4.0", - "url": "https://figshare.com/articles/dataset/BIDS_dataset_for_BIDS_Manager-Pipeline/19046345", - "api_url": "https://api.figshare.com/v2/articles/19046345", - "resource_title": "", - "resource_doi": "", - "files": [ - { - "id": 33868130, - "name": "BIDS_dataset.zip", - "size_bytes": 331648088, - "download_url": "https://ndownloader.figshare.com/files/33868130", - "md5": "" - } - ], - "file_count": 1, - "total_size_mb": 316.28, - "source": "figshare" - }, - { - "dataset_id": "7834442", - "doi": "10.6084/m9.figshare.7834442.v10", - "title": "Corticothalamic communication under analgesia, sedation and gradual ischemia: a multimodal model of controlled gradual cerebral ischemia in pig", - "description": "

Brain injuries and ensuing neurological abnormalities due to chronic hypoxia are among the most frequent causes and difficult to detect reliably. Prevention strategies require novel accurate methods. We showed that electrocorticogram's mutual information properties (ECoG) contain information about corticothalamic communication, which can be quantified without invasive insertion of the thalamic electrodes.

Here we present the method and the data set to derive ECoG/EEG biomarkers of corticothalamic communication under normal, sedation and hypoxic/ischemic conditions.

We hypothesize that the proposed biomarkers of corticothalamic communication derived from EEG alone will signal increased risk for or an imminent brain injury from short periods of data (less than 10 min).

We present signal-analytical approaches to derive a signature of coupling between the ECoG and electrothalamogram (EThG) signals that were recorded under conditions of gradual ischemia in juvenile pigs.

We hope this data set will contribute to development of new brain monitoring technologies to improve prevention of neurological injuries.

All experiments have been approved by the responsible animal ethics committee.


BIDS version of the dataset can also be found on OpenNeuro:

DOI:

10.18112/openneuro.ds003380.v1.0.0

Publication: https://www.nature.com/articles/s41597-020-00781-y
", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2021-11-02T04:40:43Z", - "created_date": "2021-11-02T04:40:43Z", - "modified_date": "2023-05-31T11:12:33Z", - "authors": [ - { - "name": "Martin Frasch", - "id": 5754731, - "orcid": "0000-0003-3159-6321" - }, - { - "name": "Reinhard Bauer", - "id": 6449496, - "orcid": "0000-0002-4294-3758" - } - ], - "tags": [ - "sus scrofa", - "EEG", - "brain ischemia\u2013diagnosis", - "signal analysis methods", - "Neuroscience" - ], - "categories": [ - { - "id": 24748, - "title": "Neurosciences not elsewhere classified", - "parent_id": 24724, - "path": "/24457/24724/24748", - "source_id": "320999", - "taxonomy_id": 100 - } - ], - "license": "CC BY 4.0", - "url": "https://figshare.com/articles/dataset/Corticothalamic_communication_under_analgesia_sedation_and_gradual_ischemia_a_multimodal_model_of_controlled_gradual_cerebral_ischemia_in_pig/7834442", - "api_url": "https://api.figshare.com/v2/articles/7834442", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 31296412, - "name": "readme.txt", - "size_bytes": 2151, - "download_url": "https://ndownloader.figshare.com/files/31296412", - "md5": "ec8deb2b0ba3b842430e09e32392a204" - }, - { - "id": 24956495, - "name": "Roadmap_for_file_assessment.ods", - "size_bytes": 24389, - "download_url": "https://ndownloader.figshare.com/files/24956495", - "md5": "6ba73d45daaa7a4e1bd4710a1b050bae" - }, - { - "id": 24960203, - "name": "study_data_overview_and_measured_parameters.ods", - "size_bytes": 51960, - "download_url": "https://ndownloader.figshare.com/files/24960203", - "md5": "4161bd39aca670f32e7936d1ba330b72" - }, - { - "id": 24960167, - "name": "BIDS.zip", - "size_bytes": 1514575863, - "download_url": "https://ndownloader.figshare.com/files/24960167", - "md5": "1102c1c204913ece25b6c723c71c82dd" - }, - { - "id": 24754505, - "name": "channel_locations.locs", - "size_bytes": 161, - "download_url": "https://ndownloader.figshare.com/files/24754505", - "md5": "d781cf3692c385330dc72481661f3fb8" - }, - { - "id": 24959216, - "name": "Raw_data_all_states_16_channels_2000Hz_EDF.zip", - "size_bytes": 1511656713, - "download_url": "https://ndownloader.figshare.com/files/24959216", - "md5": "156dc6e329c34370c605d8f5159ed9c4" - }, - { - "id": 25516904, - "name": "STUDY_EEGLAB_all_data.zip", - "size_bytes": 2116086275, - "download_url": "https://ndownloader.figshare.com/files/25516904", - "md5": "46e01cacc31a55e8daec15d683e4af59" - }, - { - "id": 25014944, - "name": "Results_Figshare.zip", - "size_bytes": 160485972, - "download_url": "https://ndownloader.figshare.com/files/25014944", - "md5": "6b8ff8b094a3bd8034a31207e84e8425" - }, - { - "id": 24949709, - "name": "Validation_HRV_analysis_sedation_ischemia_recovery.zip", - "size_bytes": 369102, - "download_url": "https://ndownloader.figshare.com/files/24949709", - "md5": "f0d55c9c269cf1cf85366d6cf68877e6" - }, - { - "id": 21664011, - "name": "ECOG-ECG.zip", - "size_bytes": 70097827, - "download_url": "https://ndownloader.figshare.com/files/21664011", - "md5": "80ba3220eaaf3d5fa586992919e06d95" - } - ], - "file_count": 10, - "total_size_mb": 5124.43, - "source": "figshare" - }, - { - "dataset_id": "14795988", - "doi": "10.3389/fpsyt.2021.682495.s001", - "title": "Data_Sheet_1_Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies.docx", - "description": "

Neuroscience studies require considerable bioinformatic support and expertise. Numerous high-dimensional and multimodal datasets must be preprocessed and integrated to create robust and reproducible analysis pipelines. We describe a common data elements and scalable data management infrastructure that allows multiple analytics workflows to facilitate preprocessing, analysis and sharing of large-scale multi-level data. The process uses the Brain Imaging Data Structure (BIDS) format and supports MRI, fMRI, EEG, clinical, and laboratory data. The infrastructure provides support for other datasets such as Fitbit and flexibility for developers to customize the integration of new types of data. Exemplar results from 200+ participants and 11 different pipelines demonstrate the utility of the infrastructure.

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2021-06-17T04:52:50Z", - "created_date": "2021-06-17T04:52:50Z", - "modified_date": "2023-06-03T05:20:01Z", - "authors": [ - { - "name": "Rayus Kuplicki", - "id": 9128045, - "orcid": "" - }, - { - "name": "James Touthang", - "id": 10984074, - "orcid": "" - }, - { - "name": "Obada Al Zoubi", - "id": 5472614, - "orcid": "" - }, - { - "name": "Ahmad Mayeli", - "id": 5472617, - "orcid": "" - }, - { - "name": "Masaya Misaki", - "id": 521986, - "orcid": "" - }, - { - "name": "NeuroMAP-Investigators", - "id": 10984077, - "orcid": "" - }, - { - "name": "Robin L. Aupperle", - "id": 10655887, - "orcid": "" - }, - { - "name": "T. Kent Teague", - "id": 10984080, - "orcid": "" - }, - { - "name": "Brett A. McKinney", - "id": 10113322, - "orcid": "" - }, - { - "name": "Martin P. Paulus", - "id": 9128051, - "orcid": "" - }, - { - "name": "Jerzy Bodurka", - "id": 344741, - "orcid": "" - } - ], - "tags": [ - "human brain", - "neuroimaging", - "multi-level assessment", - "large-scale studies", - "common data element", - "data processing pipelines", - "scalable analytics", - "bids format" - ], - "categories": [ - { - "id": 319, - "title": "Psychiatry (incl. Psychotherapy)", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - } - ], - "license": "CC BY 4.0", - "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Common_Data_Elements_Scalable_Data_Management_Infrastructure_and_Analytics_Workflows_for_Large-Scale_Neuroimaging_Studies_docx/14795988", - "api_url": "https://api.figshare.com/v2/articles/14795988", - "resource_title": "Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies", - "resource_doi": "10.3389/fpsyt.2021.682495", - "files": [ - { - "id": 28447524, - "name": "Data_Sheet_1_Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies.docx", - "size_bytes": 402225, - "download_url": "https://ndownloader.figshare.com/files/28447524", - "md5": "fd6bb2acbb87ad16d6d339c44d1f0e28" - } - ], - "file_count": 1, - "total_size_mb": 0.38, - "source": "figshare" - }, - { - "dataset_id": "13067018", - "doi": "10.17045/sthlmuni.13067018.v1", - "title": "Open data: The early but not the late neural correlate of auditory awareness reflects lateralized experiences", - "description": "GENERAL INFORMATION


1. Title of Dataset:
Open data: The early but not the late neural correlate of auditory awareness re\ufb02ects lateralized experiences.


2. Author Information
A. Principal Investigator Contact Information
Name: Stefan Wiens
Institution: Department of Psychology, Stockholm University, Sweden
Internet: https://www.su.se/profiles/swiens-1.184142
Email: sws@psychology.su.se


B. Associate or Co-investigator Contact Information
Name: Rasmus Eklund
Institution: Department of Psychology, Stockholm University, Sweden
Internet: https://www.su.se/profiles/raek2031-1.223133
Email: rasmus.eklund@psychology.su.se

C. Associate or Co-investigator Contact Information
Name: Billy Gerdfeldter
Institution: Department of Psychology, Stockholm University, Sweden
Internet: https://www.su.se/profiles/bige1544-1.403208
Email: billy.gerdfeldter@psychology.su.se


3. Date of data collection:
Subjects (N = 28) were tested between 2020-03-04 and 2020-09-18.


4. Geographic location of data collection: Department of Psychology, Stockholm, Sweden


5. Information about funding sources that supported the collection of the data:
Marianne and Marcus Wallenberg (Grant 2019-0102)


SHARING/ACCESS INFORMATION


1. Licenses/restrictions placed on the data: CC BY 4.0


2. Links to publications that cite or use the data: Eklund R., Gerdfeldter B., & Wiens S. (2021). The early but not the late neural correlate of auditory awareness re\ufb02ects lateralized experiences. Neuropsychologia. https://doi.org/


The study was preregistered:
https://doi.org/10.17605/OSF.IO/PSRJF

3. Links to other publicly accessible locations of the data: N/A


4. Links/relationships to ancillary data sets: N/A


5. Was data derived from another source? No


6. Recommended citation for this dataset: Eklund R., Gerdfeldter B., & Wiens S. (2020). Open data: The early but not the late neural correlate of auditory awareness re\ufb02ects lateralized experiences. Stockholm: Stockholm University. https://doi.org/10.17045/sthlmuni.13067018


DATA & FILE OVERVIEW


File List:
The files contain the downsampled data in bids format, scripts, and results of main and supplementary analyses of the electroencephalography (EEG) study. Links to the hardware and software are provided under methodological information.


AAN_LRclick_experiment_scripts.zip: contains the Python files to run the experiment


AAN_LRclick_bids_EEG.zip: contains EEG data files for each subject in .eeg format.


AAN_LRclick_behavior_log.zip: contains log files of the EEG session (generated by Python)


AAN_LRclick_EEG_scripts.zip: Python-MNE scripts to process and to analyze the EEG data


AAN_LRclick_results.zip: contains summary data files, figures, and tables that are created by Python-MNE.


METHODOLOGICAL INFORMATION


1. Description of methods used for collection/generation of data:
The auditory stimuli were 4-ms clicks.
The experiment was programmed in Python: https://www.python.org/ and used extra functions from here: https://github.com/stamnosslin/mn
The EEG data were recorded with an Active Two BioSemi system (BioSemi, Amsterdam, Netherlands; www.biosemi.com) and converted to .eeg format.
For more information, see linked publication.


2. Methods for processing the data:
We computed event-related potentials. See linked publication


3. Instrument- or software-specific information needed to interpret the data:
MNE-Python (Gramfort A., et al., 2013): https://mne.tools/stable/index.html#


4. Standards and calibration information, if appropriate:
For information, see linked publication.


5. Environmental/experimental conditions:
For information, see linked publication.


6. Describe any quality-assurance procedures performed on the data:
For information, see linked publication.


7. People involved with sample collection, processing, analysis and/or submission:


- Data collection: Rasmus Eklund with assistance from Billy Gerdfeldter.
- Data processing, analysis, and submission: Rasmus Eklund


DATA-SPECIFIC INFORMATION:
All relevant information can be found in the MNE-Python scripts (in EEG_scripts folder) that process the EEG data. For example, we added notes to explain what different variables mean.


The folder structure needs to be as follows:
AAN_LRclick (main folder)
--->data
--->--->bids (AAN_LRclick_bids_EEG)
--->--->log (AAN_LRclick_behavior_log)
--->MNE (AAN_LRclick_EEG_scripts)
--->results (AAN_LRclick_results)


To run the MNE-Python scripts:
Anaconda was used with MNE-Python 0.22 (see installation at https://mne.tools/stable/index.html# ).
For preprocess.py and analysis.py, the complete scripts should be run (from anaconda prompt).
", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2021-06-02T13:32:37Z", - "created_date": "2021-06-02T13:32:37Z", - "modified_date": "2023-05-31T22:32:58Z", - "authors": [ - { - "name": "Stefan Wiens", - "id": 3862558, - "orcid": "0000-0003-4531-4313" - }, - { - "name": "Rasmus Eklund", - "id": 4543201, - "orcid": "" - }, - { - "name": "Billy Gerdfeldter", - "id": 9509663, - "orcid": "0000-0002-3222-8056" - } - ], - "tags": [ - "EEG", - "ERP", - "consciousness", - "awareness", - "neural correlates", - "auditory awareness negativity", - "localization", - "Biological Psychology (Neuropsychology, Psychopharmacology, Physiological Psychology)", - "Neuroscience and Physiological Psychology" - ], - "categories": [ - { - "id": 30340, - "title": "Psychopharmacology", - "parent_id": 30325, - "path": "/30292/30325/30340", - "source_id": "520205", - "taxonomy_id": 100 - }, - { - "id": 30343, - "title": "Psychophysiology", - "parent_id": 30325, - "path": "/30292/30325/30343", - "source_id": "520206", - "taxonomy_id": 100 - } - ], - "license": "CC BY 4.0", - "url": "https://su.figshare.com/articles/dataset/Open_data_The_early_but_not_the_late_neural_correlate_of_auditory_awareness_reflects_lateralized_experiences/13067018", - "api_url": "https://api.figshare.com/v2/articles/13067018", - "resource_title": null, - "resource_doi": null, - "files": [ - { - "id": 28253502, - "name": "AAN_LRclick_supplementary.pdf", - "size_bytes": 11229073, - "download_url": "https://ndownloader.figshare.com/files/28253502", - "md5": "4e647b9e2ac301382865357a361ed1d7" - }, - { - "id": 28253490, - "name": "AAN_LRclick_README_figshare.txt", - "size_bytes": 5509, - "download_url": "https://ndownloader.figshare.com/files/28253490", - "md5": "68ed6607b533b6bfc1b4ea57defd0404" - }, - { - "id": 28253487, - "name": "AAN_LRclick_experiment_scripts.zip", - "size_bytes": 98188, - "download_url": "https://ndownloader.figshare.com/files/28253487", - "md5": "0649627c35b60b79247ac12284573435" - }, - { - "id": 28253484, - "name": "AAN_LRclick_bids_EEG.zip", - "size_bytes": 3803984168, - "download_url": "https://ndownloader.figshare.com/files/28253484", - "md5": "33cd4c2a95571aed3f21b0eaaa14f456" - }, - { - "id": 28253394, - "name": "AAN_LRclick_behavior_log.zip", - "size_bytes": 125592, - "download_url": "https://ndownloader.figshare.com/files/28253394", - "md5": "039b65662fe8a1fb6ed68b2a9116462c" - }, - { - "id": 28253481, - "name": "AAN_LRclick_EEG_scripts.zip", - "size_bytes": 21420, - "download_url": "https://ndownloader.figshare.com/files/28253481", - "md5": "43e6036113cb7aa1cac3c6eb70967798" - }, - { - "id": 28253499, - "name": "AAN_LRclick_results.zip", - "size_bytes": 13064391, - "download_url": "https://ndownloader.figshare.com/files/28253499", - "md5": "482586da49466c037c6c493ea4342336" - } - ], - "file_count": 7, - "total_size_mb": 3651.17, - "source": "figshare" - }, - { - "dataset_id": "8033726", - "doi": "10.3389/fnins.2019.00300.s001", - "title": "Data_Sheet_1_Multimodal Integration of M/EEG and f/MRI Data in SPM12.pdf", - "description": "

We describe the steps involved in analysis of multi-modal, multi-subject human neuroimaging data using the SPM12 free and open source software (https://www.fil.ion.ucl.ac.uk/spm/) and a publically-available dataset organized according to the Brain Imaging Data Structure (BIDS) format (https://openneuro.org/datasets/ds000117/). The dataset contains electroencephalographic (EEG), magnetoencephalographic (MEG), and functional and structural magnetic resonance imaging (MRI) data from 16 subjects who undertook multiple runs of a simple task performed on a large number of famous, unfamiliar and scrambled faces. We demonstrate: (1) batching and scripting of preprocessing of multiple runs/subjects of combined MEG and EEG data, (2) creation of trial-averaged evoked responses, (3) source-reconstruction of the power (induced and evoked) across trials within a time-frequency window around the \u201cN/M170\u201d evoked component, using structural MRI for forward modeling and simultaneous inversion (fusion) of MEG and EEG data, (4) group-based optimisation of spatial priors during M/EEG source reconstruction using fMRI data on the same paradigm, and (5) statistical mapping across subjects of cortical source power increases for faces vs. scrambled faces.

", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2019-04-24T05:47:20Z", - "created_date": "2019-04-24T05:47:20Z", - "modified_date": "2023-05-30T12:13:24Z", - "authors": [ - { - "name": "Richard N. Henson", - "id": 6628652, - "orcid": "" - }, - { - "name": "Hunar Abdulrahman", - "id": 6628655, - "orcid": "" - }, - { - "name": "Guillaume Flandin", - "id": 1369476, - "orcid": "" - }, - { - "name": "Vladimir Litvak", - "id": 42646, - "orcid": "" - } - ], - "tags": [ - "MEG", - "EEG", - "fMRI", - "multimodal", - "fusion", - "SPM", - "inversion", - "faces" - ], - "categories": [ - { - "id": 320, - "title": "Radiology and Organ Imaging", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 449, - "title": "Decision Making", - "parent_id": 18, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 370, - "title": "Clinical Nursing: Tertiary (Rehabilitative)", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 947, - "title": "Image Processing", - "parent_id": 52, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 360, - "title": "Autonomic Nervous System", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 361, - "title": "Cellular Nervous System", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 42, - "title": "Biological Engineering", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 365, - "title": "Sensory Systems", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 362, - "title": "Central Nervous System", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 15, - "title": "Neuroscience", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 306, - "title": "Endocrinology", - "parent_id": 142, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 179, - "title": "Artificial Intelligence and Image Processing", - "parent_id": 52, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 566, - "title": "Signal Processing", - "parent_id": 5, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 535, - "title": "Rehabilitation Engineering", - "parent_id": 5, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 536, - "title": "Biomedical Engineering not elsewhere classified", - "parent_id": 5, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 155, - "title": "Stem Cells", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 700, - "title": "Neurogenetics", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - }, - { - "id": 61, - "title": "Developmental Biology", - "parent_id": 48, - "path": "", - "source_id": "", - "taxonomy_id": 10 - } - ], - "license": "CC BY 4.0", - "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Multimodal_Integration_of_M_EEG_and_f_MRI_Data_in_SPM12_pdf/8033726", - "api_url": "https://api.figshare.com/v2/articles/8033726", - "resource_title": "Multimodal Integration of M/EEG and f/MRI Data in SPM12", - "resource_doi": "10.3389/fnins.2019.00300", - "files": [ - { - "id": 14963753, - "name": "Data_Sheet_1_Multimodal Integration of M/EEG and f/MRI Data in SPM12.pdf", - "size_bytes": 368858, - "download_url": "https://ndownloader.figshare.com/files/14963753", - "md5": "7385c9a3e291930a2424c235e6474667" - } - ], - "file_count": 1, - "total_size_mb": 0.35, - "source": "figshare" - } -] \ No newline at end of file diff --git a/consolidated/figshare_datasets_test.json b/consolidated/figshare_datasets_test.json deleted file mode 100644 index ffcc32a7..00000000 --- a/consolidated/figshare_datasets_test.json +++ /dev/null @@ -1,393 +0,0 @@ -[ - { - "dataset_id": "30227503", - "doi": "10.6084/m9.figshare.30227503.v1", - "title": "EEG Dataset for Visual Imagery", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-10-01T15:00:47Z", - "created_date": "2025-10-01T15:00:47Z", - "modified_date": "2025-10-01T15:02:02Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/EEG_Dataset_for_Visual_Imagery/30227503", - "api_url": "https://api.figshare.com/v2/articles/30227503", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "29987758", - "doi": "10.6084/m9.figshare.29987758.v2", - "title": "EEG dataset for multi-class Chinese character stroke and pinyin vowel handwriting imagery (16 subjects, CCS-HI & SV-HI)", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-09-19T15:59:05Z", - "created_date": "2025-09-19T15:59:06Z", - "modified_date": "2025-09-19T15:59:06Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/_b_EEG_dataset_for_multi-class_Chinese_character_stroke_and_pinyin_vowel_handwriting_imagery_16_subjects_CCS-HI_SV-HI_b_/29987758", - "api_url": "https://api.figshare.com/v2/articles/29987758", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "28740260", - "doi": "10.6084/m9.figshare.28740260.v3", - "title": "Enhancing classification of a large lower-limb motor imagery EEG dataset for BCI in knee pain patients", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-06-20T07:03:15Z", - "created_date": "2025-06-20T07:03:15Z", - "modified_date": "2025-08-06T06:22:04Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/Enhancing_classification_of_a_large_lower-limb_motor_imagery_EEG_dataset_for_BCI_in_knee_pain_patients/28740260", - "api_url": "https://api.figshare.com/v2/articles/28740260", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "28169963", - "doi": "10.6084/m9.figshare.28169963.v1", - "title": "Example manifest for the BIDS Siena Scalp EEG Database for evaluation with the SzCORE framework.", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-06-16T06:34:46Z", - "created_date": "2025-06-16T06:34:46Z", - "modified_date": "2025-06-16T06:34:47Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/Example_manifest_for_the_BIDS_Siena_Scalp_EEG_Database_for_evaluation_with_the_SzCORE_framework_/28169963", - "api_url": "https://api.figshare.com/v2/articles/28169963", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "27301629", - "doi": "10.6084/m9.figshare.27301629.v1", - "title": "An EEG-EMG Dataset from a Standardized Reaching Task for Biomarker Research in Upper Limb Assessment", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2025-05-21T07:01:58Z", - "created_date": "2025-05-21T07:01:58Z", - "modified_date": "2025-05-21T07:01:59Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://springernature.figshare.com/articles/dataset/An_EEG-EMG_Dataset_from_a_Standardized_Reaching_Task_for_Biomarker_Research_in_Upper_Limb_Assessment/27301629", - "api_url": "https://api.figshare.com/v2/articles/27301629", - "resource_title": "An EEG-EMG dataset from a standardized reaching task for biomarker research in upper limb assessment", - "resource_doi": "10.1038/s41597-025-05042-4", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "25192793", - "doi": "10.6084/m9.figshare.25192793.v1", - "title": "Dynamic Causal Modelling of Face Processing with fMRI and M/EEG", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2024-02-08T22:21:26Z", - "created_date": "2024-02-08T22:21:26Z", - "modified_date": "2024-02-08T22:21:26Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/Dynamic_Causal_Modelling_of_Face_Processing_with_fMRI_and_M_EEG/25192793", - "api_url": "https://api.figshare.com/v2/articles/25192793", - "resource_title": "Demo tutorial repository on GitHub", - "resource_doi": "https://github.com/pranaysy/MultimodalDCM", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "25037045", - "doi": "10.6084/m9.figshare.25037045.v4", - "title": "Movie annotations for: Multimodal single-neuron, intracranial EEG, and fMRI brain responses during movie watching in human patients", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2024-01-30T21:17:01Z", - "created_date": "2024-01-30T21:17:01Z", - "modified_date": "2024-02-27T20:41:49Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/Movie_annotations_for_the_manuscript_Multimodal_brain_responses_during_movie_watching_single-neuron_intracranial_EEG_and_fMRI_in_human_patients_/25037045", - "api_url": "https://api.figshare.com/v2/articles/25037045", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "22260892", - "doi": "10.3389/fnbeh.2023.1147140.s001", - "title": "Data_Sheet_1_Neural mechanisms of expert persuasion on willingness to pay for sugar.pdf", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2023-03-13T04:21:28Z", - "created_date": "2023-03-13T04:21:28Z", - "modified_date": "2023-06-09T11:10:41Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Neural_mechanisms_of_expert_persuasion_on_willingness_to_pay_for_sugar_pdf/22260892", - "api_url": "https://api.figshare.com/v2/articles/22260892", - "resource_title": "Neural mechanisms of expert persuasion on willingness to pay for sugar", - "resource_doi": "10.3389/fnbeh.2023.1147140", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "21342066", - "doi": "10.6084/m9.figshare.21342066.v1", - "title": "Face processing M/EEG data for Dynamic Causal Modelling (Faces vs Scrambled)", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-10-16T13:49:44Z", - "created_date": "2022-10-16T13:49:44Z", - "modified_date": "2023-06-06T05:19:31Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling_Faces_vs_Scrambled_/21342066", - "api_url": "https://api.figshare.com/v2/articles/21342066", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "21130297", - "doi": "10.6084/m9.figshare.21130297.v2", - "title": "Face processing M/EEG data for Dynamic Causal Modelling", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-09-28T13:14:33Z", - "created_date": "2022-09-28T13:14:33Z", - "modified_date": "2023-06-03T11:36:51Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/Face_processing_M_EEG_data_for_Dynamic_Causal_Modelling/21130297", - "api_url": "https://api.figshare.com/v2/articles/21130297", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "19776004", - "doi": "10.6084/m9.figshare.19776004.v1", - "title": "EEG Dataset for RSVP and P300 Speller Brain-Computer Interfaces", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-07-06T14:32:43Z", - "created_date": "2022-07-06T14:32:43Z", - "modified_date": "2022-07-06T14:33:33Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://springernature.figshare.com/articles/dataset/EEG_Dataset_for_RSVP_and_P300_Speller_Brain-Computer_Interfaces/19776004", - "api_url": "https://api.figshare.com/v2/articles/19776004", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "14891607", - "doi": "10.17045/sthlmuni.14891607.v1", - "title": "Open data: Electrophysiological correlates of in-vivo and virtual reality therapy in spider phobia", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-06-14T14:26:25Z", - "created_date": "2022-06-14T14:26:25Z", - "modified_date": "2023-05-30T21:25:43Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://su.figshare.com/articles/dataset/Open_data_Electrophysiological_correlates_of_in-vivo_and_virtual_reality_therapy_in_spider_phobia/14891607", - "api_url": "https://api.figshare.com/v2/articles/14891607", - "resource_title": "Electrophysiological correlates of in vivo and virtual reality exposure therapy in spider phobia", - "resource_doi": "10.1111/psyp.14117", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "19046345", - "doi": "10.6084/m9.figshare.19046345.v1", - "title": "BIDS dataset for BIDS Manager-Pipeline", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2022-01-25T11:54:23Z", - "created_date": "2022-01-25T11:54:23Z", - "modified_date": "2023-05-31T00:08:06Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/BIDS_dataset_for_BIDS_Manager-Pipeline/19046345", - "api_url": "https://api.figshare.com/v2/articles/19046345", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "7834442", - "doi": "10.6084/m9.figshare.7834442.v10", - "title": "Corticothalamic communication under analgesia, sedation and gradual ischemia: a multimodal model of controlled gradual cerebral ischemia in pig", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2021-11-02T04:40:43Z", - "created_date": "2021-11-02T04:40:43Z", - "modified_date": "2023-05-31T11:12:33Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://figshare.com/articles/dataset/Corticothalamic_communication_under_analgesia_sedation_and_gradual_ischemia_a_multimodal_model_of_controlled_gradual_cerebral_ischemia_in_pig/7834442", - "api_url": "https://api.figshare.com/v2/articles/7834442", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "14795988", - "doi": "10.3389/fpsyt.2021.682495.s001", - "title": "Data_Sheet_1_Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies.docx", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2021-06-17T04:52:50Z", - "created_date": "2021-06-17T04:52:50Z", - "modified_date": "2023-06-03T05:20:01Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Common_Data_Elements_Scalable_Data_Management_Infrastructure_and_Analytics_Workflows_for_Large-Scale_Neuroimaging_Studies_docx/14795988", - "api_url": "https://api.figshare.com/v2/articles/14795988", - "resource_title": "Common Data Elements, Scalable Data Management Infrastructure, and Analytics Workflows for Large-Scale Neuroimaging Studies", - "resource_doi": "10.3389/fpsyt.2021.682495", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "13067018", - "doi": "10.17045/sthlmuni.13067018.v1", - "title": "Open data: The early but not the late neural correlate of auditory awareness reflects lateralized experiences", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2021-06-02T13:32:37Z", - "created_date": "2021-06-02T13:32:37Z", - "modified_date": "2023-05-31T22:32:58Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://su.figshare.com/articles/dataset/Open_data_The_early_but_not_the_late_neural_correlate_of_auditory_awareness_reflects_lateralized_experiences/13067018", - "api_url": "https://api.figshare.com/v2/articles/13067018", - "resource_title": "", - "resource_doi": "", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - }, - { - "dataset_id": "8033726", - "doi": "10.3389/fnins.2019.00300.s001", - "title": "Data_Sheet_1_Multimodal Integration of M/EEG and f/MRI Data in SPM12.pdf", - "description": "", - "defined_type": 3, - "defined_type_name": "dataset", - "published_date": "2019-04-24T05:47:20Z", - "created_date": "2019-04-24T05:47:20Z", - "modified_date": "2023-05-30T12:13:24Z", - "authors": [], - "tags": [], - "categories": [], - "license": "", - "url": "https://frontiersin.figshare.com/articles/dataset/Data_Sheet_1_Multimodal_Integration_of_M_EEG_and_f_MRI_Data_in_SPM12_pdf/8033726", - "api_url": "https://api.figshare.com/v2/articles/8033726", - "resource_title": "Multimodal Integration of M/EEG and f/MRI Data in SPM12", - "resource_doi": "10.3389/fnins.2019.00300", - "files": [], - "file_count": 0, - "total_size_mb": 0.0, - "source": "figshare" - } -] \ No newline at end of file diff --git a/consolidated/to_digest_nemardatasets_repos.json b/consolidated/to_digest_nemardatasets_repos.json deleted file mode 100644 index 207804aa..00000000 --- a/consolidated/to_digest_nemardatasets_repos.json +++ /dev/null @@ -1,117 +0,0 @@ -[ - { - "dataset_id": "nm000107", - "full_name": "nemarDatasets/nm000107", - "description": "Meta Reality Labs Wrist Pose sEMG Dataset", - "url": "https://github.com/nemarDatasets/nm000107", - "created": "2025-10-07T00:16:09Z", - "modified": "2025-11-08T15:17:18Z", - "pushed": "2025-11-08T15:02:45Z", - "size_kb": 255, - "default_branch": "main", - "topics": [ - "bids", - "electromyography", - "openscience" - ], - "language": null, - "has_wiki": true, - "has_issues": true, - "archived": false, - "visibility": "public", - "clone_url": "https://github.com/nemarDatasets/nm000107.git", - "ssh_url": "git@github.com:nemarDatasets/nm000107.git" - }, - { - "dataset_id": "nm000105", - "full_name": "nemarDatasets/nm000105", - "description": "Meta Reality Labs Discrete Gestures sEMG Dataset", - "url": "https://github.com/nemarDatasets/nm000105", - "created": "2025-10-07T04:54:50Z", - "modified": "2025-11-08T15:17:38Z", - "pushed": "2025-11-08T15:04:10Z", - "size_kb": 1366, - "default_branch": "main", - "topics": [ - "bids", - "electromyography", - "openscience" - ], - "language": null, - "has_wiki": true, - "has_issues": true, - "archived": false, - "visibility": "public", - "clone_url": "https://github.com/nemarDatasets/nm000105.git", - "ssh_url": "git@github.com:nemarDatasets/nm000105.git" - }, - { - "dataset_id": "nm000106", - "full_name": "nemarDatasets/nm000106", - "description": "Meta Reality Labs Handwriting sEMG Dataset", - "url": "https://github.com/nemarDatasets/nm000106", - "created": "2025-10-07T05:24:52Z", - "modified": "2025-11-08T15:17:29Z", - "pushed": "2025-11-08T15:05:41Z", - "size_kb": 2756, - "default_branch": "main", - "topics": [ - "bids", - "electromyography", - "openscience" - ], - "language": null, - "has_wiki": true, - "has_issues": true, - "archived": false, - "visibility": "public", - "clone_url": "https://github.com/nemarDatasets/nm000106.git", - "ssh_url": "git@github.com:nemarDatasets/nm000106.git" - }, - { - "dataset_id": "nm000104", - "full_name": "nemarDatasets/nm000104", - "description": "Meta Reality Labs EMG2Qwerty Dataset", - "url": "https://github.com/nemarDatasets/nm000104", - "created": "2025-10-07T06:01:58Z", - "modified": "2025-11-08T15:17:48Z", - "pushed": "2025-11-08T15:03:19Z", - "size_kb": 57834, - "default_branch": "main", - "topics": [ - "bids", - "electromyography", - "openscience" - ], - "language": null, - "has_wiki": true, - "has_issues": true, - "archived": false, - "visibility": "public", - "clone_url": "https://github.com/nemarDatasets/nm000104.git", - "ssh_url": "git@github.com:nemarDatasets/nm000104.git" - }, - { - "dataset_id": "nm000103", - "full_name": "nemarDatasets/nm000103", - "description": "Healthy Brain Network EEG - Not for Commercial Use", - "url": "https://github.com/nemarDatasets/nm000103", - "created": "2025-10-09T01:33:21Z", - "modified": "2025-11-08T15:18:20Z", - "pushed": "2025-10-09T16:05:00Z", - "size_kb": 4330, - "default_branch": "main", - "topics": [ - "bids", - "electroencephalography", - "openscience" - ], - "language": null, - "has_wiki": true, - "has_issues": true, - "archived": false, - "visibility": "public", - "clone_url": "https://github.com/nemarDatasets/nm000103.git", - "ssh_url": "git@github.com:nemarDatasets/nm000103.git" - } -] \ No newline at end of file diff --git a/consolidated/to_digest_openneuro_datasets.json b/consolidated/to_digest_openneuro_datasets.json deleted file mode 100644 index 2c10fb12..00000000 --- a/consolidated/to_digest_openneuro_datasets.json +++ /dev/null @@ -1,1190 +0,0 @@ -[ - { - "dataset_id": "ds002791", - "modality": "eeg", - "created": "2020-05-13T12:50:22.167Z", - "modified": "2020-05-14T12:57:15.000Z" - }, - { - "dataset_id": "ds003380", - "modality": "eeg", - "created": "2020-11-13T05:11:59.469Z", - "modified": "2020-11-13T05:13:05.000Z" - }, - { - "dataset_id": "ds003420", - "modality": "eeg", - "created": "2020-12-04T13:06:19.829Z", - "modified": "2020-12-13T17:40:52.000Z" - }, - { - "dataset_id": "ds003620", - "modality": "eeg", - "created": "2021-04-15T18:46:27.142Z", - "modified": "2021-11-09T19:10:35.000Z" - }, - { - "dataset_id": "ds003774", - "modality": "eeg", - "created": "2021-08-23T10:09:25.546Z", - "modified": "2022-08-25T13:43:21.000Z" - }, - { - "dataset_id": "ds003775", - "modality": "eeg", - "created": "2021-08-25T11:43:32.172Z", - "modified": "2022-11-23T14:20:16.000Z" - }, - { - "dataset_id": "ds003800", - "modality": "eeg", - "created": "2021-09-12T18:22:56.180Z", - "modified": "2021-09-27T21:10:33.000Z" - }, - { - "dataset_id": "ds004017", - "modality": "eeg", - "created": "2022-02-08T16:49:30.534Z", - "modified": "2023-03-20T13:22:15.000Z" - }, - { - "dataset_id": "ds004019", - "modality": "eeg", - "created": "2022-02-09T20:45:42.588Z", - "modified": "2022-02-09T17:46:49.000Z" - }, - { - "dataset_id": "ds004105", - "modality": "eeg", - "created": "2022-04-21T18:46:23.669Z", - "modified": "2022-05-04T23:03:34.000Z" - }, - { - "dataset_id": "ds004106", - "modality": "eeg", - "created": "2022-04-21T22:44:56.688Z", - "modified": "2022-04-29T19:16:16.000Z" - }, - { - "dataset_id": "ds004118", - "modality": "eeg", - "created": "2022-05-02T16:03:12.391Z", - "modified": "2022-05-04T22:53:42.000Z" - }, - { - "dataset_id": "ds004119", - "modality": "eeg", - "created": "2022-05-02T20:24:56.474Z", - "modified": "2022-05-04T22:45:18.000Z" - }, - { - "dataset_id": "ds004120", - "modality": "eeg", - "created": "2022-05-03T00:06:41.150Z", - "modified": "2022-05-04T22:29:32.000Z" - }, - { - "dataset_id": "ds004121", - "modality": "eeg", - "created": "2022-05-03T11:46:09.577Z", - "modified": "2022-05-03T23:43:05.000Z" - }, - { - "dataset_id": "ds004122", - "modality": "eeg", - "created": "2022-05-03T13:04:29.013Z", - "modified": "2022-05-04T22:05:50.000Z" - }, - { - "dataset_id": "ds004123", - "modality": "eeg", - "created": "2022-05-03T14:10:02.137Z", - "modified": "2022-05-04T15:34:31.000Z" - }, - { - "dataset_id": "ds004147", - "modality": "eeg", - "created": "2022-06-07T14:19:20.839Z", - "modified": "2024-01-24T19:53:26.000Z" - }, - { - "dataset_id": "ds004148", - "modality": "eeg", - "created": "2022-06-08T08:39:15.433Z", - "modified": "2022-06-13T08:42:17.000Z" - }, - { - "dataset_id": "ds004151", - "modality": "eeg", - "created": "2022-06-13T16:57:01.005Z", - "modified": "2022-06-14T18:38:37.000Z" - }, - { - "dataset_id": "ds004166", - "modality": "eeg", - "created": "2022-06-17T01:05:58.854Z", - "modified": "2022-06-17T07:46:14.000Z" - }, - { - "dataset_id": "ds004395", - "modality": "eeg", - "created": "2023-01-10T18:29:34.235Z", - "modified": "2023-06-01T03:35:20.000Z" - }, - { - "dataset_id": "ds004502", - "modality": "eeg", - "created": "2023-02-16T21:52:37.827Z", - "modified": "2023-03-06T17:05:06.000Z" - }, - { - "dataset_id": "ds004514", - "modality": "eeg", - "created": "2023-02-27T13:39:47.155Z", - "modified": "2025-04-03T23:41:15.000Z" - }, - { - "dataset_id": "ds004517", - "modality": "eeg", - "created": "2023-03-03T13:31:51.775Z", - "modified": "2025-04-03T23:41:33.000Z" - }, - { - "dataset_id": "ds004563", - "modality": "eeg", - "created": "2023-05-10T10:26:34.294Z", - "modified": "2023-07-06T22:12:40.000Z" - }, - { - "dataset_id": "ds004706", - "modality": "eeg", - "created": "2023-08-16T20:56:12.789Z", - "modified": "2023-08-22T12:13:59.000Z" - }, - { - "dataset_id": "ds004940", - "modality": "eeg", - "created": "2024-01-22T20:26:52.439Z", - "modified": "2025-08-11T19:45:09.000Z" - }, - { - "dataset_id": "ds005087", - "modality": "eeg", - "created": "2024-04-15T04:45:59.237Z", - "modified": "2025-01-23T22:53:56.000Z" - }, - { - "dataset_id": "ds005178", - "modality": "eeg", - "created": "2024-05-24T08:18:02.675Z", - "modified": "2024-05-31T23:06:26.000Z" - }, - { - "dataset_id": "ds005280", - "modality": "eeg", - "created": "2024-06-25T10:11:53.180Z", - "modified": "2024-06-26T06:57:02.000Z" - }, - { - "dataset_id": "ds005284", - "modality": "eeg", - "created": "2024-06-26T05:58:33.685Z", - "modified": "2024-06-26T09:15:50.000Z" - }, - { - "dataset_id": "ds005285", - "modality": "eeg", - "created": "2024-06-26T06:21:03.974Z", - "modified": "2024-06-26T06:49:38.000Z" - }, - { - "dataset_id": "ds005286", - "modality": "eeg", - "created": "2024-06-26T06:59:46.221Z", - "modified": "2024-06-26T09:16:24.000Z" - }, - { - "dataset_id": "ds005289", - "modality": "eeg", - "created": "2024-06-26T09:06:30.952Z", - "modified": "2024-06-26T14:04:32.000Z" - }, - { - "dataset_id": "ds005291", - "modality": "eeg", - "created": "2024-06-26T10:01:34.320Z", - "modified": "2024-06-26T14:05:42.000Z" - }, - { - "dataset_id": "ds005292", - "modality": "eeg", - "created": "2024-06-26T14:05:20.306Z", - "modified": "2024-06-27T01:42:37.000Z" - }, - { - "dataset_id": "ds005293", - "modality": "eeg", - "created": "2024-06-27T01:43:35.308Z", - "modified": "2024-07-29T07:01:52.000Z" - }, - { - "dataset_id": "ds005343", - "modality": "eeg", - "created": "2024-07-16T02:28:09.557Z", - "modified": "2024-07-16T12:00:23.000Z" - }, - { - "dataset_id": "ds005407", - "modality": "eeg", - "created": "2024-08-10T00:31:25.134Z", - "modified": "2024-08-10T01:07:46.000Z" - }, - { - "dataset_id": "ds005408", - "modality": "eeg", - "created": "2024-08-10T00:49:48.180Z", - "modified": "2024-12-10T17:02:57.000Z" - }, - { - "dataset_id": "ds005473", - "modality": "eeg", - "created": "2024-09-11T04:15:49.006Z", - "modified": "2024-09-11T10:00:36.000Z" - }, - { - "dataset_id": "ds005642", - "modality": "eeg", - "created": "2024-11-19T02:17:00.738Z", - "modified": "2025-07-08T05:00:55.000Z" - }, - { - "dataset_id": "ds005648", - "modality": "eeg", - "created": "2024-11-20T22:13:29.697Z", - "modified": "2024-11-21T04:24:38.000Z" - }, - { - "dataset_id": "ds005662", - "modality": "eeg", - "created": "2024-11-27T04:56:45.541Z", - "modified": "2025-07-02T07:11:12.000Z" - }, - { - "dataset_id": "ds005841", - "modality": "eeg", - "created": "2025-01-14T13:48:40.783Z", - "modified": "2025-01-14T18:15:10.000Z" - }, - { - "dataset_id": "ds005857", - "modality": "eeg", - "created": "2025-01-16T16:22:01.499Z", - "modified": "2025-04-02T18:37:15.000Z" - }, - { - "dataset_id": "ds005872", - "modality": "eeg", - "created": "2025-01-23T01:24:16.999Z", - "modified": "2025-01-23T02:51:19.000Z" - }, - { - "dataset_id": "ds005907", - "modality": "eeg", - "created": "2025-02-06T23:20:31.333Z", - "modified": "2025-02-07T00:07:46.000Z" - }, - { - "dataset_id": "ds005932", - "modality": "eeg", - "created": "2025-02-19T01:35:23.604Z", - "modified": "2025-11-05T20:18:42.000Z" - }, - { - "dataset_id": "ds005946", - "modality": "eeg", - "created": "2025-02-27T07:54:33.516Z", - "modified": "2025-02-27T14:46:53.000Z" - }, - { - "dataset_id": "ds005960", - "modality": "eeg", - "created": "2025-03-05T13:34:26.909Z", - "modified": "2025-03-13T14:43:51.000Z" - }, - { - "dataset_id": "ds006018", - "modality": "eeg", - "created": "2025-03-14T04:33:40.169Z", - "modified": "2025-05-22T18:33:58.000Z" - }, - { - "dataset_id": "ds006033", - "modality": "eeg", - "created": "2025-03-19T10:16:24.423Z", - "modified": "2025-05-08T09:02:04.000Z" - }, - { - "dataset_id": "ds006036", - "modality": "eeg", - "created": "2025-03-21T15:45:18.747Z", - "modified": "2025-05-13T14:26:17.000Z" - }, - { - "dataset_id": "ds006040", - "modality": "eeg", - "created": "2025-03-24T00:18:30.864Z", - "modified": "2025-10-15T06:18:10.000Z" - }, - { - "dataset_id": "ds006095", - "modality": "eeg", - "created": "2025-04-06T21:09:56.098Z", - "modified": "2025-04-07T01:15:10.000Z" - }, - { - "dataset_id": "ds006104", - "modality": "eeg", - "created": "2025-04-08T01:43:51.139Z", - "modified": "2025-04-08T12:14:54.000Z" - }, - { - "dataset_id": "ds006126", - "modality": "eeg", - "created": "2025-04-15T13:27:08.635Z", - "modified": "2025-04-15T13:41:43.000Z" - }, - { - "dataset_id": "ds006142", - "modality": "eeg", - "created": "2025-04-17T12:18:55.249Z", - "modified": "2025-09-03T07:40:31.000Z" - }, - { - "dataset_id": "ds006159", - "modality": "eeg", - "created": "2025-04-23T10:01:37.563Z", - "modified": "2025-05-21T14:05:01.000Z" - }, - { - "dataset_id": "ds006171", - "modality": "eeg", - "created": "2025-04-24T09:05:51.130Z", - "modified": "2025-04-24T13:46:57.000Z" - }, - { - "dataset_id": "ds006260", - "modality": "eeg", - "created": "2025-05-23T17:52:16.432Z", - "modified": "2025-05-29T20:03:20.000Z" - }, - { - "dataset_id": "ds006269", - "modality": "eeg", - "created": "2025-05-30T08:23:30.047Z", - "modified": "2025-05-30T14:42:58.000Z" - }, - { - "dataset_id": "ds006317", - "modality": "eeg", - "created": "2025-06-06T05:49:27.180Z", - "modified": "2025-06-08T12:23:31.000Z" - }, - { - "dataset_id": "ds006366", - "modality": "eeg", - "created": "2025-06-17T12:46:03.516Z", - "modified": "2025-09-05T13:06:20.000Z" - }, - { - "dataset_id": "ds006367", - "modality": "eeg", - "created": "2025-06-17T13:40:50.329Z", - "modified": "2025-06-25T12:01:16.000Z" - }, - { - "dataset_id": "ds006370", - "modality": "eeg", - "created": "2025-06-18T14:43:36.575Z", - "modified": "2025-06-25T11:53:45.000Z" - }, - { - "dataset_id": "ds006374", - "modality": "eeg", - "created": "2025-06-19T14:36:16.257Z", - "modified": "2025-07-10T14:56:25.000Z" - }, - { - "dataset_id": "ds006394", - "modality": "eeg", - "created": "2025-06-26T10:42:24.675Z", - "modified": "2025-06-27T04:44:21.000Z" - }, - { - "dataset_id": "ds006434", - "modality": "eeg", - "created": "2025-07-01T16:32:15.143Z", - "modified": "2025-09-11T17:43:36.000Z" - }, - { - "dataset_id": "ds006437", - "modality": "eeg", - "created": "2025-07-02T02:03:55.684Z", - "modified": "2025-08-21T17:34:41.000Z" - }, - { - "dataset_id": "ds006446", - "modality": "eeg", - "created": "2025-07-07T03:26:37.180Z", - "modified": "2025-07-07T11:34:38.000Z" - }, - { - "dataset_id": "ds006465", - "modality": "eeg", - "created": "2025-07-12T08:34:49.595Z", - "modified": "2025-10-29T03:31:08.000Z" - }, - { - "dataset_id": "ds006466", - "modality": "eeg", - "created": "2025-07-12T17:05:31.158Z", - "modified": "2025-10-06T18:46:57.000Z" - }, - { - "dataset_id": "ds006480", - "modality": "eeg", - "created": "2025-07-18T06:46:14.790Z", - "modified": "2025-10-06T17:43:35.000Z" - }, - { - "dataset_id": "ds006525", - "modality": "eeg", - "created": "2025-08-01T16:44:42.411Z", - "modified": "2025-08-01T17:19:32.000Z" - }, - { - "dataset_id": "ds006547", - "modality": "eeg", - "created": "2025-08-12T10:31:23.086Z", - "modified": "2025-08-12T11:19:42.000Z" - }, - { - "dataset_id": "ds006554", - "modality": "eeg", - "created": "2025-08-12T20:38:53.778Z", - "modified": "2025-08-12T23:36:26.000Z" - }, - { - "dataset_id": "ds006563", - "modality": "eeg", - "created": "2025-08-15T06:04:34.622Z", - "modified": "2025-08-15T19:16:48.000Z" - }, - { - "dataset_id": "ds006593", - "modality": "eeg", - "created": "2025-08-23T19:31:47.377Z", - "modified": "2025-08-23T21:11:35.000Z" - }, - { - "dataset_id": "ds006647", - "modality": "eeg", - "created": "2025-09-10T19:23:51.860Z", - "modified": "2025-09-11T01:38:42.000Z" - }, - { - "dataset_id": "ds006648", - "modality": "eeg", - "created": "2025-09-10T21:26:14.888Z", - "modified": "2025-09-11T02:01:28.000Z" - }, - { - "dataset_id": "ds006695", - "modality": "eeg", - "created": "2025-09-20T00:12:16.076Z", - "modified": "2025-09-20T16:30:31.000Z" - }, - { - "dataset_id": "ds006735", - "modality": "eeg", - "created": "2025-09-30T00:41:21.669Z", - "modified": "2025-09-30T22:16:34.000Z" - }, - { - "dataset_id": "ds006761", - "modality": "eeg", - "created": "2025-10-08T00:56:21.789Z", - "modified": "2025-10-08T06:16:05.000Z" - }, - { - "dataset_id": "ds006768", - "modality": "eeg", - "created": "2025-10-09T23:53:07.589Z", - "modified": "2025-10-10T05:01:22.000Z" - }, - { - "dataset_id": "ds006801", - "modality": "eeg", - "created": "2025-10-16T15:15:26.032Z", - "modified": "2025-10-16T15:41:38.000Z" - }, - { - "dataset_id": "ds006802", - "modality": "eeg", - "created": "2025-10-16T22:18:13.502Z", - "modified": "2025-10-17T02:06:39.000Z" - }, - { - "dataset_id": "ds006803", - "modality": "eeg", - "created": "2025-10-16T23:52:02.995Z", - "modified": "2025-10-17T00:02:26.000Z" - }, - { - "dataset_id": "ds006817", - "modality": "eeg", - "created": "2025-10-20T23:53:08.416Z", - "modified": "2025-10-28T08:15:53.000Z" - }, - { - "dataset_id": "ds006839", - "modality": "eeg", - "created": "2025-10-24T21:53:47.954Z", - "modified": "2025-10-29T12:42:28.000Z" - }, - { - "dataset_id": "ds006848", - "modality": "eeg", - "created": "2025-10-27T14:10:06.799Z", - "modified": "2025-10-28T07:46:08.000Z" - }, - { - "dataset_id": "ds006850", - "modality": "eeg", - "created": "2025-10-27T15:59:35.232Z", - "modified": "2025-10-30T12:10:32.000Z" - }, - { - "dataset_id": "ds006861", - "modality": "eeg", - "created": "2025-10-29T13:18:40.300Z", - "modified": "2025-10-30T13:07:21.000Z" - }, - { - "dataset_id": "ds006866", - "modality": "eeg", - "created": "2025-10-29T19:00:26.774Z", - "modified": "2025-10-29T23:48:25.000Z" - }, - { - "dataset_id": "ds006923", - "modality": "eeg", - "created": "2025-11-11T00:27:28.823Z", - "modified": "2025-11-11T04:35:58.000Z" - }, - { - "dataset_id": "ds002799", - "modality": "ieeg", - "created": "2020-05-16T00:33:07.233Z", - "modified": "2021-08-25T23:37:52.000Z" - }, - { - "dataset_id": "ds003029", - "modality": "ieeg", - "created": "2020-07-26T19:33:04.172Z", - "modified": "2023-11-28T15:39:44.000Z" - }, - { - "dataset_id": "ds003078", - "modality": "ieeg", - "created": "2020-08-16T19:12:06.282Z", - "modified": "2020-08-17T04:11:36.000Z" - }, - { - "dataset_id": "ds003374", - "modality": "ieeg", - "created": "2020-11-11T18:36:10.735Z", - "modified": "2020-11-26T12:36:45.000Z" - }, - { - "dataset_id": "ds003498", - "modality": "ieeg", - "created": "2021-02-01T13:44:55.139Z", - "modified": "2023-09-26T00:54:04.000Z" - }, - { - "dataset_id": "ds003688", - "modality": "ieeg", - "created": "2021-06-08T21:48:50.694Z", - "modified": "2022-06-18T19:31:53.000Z" - }, - { - "dataset_id": "ds003708", - "modality": "ieeg", - "created": "2021-06-23T18:46:01.816Z", - "modified": "2023-08-10T13:27:02.000Z" - }, - { - "dataset_id": "ds003844", - "modality": "ieeg", - "created": "2021-10-15T18:46:25.120Z", - "modified": "2021-10-26T01:07:44.000Z" - }, - { - "dataset_id": "ds003848", - "modality": "ieeg", - "created": "2021-10-21T15:17:12.430Z", - "modified": "2021-10-26T01:07:53.000Z" - }, - { - "dataset_id": "ds003876", - "modality": "ieeg", - "created": "2021-11-09T21:38:53.750Z", - "modified": "2023-01-24T01:58:40.000Z" - }, - { - "dataset_id": "ds004100", - "modality": "ieeg", - "created": "2022-04-17T18:17:45.719Z", - "modified": "2023-03-22T21:26:14.000Z" - }, - { - "dataset_id": "ds004127", - "modality": "ieeg", - "created": "2022-05-10T20:43:29.748Z", - "modified": "2022-08-23T18:29:08.000Z" - }, - { - "dataset_id": "ds004194", - "modality": "ieeg", - "created": "2022-07-04T12:51:42.010Z", - "modified": "2025-04-01T10:23:42.000Z" - }, - { - "dataset_id": "ds004080", - "modality": "ieeg", - "created": "2022-07-21T15:35:16.672Z", - "modified": "2023-03-12T22:58:23.000Z" - }, - { - "dataset_id": "ds004370", - "modality": "ieeg", - "created": "2022-12-16T14:47:48.631Z", - "modified": "2023-12-16T15:16:44.000Z" - }, - { - "dataset_id": "ds004457", - "modality": "ieeg", - "created": "2023-02-01T14:05:34.238Z", - "modified": "2023-06-02T19:39:03.000Z" - }, - { - "dataset_id": "ds004473", - "modality": "ieeg", - "created": "2023-02-07T22:05:05.338Z", - "modified": "2023-02-09T20:17:20.000Z" - }, - { - "dataset_id": "ds004551", - "modality": "ieeg", - "created": "2023-04-07T02:24:47.402Z", - "modified": "2023-05-30T02:54:58.000Z" - }, - { - "dataset_id": "ds004624", - "modality": "ieeg", - "created": "2023-06-30T19:55:34.648Z", - "modified": "2025-06-14T03:31:56.000Z" - }, - { - "dataset_id": "ds004642", - "modality": "ieeg", - "created": "2023-07-17T13:57:44.780Z", - "modified": "2023-07-31T08:41:33.000Z" - }, - { - "dataset_id": "ds004696", - "modality": "ieeg", - "created": "2023-08-15T20:54:55.122Z", - "modified": "2024-04-13T03:25:55.000Z" - }, - { - "dataset_id": "ds004703", - "modality": "ieeg", - "created": "2023-08-16T01:23:55.497Z", - "modified": "2023-08-18T14:37:54.000Z" - }, - { - "dataset_id": "ds004770", - "modality": "ieeg", - "created": "2023-09-22T16:13:23.510Z", - "modified": "2023-09-22T18:31:10.000Z" - }, - { - "dataset_id": "ds004774", - "modality": "ieeg", - "created": "2023-09-25T14:40:46.435Z", - "modified": "2023-12-30T23:56:46.000Z" - }, - { - "dataset_id": "ds004789", - "modality": "ieeg", - "created": "2023-10-10T20:42:35.486Z", - "modified": "2024-04-22T23:33:32.000Z" - }, - { - "dataset_id": "ds004809", - "modality": "ieeg", - "created": "2023-10-19T14:46:21.581Z", - "modified": "2024-04-23T00:23:08.000Z" - }, - { - "dataset_id": "ds004819", - "modality": "ieeg", - "created": "2023-10-25T17:12:15.181Z", - "modified": "2023-10-26T00:03:11.000Z" - }, - { - "dataset_id": "ds004859", - "modality": "ieeg", - "created": "2023-11-22T04:07:20.769Z", - "modified": "2023-11-22T04:43:12.000Z" - }, - { - "dataset_id": "ds004865", - "modality": "ieeg", - "created": "2023-11-29T19:38:59.142Z", - "modified": "2024-04-22T22:04:43.000Z" - }, - { - "dataset_id": "ds004944", - "modality": "ieeg", - "created": "2024-01-30T10:41:43.220Z", - "modified": "2024-04-11T09:00:21.000Z" - }, - { - "dataset_id": "ds004977", - "modality": "ieeg", - "created": "2024-02-19T19:52:02.163Z", - "modified": "2024-05-13T17:47:41.000Z" - }, - { - "dataset_id": "ds004993", - "modality": "ieeg", - "created": "2024-02-25T23:36:29.775Z", - "modified": "2024-03-01T17:54:40.000Z" - }, - { - "dataset_id": "ds005007", - "modality": "ieeg", - "created": "2024-03-05T23:44:50.042Z", - "modified": "2024-03-07T17:44:30.000Z" - }, - { - "dataset_id": "ds005059", - "modality": "ieeg", - "created": "2024-04-03T21:09:33.244Z", - "modified": "2024-04-23T00:32:22.000Z" - }, - { - "dataset_id": "ds005083", - "modality": "ieeg", - "created": "2024-04-10T21:53:35.682Z", - "modified": "2024-04-10T22:00:08.000Z" - }, - { - "dataset_id": "ds005169", - "modality": "ieeg", - "created": "2024-05-22T09:00:55.253Z", - "modified": "2024-05-22T10:58:35.000Z" - }, - { - "dataset_id": "ds005398", - "modality": "ieeg", - "created": "2024-08-04T16:43:46.618Z", - "modified": "2024-08-15T03:01:26.000Z" - }, - { - "dataset_id": "ds005411", - "modality": "ieeg", - "created": "2024-08-13T16:37:26.160Z", - "modified": "2024-08-14T14:45:19.000Z" - }, - { - "dataset_id": "ds005415", - "modality": "ieeg", - "created": "2024-08-17T03:31:16.602Z", - "modified": "2024-10-25T12:49:06.000Z" - }, - { - "dataset_id": "ds005448", - "modality": "ieeg", - "created": "2024-09-03T06:27:56.217Z", - "modified": "2024-10-08T19:09:02.000Z" - }, - { - "dataset_id": "ds005489", - "modality": "ieeg", - "created": "2024-09-15T18:28:05.055Z", - "modified": "2024-09-17T23:14:43.000Z" - }, - { - "dataset_id": "ds005491", - "modality": "ieeg", - "created": "2024-09-16T20:43:53.335Z", - "modified": "2024-09-16T21:26:48.000Z" - }, - { - "dataset_id": "ds005494", - "modality": "ieeg", - "created": "2024-09-17T22:23:36.032Z", - "modified": "2024-09-25T15:44:34.000Z" - }, - { - "dataset_id": "ds005522", - "modality": "ieeg", - "created": "2024-09-24T15:54:45.157Z", - "modified": "2024-09-24T17:18:59.000Z" - }, - { - "dataset_id": "ds005523", - "modality": "ieeg", - "created": "2024-09-24T16:57:08.474Z", - "modified": "2024-09-24T18:53:29.000Z" - }, - { - "dataset_id": "ds005545", - "modality": "ieeg", - "created": "2024-09-30T21:57:55.144Z", - "modified": "2025-04-23T16:00:00.000Z" - }, - { - "dataset_id": "ds005557", - "modality": "ieeg", - "created": "2024-10-06T03:40:26.768Z", - "modified": "2024-10-06T04:38:57.000Z" - }, - { - "dataset_id": "ds005558", - "modality": "ieeg", - "created": "2024-10-06T04:32:14.781Z", - "modified": "2024-10-06T04:41:45.000Z" - }, - { - "dataset_id": "ds005574", - "modality": "ieeg", - "created": "2024-10-15T20:04:55.411Z", - "modified": "2025-02-17T13:52:37.000Z" - }, - { - "dataset_id": "ds000248", - "modality": "meg", - "created": "2018-03-30T14:58:53.917Z", - "modified": "2020-12-11T09:14:57.000Z" - }, - { - "dataset_id": "ds000117", - "modality": "meg", - "created": "2018-03-30T13:14:28.253Z", - "modified": "2025-01-06T15:37:05.000Z" - }, - { - "dataset_id": "ds000246", - "modality": "meg", - "created": "2018-03-30T10:34:05.130Z", - "modified": "2024-04-23T10:17:01.000Z" - }, - { - "dataset_id": "ds000247", - "modality": "meg", - "created": "2018-03-30T18:40:38.407Z", - "modified": "2024-04-24T10:50:08.000Z" - }, - { - "dataset_id": "ds002001", - "modality": "meg", - "created": "2019-06-27T21:51:22.774Z", - "modified": "2019-06-28T16:25:02.000Z" - }, - { - "dataset_id": "ds002312", - "modality": "meg", - "created": "2019-11-08T15:37:35.868Z", - "modified": "2019-11-08T23:29:46.000Z" - }, - { - "dataset_id": "ds002550", - "modality": "meg", - "created": "2020-02-12T20:34:30.079Z", - "modified": "2020-05-05T23:51:45.000Z" - }, - { - "dataset_id": "ds002712", - "modality": "meg", - "created": "2020-04-16T07:54:58.744Z", - "modified": "2020-05-11T17:41:07.000Z" - }, - { - "dataset_id": "ds002761", - "modality": "meg", - "created": "2020-04-29T12:47:53.734Z", - "modified": "2022-11-18T15:26:06.000Z" - }, - { - "dataset_id": "ds002885", - "modality": "meg", - "created": "2020-06-05T12:06:29.489Z", - "modified": "2020-06-24T07:29:11.000Z" - }, - { - "dataset_id": "ds002908", - "modality": "meg", - "created": "2020-06-22T13:05:54.700Z", - "modified": "2020-08-04T19:03:33.000Z" - }, - { - "dataset_id": "ds003082", - "modality": "meg", - "created": "2020-08-17T10:13:10.611Z", - "modified": "2021-11-17T20:54:33.000Z" - }, - { - "dataset_id": "ds003104", - "modality": "meg", - "created": "2020-08-31T07:20:15.139Z", - "modified": "2020-08-31T07:25:40.000Z" - }, - { - "dataset_id": "ds003352", - "modality": "meg", - "created": "2020-11-03T20:36:34.212Z", - "modified": "2020-11-04T00:43:56.000Z" - }, - { - "dataset_id": "ds003392", - "modality": "meg", - "created": "2020-11-20T19:39:16.349Z", - "modified": "2021-05-18T15:31:01.000Z" - }, - { - "dataset_id": "ds003483", - "modality": "meg", - "created": "2021-01-21T21:01:58.596Z", - "modified": "2021-01-24T10:47:46.000Z" - }, - { - "dataset_id": "ds003568", - "modality": "meg", - "created": "2021-03-16T15:16:54.652Z", - "modified": "2023-07-19T20:01:43.000Z" - }, - { - "dataset_id": "ds003633", - "modality": "meg", - "created": "2021-04-24T03:09:05.237Z", - "modified": "2022-12-29T03:52:29.000Z" - }, - { - "dataset_id": "ds003682", - "modality": "meg", - "created": "2021-06-05T16:53:45.247Z", - "modified": "2021-06-05T22:59:10.000Z" - }, - { - "dataset_id": "ds003694", - "modality": "meg", - "created": "2021-06-12T09:48:35.040Z", - "modified": "2021-06-14T06:56:33.000Z" - }, - { - "dataset_id": "ds003703", - "modality": "meg", - "created": "2021-06-18T03:26:19.091Z", - "modified": "2021-06-23T07:41:36.000Z" - }, - { - "dataset_id": "ds003922", - "modality": "meg", - "created": "2021-11-19T13:29:49.244Z", - "modified": "2022-05-02T14:19:35.000Z" - }, - { - "dataset_id": "ds004011", - "modality": "meg", - "created": "2022-01-26T23:26:00.152Z", - "modified": "2022-04-08T01:32:29.000Z" - }, - { - "dataset_id": "ds004012", - "modality": "meg", - "created": "2022-02-03T09:47:39.342Z", - "modified": "2022-02-01T02:24:04.000Z" - }, - { - "dataset_id": "ds004078", - "modality": "meg", - "created": "2022-03-20T08:43:39.462Z", - "modified": "2023-10-16T02:05:05.000Z" - }, - { - "dataset_id": "ds004107", - "modality": "meg", - "created": "2022-04-22T16:06:47.154Z", - "modified": "2022-04-22T19:50:04.000Z" - }, - { - "dataset_id": "ds004212", - "modality": "meg", - "created": "2022-07-14T15:47:41.319Z", - "modified": "2025-05-29T20:15:29.000Z" - }, - { - "dataset_id": "ds004229", - "modality": "meg", - "created": "2022-08-01T18:25:31.485Z", - "modified": "2023-11-03T18:30:43.000Z" - }, - { - "dataset_id": "ds004276", - "modality": "meg", - "created": "2022-09-23T14:41:43.515Z", - "modified": "2022-09-23T20:02:38.000Z" - }, - { - "dataset_id": "ds004278", - "modality": "meg", - "created": "2022-09-23T17:53:03.124Z", - "modified": "2022-10-11T18:18:40.000Z" - }, - { - "dataset_id": "ds004330", - "modality": "meg", - "created": "2022-11-07T14:41:49.699Z", - "modified": "2022-11-08T10:16:44.000Z" - }, - { - "dataset_id": "ds004346", - "modality": "meg", - "created": "2022-11-28T16:33:17.402Z", - "modified": "2024-06-07T09:19:58.000Z" - }, - { - "dataset_id": "ds004398", - "modality": "meg", - "created": "2023-01-11T14:18:04.348Z", - "modified": "2023-01-25T04:25:53.000Z" - }, - { - "dataset_id": "ds004483", - "modality": "meg", - "created": "2023-02-08T23:22:49.117Z", - "modified": "2023-02-13T14:53:45.000Z" - }, - { - "dataset_id": "ds004738", - "modality": "meg", - "created": "2023-09-03T09:15:15.944Z", - "modified": "2023-09-03T10:42:30.000Z" - }, - { - "dataset_id": "ds004837", - "modality": "meg", - "created": "2023-11-01T15:54:14.672Z", - "modified": "2025-05-27T15:41:36.000Z" - }, - { - "dataset_id": "ds004998", - "modality": "meg", - "created": "2024-03-04T17:45:27.695Z", - "modified": "2024-09-09T08:26:28.000Z" - }, - { - "dataset_id": "ds005065", - "modality": "meg", - "created": "2024-04-07T02:26:32.589Z", - "modified": "2024-04-09T01:21:46.000Z" - }, - { - "dataset_id": "ds005107", - "modality": "meg", - "created": "2024-04-24T06:49:36.871Z", - "modified": "2025-06-30T23:44:09.000Z" - }, - { - "dataset_id": "ds005241", - "modality": "meg", - "created": "2024-06-12T15:20:44.636Z", - "modified": "2024-06-14T14:53:48.000Z" - }, - { - "dataset_id": "ds005261", - "modality": "meg", - "created": "2024-06-17T13:06:26.783Z", - "modified": "2025-05-12T07:26:44.000Z" - }, - { - "dataset_id": "ds005279", - "modality": "meg", - "created": "2024-06-24T16:17:02.918Z", - "modified": "2024-07-03T20:27:47.000Z" - }, - { - "dataset_id": "ds005346", - "modality": "meg", - "created": "2024-07-16T14:15:32.746Z", - "modified": "2025-08-06T02:29:27.000Z" - }, - { - "dataset_id": "ds005356", - "modality": "meg", - "created": "2024-07-17T17:45:08.266Z", - "modified": "2025-03-06T16:10:24.000Z" - }, - { - "dataset_id": "ds005752", - "modality": "meg", - "created": "2024-12-20T18:45:44.865Z", - "modified": "2025-02-18T16:59:09.000Z" - }, - { - "dataset_id": "ds005810", - "modality": "meg", - "created": "2025-01-10T11:07:26.509Z", - "modified": "2025-08-30T14:20:38.000Z" - }, - { - "dataset_id": "ds006012", - "modality": "meg", - "created": "2025-03-13T19:13:44.963Z", - "modified": "2025-03-14T17:05:14.000Z" - }, - { - "dataset_id": "ds006035", - "modality": "meg", - "created": "2025-03-20T05:08:27.231Z", - "modified": "2025-03-21T18:44:26.000Z" - }, - { - "dataset_id": "ds006334", - "modality": "meg", - "created": "2025-06-10T16:14:43.829Z", - "modified": "2025-06-11T09:26:21.000Z" - }, - { - "dataset_id": "ds006468", - "modality": "meg", - "created": "2025-07-14T17:00:44.163Z", - "modified": "2025-10-20T16:32:42.000Z" - }, - { - "dataset_id": "ds006502", - "modality": "meg", - "created": "2025-07-28T19:06:15.608Z", - "modified": "2025-08-12T04:55:40.000Z" - }, - { - "dataset_id": "ds006629", - "modality": "meg", - "created": "2025-09-04T11:55:02.705Z", - "modified": "2025-09-29T06:11:47.000Z" - } -] \ No newline at end of file From 44c7e3fb9dff1bf8a599b7c70e3d6a8a1cd277f0 Mon Sep 17 00:00:00 2001 From: bruAristimunha Date: Tue, 11 Nov 2025 21:16:44 +0100 Subject: [PATCH 28/34] testing diggestion --- eegdash/dataset/bids_dataset.py | 161 ++++-- .../ingestions/5_digest_datasets_minimal.py | 473 ++++++++++++++++++ 2 files changed, 592 insertions(+), 42 deletions(-) create mode 100644 scripts/ingestions/5_digest_datasets_minimal.py diff --git a/eegdash/dataset/bids_dataset.py b/eegdash/dataset/bids_dataset.py index 92aec03d..f8c9f50a 100644 --- a/eegdash/dataset/bids_dataset.py +++ b/eegdash/dataset/bids_dataset.py @@ -16,6 +16,14 @@ import pandas as pd from mne_bids import BIDSPath, find_matching_paths +from mne_bids.config import ALLOWED_DATATYPE_EXTENSIONS, reader + +# Known companion/sidecar files for specific formats (BIDS spec requirement) +# These files must be downloaded together with the primary file +_COMPANION_FILES = { + ".set": [".fdt"], # EEGLAB: data file + ".vhdr": [".eeg", ".vmrk"], # BrainVision: data + marker files +} class EEGBIDSDataset: @@ -38,15 +46,20 @@ class EEGBIDSDataset: """ - ALLOWED_FILE_FORMAT = ["eeglab", "brainvision", "biosemi", "european"] + # Dynamically build from MNE-BIDS constants (mne_bids.config.reader) + # reader dict maps file extensions to MNE read functions + # This ensures compatibility with the latest BIDS specification + + # Primary extension + companions = files that must be downloaded together RAW_EXTENSIONS = { - ".set": [".set", ".fdt"], # eeglab - ".edf": [".edf"], # european - ".vhdr": [".eeg", ".vhdr", ".vmrk", ".dat", ".raw"], # brainvision - ".bdf": [".bdf"], # biosemi + ext: [ext] + _COMPANION_FILES.get(ext, []) for ext in reader.keys() } + + # BIDS metadata file extensions (modality-specific + common) METADATA_FILE_EXTENSIONS = [ "eeg.json", + "meg.json", + "ieeg.json", "channels.tsv", "electrodes.tsv", "events.tsv", @@ -58,6 +71,7 @@ def __init__( data_dir=None, # location of bids dataset dataset="", # dataset name allow_symlinks=False, # allow broken symlinks for digestion + modalities=None, # list of modalities to search for (e.g., ["eeg", "meg", "ieeg"]) ): if data_dir is None or not os.path.exists(data_dir): raise ValueError("data_dir must be specified and must exist") @@ -67,6 +81,14 @@ def __init__( self.data_dir = data_dir self.allow_symlinks = allow_symlinks + # Set modalities to search for (default: eeg, meg, ieeg for backward compatibility) + if modalities is None: + self.modalities = ["eeg", "meg", "ieeg"] + else: + self.modalities = ( + modalities if isinstance(modalities, list) else [modalities] + ) + # Accept exact dataset folder or a variant with informative suffixes # (e.g., dsXXXXX-bdf, dsXXXXX-bdf-mini) to avoid collisions. dir_name = self.bidsdir.name @@ -80,9 +102,12 @@ def __init__( # get all recording files in the bids directory assert len(self.files) > 0, ValueError( - "Unable to construct EEG dataset. No EEG recordings found." + f"Unable to construct dataset. No recordings found for modalities: {self.modalities}" ) - assert self.check_eeg_dataset(), ValueError("Dataset is not an EEG dataset.") + # Store the detected modality for later use + self.detected_modality = self.get_bids_file_attribute( + "modality", self.files[0] + ).lower() def check_eeg_dataset(self) -> bool: """Check if the BIDS dataset contains EEG data. @@ -93,7 +118,7 @@ def check_eeg_dataset(self) -> bool: True if the dataset's modality is EEG, False otherwise. """ - return self.get_bids_file_attribute("modality", self.files[0]).lower() == "eeg" + return self.detected_modality == "eeg" def _init_bids_paths(self) -> None: """Initialize BIDS file paths using mne_bids for fast discovery. @@ -103,18 +128,27 @@ def _init_bids_paths(self) -> None: When allow_symlinks=True, includes broken symlinks (e.g., git-annex) for metadata extraction without requiring actual data files. + + Searches across multiple modalities (eeg, meg, ieeg) based on self.modalities. """ # Initialize cache for BIDSPath objects self._bids_path_cache = {} - # Find all EEG recordings + # Find all recordings across specified modalities + # Use MNE-BIDS constants to get valid extensions per modality self.files = [] - for ext in self.RAW_EXTENSIONS.keys(): - found_files = _find_eeg_files( - self.bidsdir, ext, allow_symlinks=self.allow_symlinks - ) - if found_files: - self.files = found_files + for modality in self.modalities: + for ext in ALLOWED_DATATYPE_EXTENSIONS.get(modality, []): + found_files = _find_bids_files( + self.bidsdir, + ext, + modalities=[modality], + allow_symlinks=self.allow_symlinks, + ) + if found_files: + self.files = found_files + break + if self.files: break def _get_bids_path_from_file(self, data_filepath: str): @@ -136,8 +170,17 @@ def _get_bids_path_from_file(self, data_filepath: str): filepath = Path(data_filepath) filename = filepath.name + # Detect modality from the directory path + # BIDS structure: .../sub-XX/[ses-YY/]/sub-XX_... + path_parts = filepath.parts + modality = "eeg" # default + for part in path_parts: + if part in ["eeg", "meg", "ieeg", "emg"]: + modality = part + break + # Extract entities from filename using BIDS pattern - # Expected format: sub-